26

我的 mongodb 集合中有一个对象。它的架构是:

{
    "instruments": ["A", "B", "C"],
    "_id": {
        "$oid": "508510cd6461cc5f61000001"
    }
}

我的收藏可能有这样的对象,但可能没有。我需要检查是否存在带有键“instruments”的对象(请注意,我现在不知道“instrument”是什么值,它可能包含任何值或数组),如果存在 - 执行更新,否则– 插入一个新值。我怎样才能做到这一点?

collection.find( {  "instruments" : { $exists : true } }, function(err, object){
    if (object) {
        //update
    } else {
        //insert
    }
});

不起作用((

4

1 回答 1

24

如果要插入一个文档,如果没有找到,可以使用方法upsert中的选项update()

collection.update(_query_, _update_, { upsert: true });

有关upsert行为,请参阅文档。

运营商的一个例子$exists

假设您的收藏中有 6 个文档:

> db.test.find()
{ "_id": ObjectId("5495aebff83774152e9ea6b2"), "a": 1 }
{ "_id": ObjectId("5495aec2f83774152e9ea6b3"), "a": [ ] }
{ "_id": ObjectId("5495aec7f83774152e9ea6b4"), "a": [ "b" ] }
{ "_id": ObjectId("5495aecdf83774152e9ea6b5"), "a": [ null ] }
{ "_id": ObjectId("5495aed5f83774152e9ea6b7"), "a": [ 0 ] }
{ "_id": ObjectId("5495af60f83774152e9ea6b9"), "b": 2 }

并且您想查找具有特定字段的文档"a"),您可以使用find()带有$exists运算符(节点文档)的方法。注意:这还将返回字段为空数组的文档。

> db.test.find( { a: { $exists: true } } )
{ "_id": ObjectId("5495aebff83774152e9ea6b2"), "a": 1 }
{ "_id": ObjectId("5495aec2f83774152e9ea6b3"), "a": [ ] }
{ "_id": ObjectId("5495aec7f83774152e9ea6b4"), "a": [ "b" ] }
{ "_id": ObjectId("5495aecdf83774152e9ea6b5"), "a": [ null ] }
{ "_id": ObjectId("5495aed5f83774152e9ea6b7"), "a": [ 0 ] }
于 2012-10-22T12:22:46.717 回答