21

我正在mongodb 控制台上尝试这个:

db.foobar.update( 
  { name: "Foobar" },
  { 
    $set : { foo: { bar: 'bar' }, 
    $inc: { 'foo.count': 1 } 
  } 
}, true)

它返回“ok”,但是db.foobar.find(),返回一个空记录集。我正在尝试upsert一个文档,所以它看起来像:

name: Foobar
foo: {
  bar: 'bar'
  count: 1
}

如果文档不存在,则创建一个计数为 1 的文档。否则,只需增加计数。为什么上面不工作?

4

3 回答 3

28

在我看来,您的代码实际上是在尝试设置文档的 $inc 字段,而不是在 foo.count 字段上使用 $inc 修饰符。这可能是你想要的:

db.foobar.update(
    { name: "Foobar" }, 
    {
        $set: { 'foo.bar': 'bar' }, 
        $inc: { 'foo.count': 1 } 
    }, true)

希望这可以帮助。

于 2012-05-27T15:51:01.120 回答
2

在您提供的代码片段中,您在 $set 对象之后缺少一个右大括号。但这是一个侧面问题。

我不相信您可以在一次事务中设置和增加相同的子文档。由于 count 是 foo 下的成员,因此在 upsert 上,它还不存在。尝试以下操作时出现的错误:

db.foobar.update( 
   { name: "Foobar" },
   { 
     $set : { foo: { bar: 'bar' }}, 
     $inc: { 'foo.count': 1 } 
   } 
}, true)

是“更新中的冲突模组”。也许你可以这样建模:

db.foobar.update({name:"foobar"},{$set:{foo:{bar:"bar"}},$inc:{count:1}},true);

或者,如果您愿意:

db.foobar.update({name:"foobar"},{$set:{foo:{bar:"bar"}},$inc:{"counts.foo":1}},true);
于 2012-05-27T19:55:08.420 回答
0

所以我目前正在尝试:

var doc = {
            "name": "thename",
            "organisation": "theorganisation"
        }, // document to update. Note: the doc here matches the existing array
    query = { "email": "email@example" }; // query document
    query["history.name"] = doc.name; // create the update query
    query["history.organisation"] = doc.organisation;
    var update = db.getCollection('users').findAndModify({
        "query": query,
        "update": { 
            "$set": { 
                "history.$.name": doc.name,
                "history.$.organisation": doc.organisation
            },
            "$inc": { "history.$.score": 5 } //increment score
        }
    });
    if (!update) {
        db.getCollection('users').update(
            { "email": query.email },
            { "$push": { "history": doc } }
        );
    }
    db.getCollection('users').find({ "email": "email@example" });

这会更新score, 并将其添加到对象中(如果它不存在),但是它似乎将所有对象names 更改为 doc.name (即在这种情况下为“thename”)。

如果文档不存在,我还没有了解

于 2016-06-14T19:37:15.813 回答