f389bab6ab
refs https://github.com/TryGhost/Team/issues/1367 - The {{access}} property of a post always returned false for non-public content - Added the member context to the get, next-post and prev-post helpers - The get, next-post and prev-post helpers didn't add the member context to the internal API calls - Added the members context to these calls - Added tests that check if the member context is passed to the API calls - Transformed next_post helper tests to async await syntax - Transformed prev_post helper tests to async await syntax
207 lines
5.9 KiB
JavaScript
207 lines
5.9 KiB
JavaScript
// # Get Helper
|
|
// Usage: `{{#get "posts" limit="5"}}`, `{{#get "tags" limit="all"}}`
|
|
// Fetches data from the API
|
|
const {config, api, prepareContextResource} = require('../services/proxy');
|
|
const {hbs} = require('../services/rendering');
|
|
|
|
const logging = require('@tryghost/logging');
|
|
const errors = require('@tryghost/errors');
|
|
const tpl = require('@tryghost/tpl');
|
|
|
|
const _ = require('lodash');
|
|
const Promise = require('bluebird');
|
|
const jsonpath = require('jsonpath');
|
|
|
|
const messages = {
|
|
mustBeCalledAsBlock: 'The {\\{{helperName}}} helper must be called as a block. E.g. {{#{helperName}}}...{{/{helperName}}}',
|
|
invalidResource: 'Invalid resource given to get helper'
|
|
};
|
|
|
|
const createFrame = hbs.handlebars.createFrame;
|
|
|
|
const RESOURCES = {
|
|
posts: {
|
|
alias: 'postsPublic'
|
|
},
|
|
tags: {
|
|
alias: 'tagsPublic'
|
|
},
|
|
pages: {
|
|
alias: 'pagesPublic'
|
|
},
|
|
authors: {
|
|
alias: 'authorsPublic'
|
|
},
|
|
tiers: {
|
|
alias: 'tiersPublic'
|
|
}
|
|
};
|
|
|
|
// Short forms of paths which we should understand
|
|
const pathAliases = {
|
|
'post.tags': 'post.tags[*].slug',
|
|
'post.author': 'post.author.slug'
|
|
};
|
|
|
|
/**
|
|
* ## Is Browse
|
|
* Is this a Browse request or a Read request?
|
|
* @param {Object} resource
|
|
* @param {Object} options
|
|
* @returns {boolean}
|
|
*/
|
|
function isBrowse(options) {
|
|
let browse = true;
|
|
|
|
if (options.id || options.slug) {
|
|
browse = false;
|
|
}
|
|
|
|
return browse;
|
|
}
|
|
|
|
/**
|
|
* ## Resolve Paths
|
|
* Find and resolve path strings
|
|
*
|
|
* @param {Object} data
|
|
* @param {String} value
|
|
* @returns {String}
|
|
*/
|
|
function resolvePaths(globals, data, value) {
|
|
const regex = /\{\{(.*?)\}\}/g;
|
|
|
|
value = value.replace(regex, function (match, path) {
|
|
let result;
|
|
|
|
// Handle aliases
|
|
path = pathAliases[path] ? pathAliases[path] : path;
|
|
// Handle Handlebars .[] style arrays
|
|
path = path.replace(/\.\[/g, '[');
|
|
|
|
if (path.charAt(0) === '@') {
|
|
result = jsonpath.query(globals, path.substr(1));
|
|
} else {
|
|
// Do the query, which always returns an array of matches
|
|
result = jsonpath.query(data, path);
|
|
}
|
|
|
|
// Handle the case where the single data property we return is a Date
|
|
// Data.toString() is not DB compatible, so use `toISOString()` instead
|
|
if (_.isDate(result[0])) {
|
|
result[0] = result[0].toISOString();
|
|
}
|
|
|
|
// Concatenate the results with a comma, handles common case of multiple tag slugs
|
|
return result.join(',');
|
|
});
|
|
|
|
return value;
|
|
}
|
|
|
|
/**
|
|
* ## Parse Options
|
|
* Ensure options passed in make sense
|
|
*
|
|
* @param {Object} data
|
|
* @param {Object} options
|
|
* @returns {*}
|
|
*/
|
|
function parseOptions(globals, data, options) {
|
|
if (_.isString(options.filter)) {
|
|
options.filter = resolvePaths(globals, data, options.filter);
|
|
}
|
|
|
|
if (options.limit === 'all' && config.get('getHelperLimitAllMax')) {
|
|
options.limit = config.get('getHelperLimitAllMax');
|
|
}
|
|
|
|
return options;
|
|
}
|
|
|
|
/**
|
|
* ## Get
|
|
* @param {Object} resource
|
|
* @param {Object} options
|
|
* @returns {Promise}
|
|
*/
|
|
module.exports = function get(resource, options) {
|
|
options = options || {};
|
|
options.hash = options.hash || {};
|
|
options.data = options.data || {};
|
|
|
|
const self = this;
|
|
const start = Date.now();
|
|
const data = createFrame(options.data);
|
|
const ghostGlobals = _.omit(data, ['_parent', 'root']);
|
|
const apiVersion = _.get(data, 'root._locals.apiVersion');
|
|
let apiOptions = options.hash;
|
|
let returnedRowsCount;
|
|
|
|
if (!options.fn) {
|
|
data.error = tpl(messages.mustBeCalledAsBlock, {helperName: 'get'});
|
|
logging.warn(data.error);
|
|
return Promise.resolve();
|
|
}
|
|
|
|
if (!RESOURCES[resource]) {
|
|
data.error = tpl(messages.invalidResource);
|
|
logging.warn(data.error);
|
|
return Promise.resolve(options.inverse(self, {data: data}));
|
|
}
|
|
|
|
const controllerName = RESOURCES[resource].alias;
|
|
const controller = api[apiVersion][controllerName];
|
|
const action = isBrowse(apiOptions) ? 'browse' : 'read';
|
|
|
|
// Parse the options we're going to pass to the API
|
|
apiOptions = parseOptions(ghostGlobals, this, apiOptions);
|
|
apiOptions.context = {member: data.member};
|
|
|
|
// @TODO: https://github.com/TryGhost/Ghost/issues/10548
|
|
return controller[action](apiOptions).then(function success(result) {
|
|
// prepare data properties for use with handlebars
|
|
if (result[resource] && result[resource].length) {
|
|
result[resource].forEach(prepareContextResource);
|
|
}
|
|
|
|
// used for logging details of slow requests
|
|
returnedRowsCount = result[resource] && result[resource].length;
|
|
|
|
// block params allows the theme developer to name the data using something like
|
|
// `{{#get "posts" as |result pageInfo|}}`
|
|
const blockParams = [result[resource]];
|
|
if (result.meta && result.meta.pagination) {
|
|
result.pagination = result.meta.pagination;
|
|
blockParams.push(result.meta.pagination);
|
|
}
|
|
|
|
// Call the main template function
|
|
return options.fn(result, {
|
|
data: data,
|
|
blockParams: blockParams
|
|
});
|
|
}).catch(function error(err) {
|
|
logging.error(err);
|
|
data.error = err.message;
|
|
return options.inverse(self, {data: data});
|
|
}).finally(function () {
|
|
const totalMs = Date.now() - start;
|
|
const logLevel = config.get('logging:slowHelper:level');
|
|
const threshold = config.get('logging:slowHelper:threshold');
|
|
if (totalMs > threshold) {
|
|
logging[logLevel](new errors.HelperWarning({
|
|
message: `{{#get}} helper took ${totalMs}ms to complete`,
|
|
code: 'SLOW_GET_HELPER',
|
|
errorDetails: {
|
|
api: `${apiVersion}.${controllerName}.${action}`,
|
|
apiOptions,
|
|
returnedRows: returnedRowsCount
|
|
}
|
|
}));
|
|
}
|
|
});
|
|
};
|
|
|
|
module.exports.async = true;
|