我正在使用Sails.js
版本0.10.x,而我刚刚开始试用它associactions
。
在我的场景中,我有一个拥有许多文档的用户。
所以在/api/models/User.js
我有:
module.exports = {
// snipped out bcrypt stuff etc
attributes: {
email: {
type: 'string',
unique: true,
index: true,
required: true
},
documents: {
collection: 'document',
via: 'owner'
},
}
};
并在/api/models/Document.js
我有:
module.exports = {
attributes: {
name: 'string',
owner: {
model: 'user'
}
}
};
在我DocumentController
我有以下内容:
fileData = {
name: file.name,
owner: req.user
}
Document.create(fileData).exec(function(err, savedFile){
if (err) {
next(err);
} else {
results.push({
id: savedFile.id,
url: '/files/' + savedFile.name,
document: savedFile
});
next();
}
});
通过命令行查看我的本地mongo
数据库,我可以看到文档的所有者字段设置如下"owner" : ObjectId("xxxxxxxxxxxxxxxxxxxxxxxx")
,这是预期的。
但是当我稍后通过req.user
检查DocumentController中的sails.log.debug("user has documemts", req.user.documents);
对象时,我看到了
debug: user has documents [ add: [Function: add], remove: [Function: remove] ]
而不是Document
个对象的数组。
在我生成的slim
模板
if req.user.documents.length > 0
ul
for doc in req.user.documents
li= doc.toString()
else
p No Documents!
我总是得到“没有文件!”
我似乎错过了一些明显的东西,但我不确定那是什么。
答案 0 :(得分:2)
我通过浏览Waterline
源代码来解决这个问题。
首先,正如我所希望的那样,关联的双方都受到Document
实例创建的影响,我只需要重新加载我的用户。
在控制器中,这就像User.findOne(req.user.id).populateAll().exec(...)
我还修改了我的passport
服务助手,如下所示
function findById(id, fn) {
User.findOne(id).populateAll().exec(function (err, user) {
if (err) return fn(null, null);
return fn(null, user);
});
}
function findByEmail(email, fn) {
User.findOne({email: email}).populateAll().exec(function (err, user) {
if (err) return fn(null, null);
return fn(null, user);
});
}
现在,每个请求都正确加载user
及其关联。
我不得不深入挖掘源代码以找到populateAll()
方法,因为它实际上没有记录在任何我能找到的地方。我也可以使用populate('documents')
,但我要向用户添加其他关联,因此需要populateAll()
来加载所有相关关联。