13

我在 Mongo 中有这些数据:

{
    "_id" : ObjectId("505fd43fdbed3dd93f0ae088"),
    "categoryName" : "Cat 1",
    "services" : [
        {
            "serviceName" : "Svc 1",
            "input" : [
                { "quantity" : 10, "note" : "quantity = 10" }, 
                { "quantity" : 20, "note" : "quantity = 20" }
            ]
        },
        {
            "serviceName" : "Svc 2",
            "input" : [
                { "quantity" : 30, "note" : "quantity = 30" }, 
                { "quantity" : 40, "note" : "quantity = 40" }
            ]
        }
    ]
}

现在我想更新“Svc 1”的数量:

{ "quantity" : 10, "note" : "quantity = 10" }

像:

{"quantity": 100, "note": "changed to 100"}

我该如何处理 Mongo?

据我所知,操作运算符只支持第一个数组,有人建议使用子子数组元素的索引,但问题是如何在运行时知道该索引?(我正在使用 MongoDB 的本机 C# 驱动程序)

提前感谢您的帮助!

约翰尼

4

2 回答 2

13

由于数组中有一个数组,因此没有任何简单的方法可以引用嵌套子数组,除非您知道要更新的数组中的位置。

因此,例如,您可以使用 C# 等效项更新“Svc 1”的第一个输入:

db.services.update(

    // Criteria
    {
        '_id' : ObjectId("505fd43fdbed3dd93f0ae088"),
        'services.serviceName' : 'Svc 1'
    },

    // Updates
    {
        $set : {
            'services.$.input.0.quantity' : 100,
            'services.$.input.0.note' : 'Quantity updated to 100'
        }
    }
)

如果您不知道嵌套input数组的位置,则必须获取匹配的 ,在应用程序代码中services迭代数组,然后是更新的数组。input$set

或者,您可以修改嵌套数组以使用嵌入式文档,例如:

{
    "categoryName" : "Cat 1",
    "services" : [
        {
            "serviceName" : "Svc 1",
            "input1" : { "quantity" : 10, "note" : "quantity = 10" }, 
            "input2" : { "quantity" : 20, "note" : "quantity = 20" }
        },
    ]
}

然后您可以按名称更新,例如input1

db.services.update(

    // Criteria
    {
        '_id' : ObjectId("5063e80a275c457549de2362"),
        'services.serviceName' : 'Svc 1'
    },

    // Updates
    {
        $set : {
            'services.$.input1.quantity' : 100,
            'services.$.input1.note' : 'Quantity updated to 100'
        }
    }
)
于 2012-09-27T05:39:43.910 回答
8

由于您不知道要更新的值的位置,因此首先插入具有更新信息的新值,然后删除要更新的值。

db.services.update(
   {
    '_id' : ObjectId("505fd43fdbed3dd93f0ae088"),
    'services.serviceName' : 'Svc 1'
   },
   {
    { $addToSet: { 'services.$.input' : "new sub-Doc" }
   }
)

然后在插入成功时删除

db.services.update(
   {
    '_id' : ObjectId("505fd43fdbed3dd93f0ae088"),
    'services.serviceName' : 'Svc 1'
   },
   {
    { $pull: { 'services.$.input' : { "quantity" : 10, "note" : "quantity = 10" } }
   }
)

当索引未知并且文档应该具有具有相同键的子文档时,这很有

于 2014-04-07T06:54:01.237 回答