spee.ch/routes/api-routes.js

205 lines
7.7 KiB
JavaScript
Raw Normal View History

const logger = require('winston');
const multipart = require('connect-multiparty');
const { files, site } = require('../config/speechConfig.js');
const multipartMiddleware = multipart({uploadDir: files.uploadDirectory});
2017-09-28 20:42:29 +02:00
const db = require('../models');
const { checkClaimNameAvailability, checkChannelAvailability, publish } = require('../controllers/publishController.js');
2017-11-21 00:51:05 +01:00
const { getClaimList, resolveUri, getClaim } = require('../helpers/lbryApi.js');
const { createPublishParams, parsePublishApiRequestBody, parsePublishApiRequestFiles, parsePublishApiChannel } = require('../helpers/publishHelpers.js');
2017-08-03 02:13:02 +02:00
const errorHandlers = require('../helpers/errorHandlers.js');
2018-01-23 01:14:05 +01:00
const { sendGoogleAnalyticsTiming } = require('../helpers/statsHelpers.js');
2017-12-15 19:26:51 +01:00
const { authenticateIfNoUserToken } = require('../auth/authentication.js');
function addGetResultsToFileData (fileInfo, getResult) {
2017-11-21 21:53:43 +01:00
fileInfo.fileName = getResult.file_name;
fileInfo.filePath = getResult.download_path;
return fileInfo;
}
function createFileData ({ name, claimId, outpoint, height, address, nsfw, contentType }) {
2017-11-21 21:53:43 +01:00
return {
name,
claimId,
outpoint,
height,
address,
fileName: '',
filePath: '',
fileType: contentType,
nsfw,
};
}
2017-09-20 23:39:20 +02:00
module.exports = (app) => {
// route to run a claim_list request on the daemon
2017-11-29 21:41:53 +01:00
app.get('/api/claim-list/:name', ({ ip, originalUrl, params }, res) => {
2017-08-16 20:00:17 +02:00
getClaimList(params.name)
.then(claimsList => {
res.status(200).json(claimsList);
})
.catch(error => {
errorHandlers.handleApiError(originalUrl, ip, error, res);
2017-08-16 20:00:17 +02:00
});
});
// route to see if asset is available locally
2017-12-05 19:18:49 +01:00
app.get('/api/file-is-available/:name/:claimId', ({ ip, originalUrl, params }, res) => {
const name = params.name;
const claimId = params.claimId;
let isLocalFileAvailable = false;
db.File.findOne({where: {name, claimId}})
.then(result => {
if (result) {
isLocalFileAvailable = true;
}
res.status(200).json({status: 'success', message: isLocalFileAvailable});
})
.catch(error => {
errorHandlers.handleApiError(originalUrl, ip, error, res);
});
});
2017-11-21 00:51:05 +01:00
// route to get an asset
2017-12-05 19:18:49 +01:00
app.get('/api/claim-get/:name/:claimId', ({ ip, originalUrl, params }, res) => {
2017-11-30 00:36:23 +01:00
const name = params.name;
const claimId = params.claimId;
// resolve the claim
2017-11-30 00:36:23 +01:00
db.Claim.resolveClaim(name, claimId)
2017-11-21 21:53:43 +01:00
.then(resolveResult => {
// make sure a claim actually exists at that uri
2017-11-21 21:53:43 +01:00
if (!resolveResult) {
throw new Error('No matching uri found in Claim table');
}
let fileData = createFileData(resolveResult);
// get the claim
2017-11-30 00:36:23 +01:00
return Promise.all([fileData, getClaim(`${name}#${claimId}`)]);
2017-11-21 21:53:43 +01:00
})
.then(([ fileData, getResult ]) => {
fileData = addGetResultsToFileData(fileData, getResult);
2017-11-30 00:36:23 +01:00
return Promise.all([db.upsert(db.File, fileData, {name, claimId}, 'File'), getResult]);
2017-11-21 21:53:43 +01:00
})
.then(([ fileRecord, {message, completed} ]) => {
res.status(200).json({ status: 'success', message, completed });
2017-11-21 00:51:05 +01:00
})
.catch(error => {
errorHandlers.handleApiError(originalUrl, ip, error, res);
2017-11-21 00:51:05 +01:00
});
});
// route to check whether this site published to a claim
2017-12-05 19:18:49 +01:00
app.get('/api/claim-is-available/:name', ({ params }, res) => {
2017-09-19 21:54:23 +02:00
checkClaimNameAvailability(params.name)
2017-08-16 20:00:17 +02:00
.then(result => {
if (result === true) {
res.status(200).json(true);
} else {
// logger.debug(`Rejecting '${params.name}' because that name has already been claimed by this site`);
2017-08-16 20:00:17 +02:00
res.status(200).json(false);
}
})
.catch(error => {
res.status(500).json(error);
});
2017-07-03 23:48:35 +02:00
});
// route to check whether site has published to a channel
2017-12-05 19:18:49 +01:00
app.get('/api/channel-is-available/:name', ({ params }, res) => {
2017-09-19 17:47:24 +02:00
checkChannelAvailability(params.name)
.then(result => {
if (result === true) {
res.status(200).json(true);
} else {
// logger.debug(`Rejecting '${params.name}' because that channel has already been claimed`);
2017-09-19 17:47:24 +02:00
res.status(200).json(false);
}
})
.catch(error => {
res.status(500).json(error);
});
});
// route to run a resolve request on the daemon
2017-12-05 19:18:49 +01:00
app.get('/api/claim-resolve/:uri', ({ headers, ip, originalUrl, params }, res) => {
2017-08-16 20:00:17 +02:00
resolveUri(params.uri)
.then(resolvedUri => {
res.status(200).json(resolvedUri);
})
.catch(error => {
errorHandlers.handleApiError(originalUrl, ip, error, res);
2017-08-16 20:00:17 +02:00
});
});
// route to run a publish request on the daemon
2018-01-23 01:14:05 +01:00
app.post('/api/claim-publish', multipartMiddleware, ({ body, files, headers, ip, originalUrl, user }, res) => {
2017-12-15 20:02:04 +01:00
logger.debug('api/claim-publish body:', body);
2017-12-15 23:10:34 +01:00
logger.debug('api/claim-publish files:', files);
2018-01-23 01:14:05 +01:00
const startTime = Date.now();
2017-12-15 19:26:51 +01:00
let name, fileName, filePath, fileType, nsfw, license, title, description, thumbnail, channelName, channelPassword;
// validate the body and files of the request
2017-07-08 01:08:35 +02:00
try {
// validateApiPublishRequest(body, files);
({name, nsfw, license, title, description, thumbnail} = parsePublishApiRequestBody(body));
({fileName, filePath, fileType} = parsePublishApiRequestFiles(files));
2017-12-15 19:26:51 +01:00
({channelName, channelPassword} = parsePublishApiChannel(body, user));
2017-07-08 01:08:35 +02:00
} catch (error) {
2017-12-15 23:10:34 +01:00
logger.debug('publish request rejected, insufficient request parameters', error);
return res.status(400).json({success: false, message: error.message});
}
// check channel authorization
2017-12-15 19:26:51 +01:00
authenticateIfNoUserToken(channelName, channelPassword, user)
2017-11-13 19:21:39 +01:00
.then(authenticated => {
if (!authenticated) {
throw new Error('Authentication failed, you do not have access to that channel');
}
// make sure the claim name is available
return checkClaimNameAvailability(name);
})
2017-09-28 19:51:02 +02:00
.then(result => {
if (!result) {
throw new Error('That name is already claimed by another user.');
2017-09-28 19:51:02 +02:00
}
// create publish parameters object
2017-10-10 03:29:40 +02:00
return createPublishParams(filePath, name, title, description, license, nsfw, thumbnail, channelName);
2017-09-28 19:51:02 +02:00
})
.then(publishParams => {
logger.debug('publishParams:', publishParams);
// publish the asset
2017-09-28 19:51:02 +02:00
return publish(publishParams, fileName, fileType);
})
2017-08-16 20:00:17 +02:00
.then(result => {
res.status(200).json({
success: true,
message: {
name,
url : `${site.host}/${result.claim_id}/${name}`,
lbryTx: result,
},
});
2018-01-23 01:14:05 +01:00
const endTime = Date.now();
console.log('publish end time', endTime);
sendGoogleAnalyticsTiming('PUBLISH', headers, ip, originalUrl, startTime, endTime);
2017-08-16 20:00:17 +02:00
})
.catch(error => {
errorHandlers.handleApiError(originalUrl, ip, error, res);
2017-08-16 20:00:17 +02:00
});
});
2017-09-28 20:42:29 +02:00
// route to get a short claim id from long claim Id
2017-12-05 19:18:49 +01:00
app.get('/api/claim-shorten-id/:longId/:name', ({ params }, res) => {
2017-11-04 01:10:08 +01:00
db.Claim.getShortClaimIdFromLongClaimId(params.longId, params.name)
2017-09-28 20:42:29 +02:00
.then(shortId => {
res.status(200).json(shortId);
})
.catch(error => {
logger.error('api error getting short channel id', error);
res.status(400).json(error.message);
});
});
// route to get a short channel id from long channel Id
2017-12-05 19:18:49 +01:00
app.get('/api/channel-shorten-id/:longId/:name', ({ ip, originalUrl, params }, res) => {
db.Certificate.getShortChannelIdFromLongChannelId(params.longId, params.name)
2017-09-28 20:42:29 +02:00
.then(shortId => {
2017-10-30 05:01:45 +01:00
logger.debug('sending back short channel id', shortId);
2017-09-28 20:42:29 +02:00
res.status(200).json(shortId);
})
.catch(error => {
logger.error('api error getting short channel id', error);
errorHandlers.handleApiError(originalUrl, ip, error, res);
2017-09-28 20:42:29 +02:00
});
});
};