Merge pull request #68 from lbryio/block-used-claims

Block used claims
This commit is contained in:
Bill Bittner 2017-07-04 09:17:28 -07:00 committed by GitHub
commit 84ec0f9092
13 changed files with 193 additions and 80 deletions

1
.gitignore vendored
View file

@ -1,2 +1 @@
node_modules node_modules
ApiPublishTest.html

View file

@ -39,6 +39,8 @@ spee.ch is a single-serving site that reads and publishes images to and from the
* a successfull request returns the resolve results for the claim at that name in JSON format * a successfull request returns the resolve results for the claim at that name in JSON format
* /api/claim_list/:name * /api/claim_list/:name
* a successfull request returns a list of claims at that claim name in JSON format * a successfull request returns a list of claims at that claim name in JSON format
* /api/isClaimAvailable/:name
* a successfull request returns a boolean: `true` if the name is still available, `false` if the name has already been published to by spee.ch.
#### POST #### POST
* /api/publish * /api/publish

View file

@ -19,20 +19,59 @@ function upsert (Model, values, condition) {
}); });
} }
module.exports = { function checkNameAvailability (name) {
publish: (publishParams, fileName, fileType) => {
const deferred = new Promise((resolve, reject) => { const deferred = new Promise((resolve, reject) => {
// 1. publish the file // find any records where the name is used
db.File
.findAll({ where: { name } })
.then(result => {
if (result.length >= 1) {
// filter out any results that were not published from a spee.ch wallet address
lbryApi
.getWalletList()
.then((walletList) => {
const filteredResult = result.filter((claim) => {
return walletList.includes(claim.address);
});
if (filteredResult.length >= 1) {
resolve(false);
} else {
resolve(true);
}
})
.catch((error) => {
reject(error);
});
} else {
resolve(true);
}
})
.catch(error => {
reject(error);
});
});
return deferred;
};
module.exports = {
publish (publishParams, fileName, fileType) {
const deferred = new Promise((resolve, reject) => {
// 1. make sure the name is available
checkNameAvailability(publishParams.name)
.then(result => {
if (result === true) {
// 2. publish the file
lbryApi lbryApi
.publishClaim(publishParams) .publishClaim(publishParams)
.then(result => { .then(result => {
logger.info(`Successfully published ${fileName}`, result); logger.info(`Successfully published ${fileName}`, result);
// 2. update old record of create new one (update is in case the claim has been published before by this daemon) // 3. update old record or create new one (update is in case the claim has been published before by this daemon)
upsert( upsert(
db.File, db.File,
{ {
name : publishParams.name, name : publishParams.name,
claimId : result.claim_id, claimId : result.claim_id,
address : publishParams.claim_address,
outpoint: `${result.txid}:${result.nout}`, outpoint: `${result.txid}:${result.nout}`,
height : 0, height : 0,
fileName, fileName,
@ -60,7 +99,18 @@ module.exports = {
// reject the promise // reject the promise
reject(error); reject(error);
}); });
} else {
const err = new Error('That name has already been claimed by spee.ch. Please choose a new claim name.');
reject(err);
}
})
.catch(error => {
reject(error);
});
}); });
return deferred; return deferred;
}, },
checkNameAvailability (name) {
return checkNameAvailability(name);
},
}; };

View file

@ -18,6 +18,7 @@ function updateFileIfNeeded (uri, claimName, claimId, localOutpoint, localHeight
// logger.debug('resolved result:', result); // logger.debug('resolved result:', result);
const resolvedOutpoint = `${result.claim.txid}:${result.claim.nout}`; const resolvedOutpoint = `${result.claim.txid}:${result.claim.nout}`;
const resolvedHeight = result.claim.height; const resolvedHeight = result.claim.height;
const resolvedAddress = result.claim.address;
logger.debug('database outpoint:', localOutpoint); logger.debug('database outpoint:', localOutpoint);
logger.debug('resolved outpoint:', resolvedOutpoint); logger.debug('resolved outpoint:', resolvedOutpoint);
// 2. if the outpoint's match, no further work needed // 2. if the outpoint's match, no further work needed
@ -29,7 +30,7 @@ function updateFileIfNeeded (uri, claimName, claimId, localOutpoint, localHeight
// 2. get the resolved claim // 2. get the resolved claim
} else { } else {
logger.debug(`local outpoint did not match for ${uri}. Initiating update.`); logger.debug(`local outpoint did not match for ${uri}. Initiating update.`);
getClaimAndUpdate(uri, resolvedHeight); getClaimAndUpdate(uri, resolvedAddress, resolvedHeight);
} }
}) })
.catch(error => { .catch(error => {
@ -37,7 +38,7 @@ function updateFileIfNeeded (uri, claimName, claimId, localOutpoint, localHeight
}); });
} }
function getClaimAndUpdate (uri, height) { function getClaimAndUpdate (uri, address, height) {
// 1. get the claim // 1. get the claim
lbryApi lbryApi
.getClaim(uri) .getClaim(uri)
@ -47,7 +48,8 @@ function getClaimAndUpdate (uri, height) {
db.File db.File
.update({ .update({
outpoint, outpoint,
height, // note: height is coming from 'resolve', not 'get'. height, // note: height is coming from the 'resolve', not 'get'.
address, // note: address is coming from the 'resolve', not 'get'.
fileName: file_name, fileName: file_name,
filePath: download_path, filePath: download_path,
fileType: mime_type, fileType: mime_type,
@ -70,7 +72,7 @@ function getClaimAndUpdate (uri, height) {
}); });
} }
function getClaimAndHandleResponse (uri, height, resolve, reject) { function getClaimAndHandleResponse (uri, address, height, resolve, reject) {
lbryApi lbryApi
.getClaim(uri) .getClaim(uri)
.then(({ name, claim_id, outpoint, file_name, download_path, mime_type, metadata }) => { .then(({ name, claim_id, outpoint, file_name, download_path, mime_type, metadata }) => {
@ -80,8 +82,9 @@ function getClaimAndHandleResponse (uri, height, resolve, reject) {
.create({ .create({
name, name,
claimId : claim_id, claimId : claim_id,
address, // note: comes from parent 'resolve,' not this 'get' call
outpoint, outpoint,
height, height, // note: comes from parent 'resolve,' not this 'get' call
fileName: file_name, fileName: file_name,
filePath: download_path, filePath: download_path,
fileType: mime_type, fileType: mime_type,
@ -120,6 +123,7 @@ module.exports = {
const claimId = freePublicClaimList[0].claim_id; const claimId = freePublicClaimList[0].claim_id;
const uri = `${name}#${claimId}`; const uri = `${name}#${claimId}`;
const height = freePublicClaimList[0].height; const height = freePublicClaimList[0].height;
const address = freePublicClaimList[0].address;
// 2. check to see if the file is available locally // 2. check to see if the file is available locally
db.File db.File
.findOne({ where: { name, claimId } }) .findOne({ where: { name, claimId } })
@ -133,7 +137,7 @@ module.exports = {
// 3. otherwise use daemon to retrieve it // 3. otherwise use daemon to retrieve it
} else { } else {
// get the claim and serve it // get the claim and serve it
getClaimAndHandleResponse(uri, height, resolve, reject); getClaimAndHandleResponse(uri, address, height, resolve, reject);
} }
}) })
.catch(error => { .catch(error => {
@ -175,7 +179,7 @@ module.exports = {
// 4. check to see if the claim is free & public // 4. check to see if the claim is free & public
if (isFreePublicClaim(result.claim)) { if (isFreePublicClaim(result.claim)) {
// 5. get claim and serve // 5. get claim and serve
getClaimAndHandleResponse(uri, result.claim.height, resolve, reject); getClaimAndHandleResponse(uri, result.claim.address, result.claim.height, resolve, reject);
} else { } else {
reject(null); reject(null);
} }

View file

@ -5,7 +5,7 @@ const db = require('../models');
const googleApiKey = config.get('AnalyticsConfig.GoogleId'); const googleApiKey = config.get('AnalyticsConfig.GoogleId');
module.exports = { module.exports = {
postToStats: (action, url, ipAddress, result) => { postToStats (action, url, ipAddress, result) {
logger.silly(`creating ${action} record for statistics db`); logger.silly(`creating ${action} record for statistics db`);
// make sure the result is a string // make sure the result is a string
if (result && (typeof result !== 'string')) { if (result && (typeof result !== 'string')) {
@ -27,7 +27,7 @@ module.exports = {
logger.error('sequelize error', error); logger.error('sequelize error', error);
}); });
}, },
sendGoogleAnalytics: (action, ip, originalUrl) => { sendGoogleAnalytics (action, ip, originalUrl) {
const visitorId = ip.replace(/\./g, '-'); const visitorId = ip.replace(/\./g, '-');
const visitor = ua(googleApiKey, visitorId, { strictCidFormat: false, https: true }); const visitor = ua(googleApiKey, visitorId, { strictCidFormat: false, https: true });
switch (action) { switch (action) {
@ -55,7 +55,7 @@ module.exports = {
default: break; default: break;
} }
}, },
getStatsSummary: () => { getStatsSummary () {
logger.debug('retrieving site statistics'); logger.debug('retrieving site statistics');
const deferred = new Promise((resolve, reject) => { const deferred = new Promise((resolve, reject) => {
// get the raw statistics data // get the raw statistics data

View file

@ -28,7 +28,7 @@ function orderClaims (claimsListArray) {
return claimsListArray; return claimsListArray;
} }
module.exports = claimName => { module.exports = (claimName) => {
const deferred = new Promise((resolve, reject) => { const deferred = new Promise((resolve, reject) => {
// make a call to the daemon to get the claims list // make a call to the daemon to get the claims list
lbryApi lbryApi

View file

@ -3,7 +3,7 @@ const { postToStats } = require('../../controllers/statsController.js');
module.exports = { module.exports = {
handleRequestError (action, originalUrl, ip, error, res) { handleRequestError (action, originalUrl, ip, error, res) {
logger.error('Request Error >>', error); logger.error('Request Error >>', error.message);
if (error.response) { if (error.response) {
postToStats(action, originalUrl, ip, error.response.data.error.messsage); postToStats(action, originalUrl, ip, error.response.data.error.messsage);
res.status(error.response.status).send(error.response.data.error.message); res.status(error.response.status).send(error.response.data.error.message);
@ -12,7 +12,7 @@ module.exports = {
res.status(503).send('Connection refused. The daemon may not be running.'); res.status(503).send('Connection refused. The daemon may not be running.');
} else { } else {
postToStats(action, originalUrl, ip, error); postToStats(action, originalUrl, ip, error);
res.status(400).send(JSON.stringify(error)); res.status(400).send(error.message);
} }
}, },
handlePublishError (error) { handlePublishError (error) {
@ -23,7 +23,7 @@ module.exports = {
logger.error('Publish Error:', error.response.data.error); logger.error('Publish Error:', error.response.data.error);
return error.response.data.error.message; return error.response.data.error.message;
} else { } else {
logger.error('Unhandled Publish Error:', error); logger.error('Unhandled Publish Error:', error.message);
return error; return error;
} }
}, },

View file

@ -2,6 +2,23 @@ const axios = require('axios');
const logger = require('winston'); const logger = require('winston');
module.exports = { module.exports = {
getWalletList () {
logger.debug('getting wallet list');
const deferred = new Promise((resolve, reject) => {
axios
.post('http://localhost:5279/lbryapi', {
method: 'wallet_list',
})
.then(response => {
const result = response.data.result;
resolve(result);
})
.catch(error => {
reject(error);
});
});
return deferred;
},
publishClaim (publishParams) { publishClaim (publishParams) {
logger.debug(`Publishing claim to "${publishParams.name}"`); logger.debug(`Publishing claim to "${publishParams.name}"`);
const deferred = new Promise((resolve, reject) => { const deferred = new Promise((resolve, reject) => {

View file

@ -3,7 +3,7 @@ const config = require('config');
const fs = require('fs'); const fs = require('fs');
module.exports = { module.exports = {
createPublishParams: (name, filePath, license, nsfw) => { createPublishParams (name, filePath, license, nsfw) {
logger.debug(`Creating Publish Parameters for "${name}"`); logger.debug(`Creating Publish Parameters for "${name}"`);
// const payAddress = config.get('WalletConfig.LbryPayAddress'); // const payAddress = config.get('WalletConfig.LbryPayAddress');
const claimAddress = config.get('WalletConfig.LbryClaimAddress'); const claimAddress = config.get('WalletConfig.LbryClaimAddress');
@ -40,7 +40,7 @@ module.exports = {
logger.debug('publishParams:', publishParams); logger.debug('publishParams:', publishParams);
return publishParams; return publishParams;
}, },
deleteTemporaryFile: (filePath) => { deleteTemporaryFile (filePath) {
fs.unlink(filePath, err => { fs.unlink(filePath, err => {
if (err) throw err; if (err) throw err;
logger.debug(`successfully deleted ${filePath}`); logger.debug(`successfully deleted ${filePath}`);

View file

@ -10,6 +10,10 @@ module.exports = (sequelize, { STRING, BOOLEAN, INTEGER }) => {
type : STRING, type : STRING,
allowNull: false, allowNull: false,
}, },
address: {
type : STRING,
allowNull: false,
},
outpoint: { outpoint: {
type : STRING, type : STRING,
allowNull: false, allowNull: false,

View file

@ -9,6 +9,7 @@
margin-bottom: 2px; margin-bottom: 2px;
padding-bottom: 2px; padding-bottom: 2px;
border-bottom: 1px lightgrey solid; border-bottom: 1px lightgrey solid;
margin-top: 2em;
} }
.main { .main {
@ -42,6 +43,7 @@ footer {
.panel { .panel {
overflow: auto; overflow: auto;
word-wrap: break-word; word-wrap: break-word;
margin-bottom: 1em;
} }
.col-left, .col-right { .col-left, .col-right {

View file

@ -83,7 +83,7 @@ document.getElementById('publish-submit').addEventListener('click', function(eve
event.preventDefault(); event.preventDefault();
var name = document.getElementById('publish-name').value; var name = document.getElementById('publish-name').value;
var invalidCharacters = /[^A-Za-z0-9,-]/.exec(name); var invalidCharacters = /[^A-Za-z0-9,-]/.exec(name);
// validate 'name' // validate 'name' field
if (invalidCharacters) { if (invalidCharacters) {
alert(invalidCharacters + ' is not allowed. A-Z, a-z, 0-9, and "-" only.'); alert(invalidCharacters + ' is not allowed. A-Z, a-z, 0-9, and "-" only.');
return; return;
@ -91,10 +91,11 @@ document.getElementById('publish-submit').addEventListener('click', function(eve
alert("You must enter a name for your claim"); alert("You must enter a name for your claim");
return; return;
} }
// make sure a file was selected
if (stagedFiles) {
// make sure only 1 file was selected // make sure only 1 file was selected
if (stagedFiles.length > 1) { if (!stagedFiles) {
alert("Please select a file");
return;
} else if (stagedFiles.length > 1) {
alert("Only one file is allowed at a time"); alert("Only one file is allowed at a time");
return; return;
} }
@ -104,15 +105,30 @@ document.getElementById('publish-submit').addEventListener('click', function(eve
case "image/jpeg": case "image/jpeg":
case "image/gif": case "image/gif":
case "video/mp4": case "video/mp4":
uploader.submitFiles(stagedFiles);
break; break;
default: default:
alert("Only .png, .jpeg, .gif, and .mp4 files are currently supported"); alert("Only .png, .jpeg, .gif, and .mp4 files are currently supported");
break; return;
}
// make sure the name is available
var xhttp;
xhttp = new XMLHttpRequest();
xhttp.open('GET', '/api/isClaimAvailable/' + name, true);
xhttp.responseType = 'json';
xhttp.onreadystatechange = function() {
if (this.readyState == 4 ) {
if ( this.status == 200) {
if (this.response == true) {
uploader.submitFiles(stagedFiles);
} else {
alert("That name has already been claimed by spee.ch. Please choose a different name.");
} }
} else { } else {
alert("Please select a file"); console.log("request to check claim name failed with status:", this.status);
};
} }
};
xhttp.send();
}) })
/* socketio-file-upload listeners */ /* socketio-file-upload listeners */

View file

@ -9,14 +9,14 @@ const { postToStats, sendGoogleAnalytics } = require('../controllers/statsContro
module.exports = app => { module.exports = app => {
// route to run a claim_list request on the daemon // route to run a claim_list request on the daemon
app.get('/api/claim_list/:claim', ({ ip, originalUrl, params }, res) => { app.get('/api/claim_list/:name', ({ ip, originalUrl, params }, res) => {
// google analytics // google analytics
sendGoogleAnalytics('serve', ip, originalUrl); sendGoogleAnalytics('serve', ip, originalUrl);
// log // log
logger.verbose(`GET request on ${originalUrl} from ${ip}`); logger.verbose(`GET request on ${originalUrl} from ${ip}`);
// serve the content // serve the content
lbryApi lbryApi
.getClaimsList(params.claim) .getClaimsList(params.name)
.then(claimsList => { .then(claimsList => {
postToStats('serve', originalUrl, ip, 'success'); postToStats('serve', originalUrl, ip, 'success');
res.status(200).json(claimsList); res.status(200).json(claimsList);
@ -25,6 +25,25 @@ module.exports = app => {
errorHandlers.handleRequestError('publish', originalUrl, ip, error, res); errorHandlers.handleRequestError('publish', originalUrl, ip, error, res);
}); });
}); });
// route to check whether spee.ch has published to a claim
app.get('/api/isClaimAvailable/:name', ({ ip, originalUrl, params }, res) => {
// log
logger.verbose(`GET request on ${originalUrl} from ${ip}`);
// send response
publishController
.checkNameAvailability(params.name)
.then(result => {
if (result === true) {
res.status(200).json(true);
} else {
logger.debug(`Rejecting publish request because ${params.name} has already been published via spee.ch`);
res.status(200).json(false);
}
})
.catch(error => {
res.status(500).json(error);
});
});
// route to run a resolve request on the daemon // route to run a resolve request on the daemon
app.get('/api/resolve/:uri', ({ ip, originalUrl, params }, res) => { app.get('/api/resolve/:uri', ({ ip, originalUrl, params }, res) => {
// google analytics // google analytics