6

我知道以前有人问过这个问题,但那是另一种情况。我想要一个这样的集合:

{
    "_id" : ObjectId("4c28f62cbf8544c60506f11d"),
    "pk": 1,
    "forums": [{
        "pk": 1,
        "thread_count": 10, 
        "post_count": 20,
    }, {
        "pk": 2,
        "thread_count": 5, 
        "post_count": 24,
    }]
}

我想要做的是插入一个“论坛”项目,增加计数器或添加一个项目(如果它不存在)。

例如做这样的事情(我希望它有意义):

db.mycollection.update({
    "pk": 3,
    "forums.pk": 2
}, {
    "$inc": {"forums.$.thread_count": 1},
    "$inc": {"forums.$.post_count": 1},
}, true)

并且有:

{
    "_id" : ObjectId("4c28f62cbf8544c60506f11d"),
    "pk": 1,
    "forums": [{
        "pk": 1,
        "thread_count": 10, 
        "post_count": 20,
    }, {
        "pk": 2,
        "thread_count": 5, 
        "post_count": 24,
    }]
},
{
    "_id" : ObjectId("4c28f62cbf8544c60506f11e"),
    "pk": 3,
    "forums": [{
        "pk": 2,
        "thread_count": 1, 
        "post_count": 1,
    }]
}

我肯定可以分三步完成:

  1. 用一个新项目 Upsert 整个集合
  2. addToSet 论坛项目到列表
  3. 使用位置运算符增加论坛项目计数器

也就是说:

db.mycollection.update({pk:3}, {pk:3}, true)
db.mycollection.update({pk:3}, {$addToSet: {forums: {pk:2}}})
db.mycollection.update({pk:3, 'forums.pk': 2}, {$inc: {'forums.$.thread_counter': 1, {'forums.$.post_counter': 1}})

您知道更有效的方法吗?TIA,德语

4

1 回答 1

10

您可能已经发现,位置运算符不能用于 upserts:

位置运算符不能与 an 组合,upsert因为它需要匹配的数组元素。如果您的更新导致插入,则“$”将按字面意思用作字段名称。

因此,您将无法在单个查询中获得所需的结果。

必须将文档的创建与计数器更新分开。您自己的解决方案是在正确的轨道上。可以浓缩为以下两个查询:

// optionally create the document, including the array
db.mycollection.update({pk:3}, {$addToSet: {forums: {pk:2}}}, true)

// update the counters in the array item
db.mycollection.update({pk:3, 'forums.pk': 2}, {$inc: {'forums.$.thread_counter': 1, 'forums.$.post_counter': 1}})
于 2010-11-03T11:03:26.437 回答