112

我无法手动或自动在新保存的对象上填充创建者字段......我能找到的唯一方法是重新查询我已经拥有的我不想做的对象。

这是设置:

var userSchema = new mongoose.Schema({   
  name: String,
});
var User = db.model('User', userSchema);

var bookSchema = new mongoose.Schema({
  _creator: { type: mongoose.Schema.Types.ObjectId, ref: 'User' },
  description: String,
});
var Book = db.model('Book', bookSchema);

这是我拉头发的地方

var user = new User();
user.save(function(err) {
    var book = new Book({
        _creator: user,
    });
    book.save(function(err){
        console.log(book._creator); // is just an object id
        book._creator = user; // still only attaches the object id due to Mongoose magic
        console.log(book._creator); // Again: is just an object id
        // I really want book._creator to be a user without having to go back to the db ... any suggestions?
    });
});

编辑:最新的猫鼬修复了这个问题并添加了填充功能,请参阅新接受的答案。

4

13 回答 13

150

您应该能够使用模型的填充函数来执行此操作:http: //mongoosejs.com/docs/api.html#model_Model.populate 在书的保存处理程序中,而不是:

book._creator = user;

你会做类似的事情:

Book.populate(book, {path:"_creator"}, function(err, book) { ... });

帮助你的答案可能为时已晚,但我最近被困在这个问题上,它可能对其他人有用。

于 2013-07-06T17:57:02.193 回答
44

我的解决方案是使用execPopulate,像这样

const t = new MyModel(value)
return t.save().then(t => t.populate('my-path').execPopulate())
于 2018-05-14T15:29:26.187 回答
37

万一有人还在寻找这个。

Mongoose 3.6 引入了许多很酷的功能来填充:

book.populate('_creator', function(err) {
 console.log(book._creator);
});

或者:

Book.populate(book, '_creator', function(err) {
 console.log(book._creator);
});

在以下位置查看更多信息:https ://github.com/LearnBoost/mongoose/wiki/3.6-Release-Notes#population

但是这样你仍然会再次查询用户。

在没有额外查询的情况下完成它的一个小技巧是:

book = book.toObject();
book._creator = user;
于 2015-01-02T13:25:37.453 回答
29

返回承诺(无回调)的解决方案:

使用文档#populate

book.populate('creator').execPopulate();

// summary
doc.populate(options);               // not executed
doc.populate(options).execPopulate() // executed, returns promise

可能的实施

var populatedDoc = doc.populate(options).execPopulate();
populatedDoc.then(doc => {
   ... 
});

在此处阅读有关文档数量的信息。

于 2017-06-17T03:29:22.447 回答
12

只是为了详细说明并举另一个例子,因为它帮助了我。这可能会帮助那些想要在保存后检索部分填充的对象的人。方法也略有不同。花了一两个多小时寻找正确的方法。

  post.save(function(err) {
    if (err) {
      return res.json(500, {
        error: 'Cannot save the post'
      });
    }
    post.populate('group', 'name').populate({
      path: 'wallUser',
      select: 'name picture'
    }, function(err, doc) {
      res.json(doc);
    });
  });
于 2014-07-24T05:30:52.543 回答
12

我想我会补充一点,以澄清像我这样的完全菜鸟的事情。

如果您不小心的话,最令人困惑的是,存在三种非常不同的填充方法。它们是不同对象的方法(模型与文档),接受不同的输入并给出不同的输出(文档与承诺)。

它们是为那些感到困惑的人准备的:

Document.prototype.populate()

查看完整文档。

这适用于文档并返回文档。在原始示例中,它看起来像这样:

book.save(function(err, book) {
    book.populate('_creator', function(err, book) {
        // Do something
    })
});

因为它适用于文档并返回一个文档,所以您可以将它们链接在一起,如下所示:

book.save(function(err, book) {
    book
    .populate('_creator')
    .populate('/* Some other ObjectID field */', function(err, book) {
        // Do something
    })
});

但不要像我一样傻,尝试这样做:

book.save(function(err, book) {
    book
    .populate('_creator')
    .populate('/* Some other ObjectID field */')
    .then(function(book) {
        // Do something
    })
});

记住: Document.prototype.populate() 返回一个文档,所以这是胡说八道。如果你想要一个承诺,你需要...

Document.prototype.execPopulate()

查看完整文档。

这个适用于文档,但它返回一个解析为文档的承诺。换句话说,您可以像这样使用它:

book.save(function(err, book) {
    book
    .populate('_creator')
    .populate('/* Some other ObjectID field */')
    .execPopulate()
    .then(function(book) {
        // Do something
    })
});

这样更好。最后,有...

模型.populate()

查看完整文档。

这个适用于模型并返回一个承诺。因此,它的使用方式有所不同:

book.save(function(err, book) {
    Book // Book not book
    .populate(book, { path: '_creator'})
    .then(function(book) {
        // Do something
    })
});

希望这对其他一些新人有所帮助。

于 2018-07-19T21:09:42.543 回答
1

不幸的是,这是 mongoose 的一个长期存在的问题,我认为尚未解决:

https://github.com/LearnBoost/mongoose/issues/570

您可以做的是为此编写自己的自定义 getter/setter(并在单独的属性中设置真实)。 _customer例如:

var get_creator = function(val) {
    if (this.hasOwnProperty( "__creator" )) {
        return this.__creator;
    }
    return val;
};
var set_creator = function(val) {
    this.__creator = val;
    return val;
};
var bookSchema = new mongoose.Schema({
  _creator: {
     type: mongoose.Schema.Types.ObjectId,
     ref: 'User',
     get: get_creator,
     set: set_creator
  },
  description: String,
});

注意:我没有对其进行测试,.populate并且在设置纯 id 时它可能会奇怪地工作。

于 2012-11-23T10:10:30.383 回答
1

猫鼬 5.2.7

这对我有用(只是很头疼!)

exports.create = (req, res, next) => {
  const author = req.userData;
  const postInfo = new Post({
    author,
    content: req.body.content,
    isDraft: req.body.isDraft,
    status: req.body.status,
    title: req.body.title
  });
  postInfo.populate('author', '_id email role display_name').execPopulate();
  postInfo.save()
    .then(post => {
      res.status(200).json(post);
    }).catch(error => {
      res.status(500).json(error);
    });
};
于 2018-08-09T17:13:25.393 回答
1

将文档保存在模型中,然后填充

   chatRoom = await chatRoom.save();
   const data = await chatRoom
  .populate("customer", "email dp")
  .populate({
    path: "admin",
    select: "name logo",
  })
  .execPopulate();
于 2021-04-05T04:52:21.717 回答
0

大概…… 像

Book.createAsync(bookToSave).then((savedBook) => savedBook.populateAsync("creator"));

将是完成这项工作的最好且问题最少的方法(使用 Bluebird 承诺)。

于 2017-01-05T16:33:52.907 回答
0

最终编写了一些可咖喱的 Promise 函数,您可以在其中声明您的模式、query_adapter、data_adapter 函数并提前填充字符串。对于更短/更简单的实现更容易。

它可能不是超级高效,但我认为执行位非常优雅。

github 文件:curry_Promises.js

声明

const update_or_insert_Item = mDB.update_or_insert({
    schema : model.Item,
    fn_query_adapter : ({ no })=>{return { no }},
    fn_update_adapter : SQL_to_MDB.item,
    populate : "headgroup"
    // fn_err : (e)=>{return e},
    // fn_res : (o)=>{return o}
})

执行

Promise.all( items.map( update_or_insert_Item ) )
.catch( console.error )
.then( console.log )
于 2018-09-04T16:07:48.783 回答
0

它对我有用

    let post = await PostModel.create({
        ...req.body, author: userId
    })

    post = await post.populate('author', 'name')

    res.status(200).json({
        status: 'success',
        data: { post }
    })
于 2021-11-01T04:15:35.613 回答
-1

我没有在这里添加任何新内容。

这只是使用 async/await 编写此代码的一种更简洁的方式:

const newCourse = new Course(new_course_data);
const populate_options = [
  // Here write your populate options
];
const created_course = await newCourse.save();
await created_course.populate(populate_options).execPopulate();
于 2021-06-13T10:52:29.413 回答