我需要向find蓝图的结果添加一些其他数据。我找到了这个解决方案:

module.exports = {
  find: function(req, res) {
    return sails.hooks.blueprints.middleware.find(req, res);
  }
}


但是我找不到在此处更改响应或将回调添加到蓝图中的任何方法。我什至尝试更改蓝图并在其中添加cb:

module.exports = function findRecords (req, res, cb) {
  ...
  if (typeof cb === 'function') res.ok(cb(result));
  else res.ok(result);


但在这种情况下,每次都会返回500 statusCode(但带有相应的数据)

最佳答案

我已经在同一个问题上挣扎了一段时间。这是我的技巧(有解释)来解决这个问题。

如果发生错误,内置蓝图将始终调用res.okres.notFoundres.serverError。通过更改此方法调用,可以修改输出。

/**
 * Lets expose our own variant of `find` in one of my controllers
 * (Code below has been inserted into each controller where this behaviour is needed..)
 */
module.exports.find = function (req, res) {

    const override = {};
    override.serverError = res.serverError;
    override.notFound = res.notFound;
    override.ok = function (data) {

        console.log('overriding default sails.ok() response.');
        console.log('Here is our data', data);

        if (Array.isArray(data)) {
            // Normally an array is fetched from the blueprint routes
            async.map(data, function(record, cb){

                // do whatever you would like to each record
                record.foo = 'bar';
                return cb(null, record);

            }, function(err, result){
                if (err) return res.error(err);
                return res.ok(result);
            });
        }
        else if (data){
            // blueprint `find/:id` will only return one record (not an array)
            data.foo = 'bar';
            return res.ok(data);
        }
        else {
            // Oh no - no results!
            return res.notFound();
        }
    };

    return sails.hooks.blueprints.middleware.find(req, override);
};

关于node.js - 航行蓝图生命周期,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/39468039/

10-16 21:22