我有一个node.js应用程序,它提取一些数据并将其粘贴到一个对象中,就像这样:

var results = new Object();

User.findOne(query, function(err, u) {
    results.userId = u._id;
}

当我基于存储的ID执行if/then时,比较永远不会为真:

if (results.userId == AnotherMongoDocument._id) {
    console.log('This is never true');
}

当我对这两个id执行console.log时,它们完全匹配:

User id: 4fc67871349bb7bf6a000002 AnotherMongoDocument id: 4fc67871349bb7bf6a000002

我假设这是某种数据类型问题,但我不确定如何转换结果。userId转换为一个数据类型,这将导致上述比较是正确的,我的外包大脑(又名谷歌)一直无法提供帮助。


当前回答

objectid是对象,所以如果你用==比较它们,你是在比较它们的引用。如果你想比较它们的值,你需要使用ObjectID。=方法:

if (results.userId.equals(AnotherMongoDocument._id)) {
    ...
}

其他回答

猫鼬从5到6的迁徙指南:

“猫鼬现在添加valueOf()函数到ObjectIds。这意味着你现在可以使用==来比较ObjectId和字符串。”

https://mongoosejs.com/docs/migrating_to_6.html#objectid-valueof

objectid是对象,所以如果你用==比较它们,你是在比较它们的引用。如果你想比较它们的值,你需要使用ObjectID。=方法:

if (results.userId.equals(AnotherMongoDocument._id)) {
    ...
}

根据以上,我找到了三种解决问题的方法。

AnotherMongoDocument._id.toString () JSON.stringify (AnotherMongoDocument._id) results.userId.equals (AnotherMongoDocument._id)

这里建议的三个可能的解决方案有不同的用例。

在两个mongodocument上比较ObjectId时使用.equals

results.userId.equals(AnotherMongoDocument._id)

在比较ObjectId的字符串表示和mongoDocument的ObjectId时使用. tostring()。像这样

results.userId === AnotherMongoDocument._id.toString()

Mongoose使用mongodb-native驱动程序,该驱动程序使用定制的ObjectID类型。你可以用.equals()方法比较objectid。在您的示例中,results.userId.equals(AnotherMongoDocument._id)。ObjectID类型还有一个toString()方法,如果你希望以JSON格式存储ObjectID的字符串化版本,或者一个cookie。

如果使用ObjectID = require("mongodb")。ObjectID(需要mongodb-native库)你可以检查如果结果。userId是带有结果的有效标识符。userId instanceof ObjectID。

Etc.