使用异步瀑布填充查询选项

时间:2017-10-19 03:05:02

标签: javascript node.js mongodb mongoose async.js

我正在尝试使用mongoose populate查询选项,但我不知道为什么查询选项不起作用。

我有用户架构:

const mongoose = require('mongoose');
const Schema   = mongoose.Schema;

const UserSchema = new Schema(
  {
    username: { type: String, required: true },
    email: { type: String },
    name: { type: String },
    address: { type: String }
  },
  { timestamps: true }
);
module.exports = mongoose.model('User', UserSchema);

和Feed架构:

const mongoose = require('mongoose');
const Schema   = mongoose.Schema;

const FeedSchema = new Schema(
  {
    user: { type: Schema.ObjectId, ref: 'User' },
    notes: { type: String, required: true },
    trx_date: { type: Date },
    status: { type: Boolean, Default: true }
  },
  { timestamps: true }
);

FeedSchema.set('toObject', { getters: true  });

module.exports = mongoose.model('Feed', FeedSchema);

我希望按feed ID找到所有user,我使用async waterfall,如下面的代码:

async.waterfall([
  function(callback) {
    User
      .findOne({ 'username': username })
      .exec((err, result) => {
        if (result) {
          callback(null, result);
        } else {
          callback(err);
        }
      });
  },

  function(userid, callback) {

    // find user's feed
    Feed
      .find({})
      // .populate('user', {_id: userid._id})  <== this one also doesn't work
      .populate({
        path: 'user',
        match: { '_id': { $in: userid._id } }
      })
      .exec(callback);
  }
], function(err, docs) {
  if (err) {
    return next(err);
  }

  console.log(docs);
});

使用上面的代码,我得到了所有的feed,看起来查询选项根本不起作用,我做错了吗?

任何帮助都会受到赞赏。

1 个答案:

答案 0 :(得分:2)

在“你甚至填充”之前,当_id的值已经存储在"user"属性中“时,不确定为什么要匹配”之后“填充。

因此,.find()只是一个简单的“查询”条件:

async.waterfall([
  (callback) =>
    User.findOne({ 'username': username }).exec(callback),

  (user, callback) => {
    if (!user) callback(new Error('not found'));  // throw here if not found
    // find user's feed
    Feed
      .find({ user: user._id })
      .populate('user')
      .exec(callback);
  }
], function(err, docs) {
  if (err) {
    return next(err);
  }

  console.log(docs);
});

请记住.findOne()正在返回整个文档,因此您只需要新查询中的_id属性。另请注意,初始瀑布函数中的“杂耍”不是必需的。如果存在错误,那么它将“快速失败”到结束回调,或以其他方式通过结果。将“未找到”降级为下一个方法。

当然这没有必要,因为"Promises"已经存在了一段时间,你真的应该使用它们:

User.findOne({ "username": username })
 .then( user => Feed.find({ "user": user._id }).populate('user') )
 .then( feeds => /* do something */ )
 .catch(err => /* do something with any error */)

或者确实使用MongoDB支持的$lookup

User.aggregate([
  { "$match": { "username": username } },
  { "$lookup": {
    "from": Feed.collection.name,
    "localField": "_id",
    "foreignField": "user",
    "as": "feeds"
  }}
]).then( user => /* User with feeds in array /* )

输出有点不同,实际上你可以通过一些操作来改变它看起来相同,但这应该给你一般的想法。

重要的是,让服务器进行连接而不是发出多个请求通常会更好,这至少会增加延迟。