使用 Mongoose 在 Node.js 中存储一对多关系

Storing a one to many relationship in Node.js using Mongoose

我有一个非常简单的一对多关系,其中 User 有一个 Alerts 列表。为此,我定义了以下模式:

var userSchema = new Schema({
    email: String,
    alerts: [{type: Schema.Types.ObjectId, ref: 'Alert'}]
});
var User = mongoose.model('User', userSchema);

var alertSchema = new Schema({
    _creator: {type: Schema.Types.ObjectId, ref: 'User'},
    value: String,
});
var Alert = mongoose.model('Alert', alertSchema);

现在,我正在尝试创建一个函数来创建一个新的 Alert 并将其添加到数据库中的现有 User。我有以下代码(删除错误处理使代码更短):

function createAlertForUser(userId, value) {
    User.findOne({_id: userId}, function (error, user) {

        var alert = new Alert({
            _creator: userId,
            value: value
        });

        alert.save(function (error, alert) {

            // push it to the user
            user.alerts.push(alert);
            user.save(function(error) {
                console.log("saved");
            });
        });
    });
}

但是,当我检查数据库时,我似乎将空值保存到用户的警报列表中。知道我遗漏了什么吗?

您尝试将整个 Alert 对象推送到 ObjectId 的数组。

试试这个:

user.alerts.push(alert.id);

user.alerts.push(alert._id);

两个都是正确的。