通过ID将对象以原子方式从一个数组移动到同一文档中的另一个数组

时间:2019-07-26 01:12:58

标签: mongodb

我有如下数据:

{
  "_id": ObjectId("4d525ab2924f0000000022ad"),
  "arrayField": [
    { id: 1, other: 23 },
    { id: 2, other: 21 },
    { id: 0, other: 235 },
    { id: 3, other: 765 }
  ],
  "someOtherArrayField": []
}

鉴于嵌套对象的ID(0),我想$pull从一个数组(arrayField)中的元素,然后$push到另一个数组({ {1}})。结果应如下所示:

someOtherArrayField

我意识到我可以通过查找并随后进行更新来完成此操作,即

{
  "_id": ObjectId("id"), 
  "arrayField": [
    { id: 1, other: 23 },
    { id: 2, other: 21 },
    { id: 3, other: 765 }
  ],
  "someOtherArrayField": [
    { id: 0, other: 235 }
  ]
}

但是我正在寻找原子操作,例如,用伪代码:

db.foo.findOne({"_id": param._id})
.then((doc)=>{
  db.foo.update(
    {
      "_id": param._id
    },
    {
      "$pull": {"arrayField": {id: 0}},
      "$push": {"someOtherArrayField": {doc.array[2]} }
    }
  )
})

是否有一种原子方法可以执行此操作,也许使用MongoDB 4.2的ability to specify a pipeline to an update command?看起来如何?

我发现this post慷慨地提供了我使用的数据,但是提供的解决方案不是原子操作。 MongoDB 4.2是否有可能实现原子解决方案?

1 个答案:

答案 0 :(得分:1)

这里是一个示例:

> db.baz.find()
> db.baz.insert({
...   "_id": ObjectId("4d525ab2924f0000000022ad"),
...   "arrayField": [
...     { id: 1, other: 23 },
...     { id: 2, other: 21 },
...     { id: 0, other: 235 },
...     { id: 3, other: 765 }
...   ],
...   "someOtherArrayField": []
... })
WriteResult({ "nInserted" : 1 })

function extractIdZero(arrayFieldName) {
    return {$arrayElemAt: [
        {$filter: {input: arrayFieldName, cond: {$eq: ["$$this.id", 0]}}}, 
        0
    ]};
}

extractIdZero("$arrayField")
{
    "$arrayElemAt" : [
        {
            "$filter" : {
                "input" : "$arrayField",
                "cond" : {
                    "$eq" : [
                        "$$this.id",
                        0
                    ]
                }
            }
        },
        0
    ]
}

db.baz.updateOne(
    {_id: ObjectId("4d525ab2924f0000000022ad")},
    [{$set: {
         arrayField: {$filter: {
             input: "$arrayField",
             cond: [{$ne: ["$$this.id", 0]}]
         }},
         someOtherArrayField: {$concatArrays: [
             "$someOtherArrayField",
             [extractIdZero("$arrayField")]
         ]}
     }}
    ])
{ "acknowledged" : true, "matchedCount" : 1, "modifiedCount" : 1 }
> db.baz.findOne()
{
    "_id" : ObjectId("4d525ab2924f0000000022ad"),
    "arrayField" : [
        {
            "id" : 1,
            "other" : 23
        },
        {
            "id" : 2,
            "other" : 21
        },
        {
            "id" : 0,
            "other" : 235
        },
        {
            "id" : 3,
            "other" : 765
        }
    ],
    "someOtherArrayField" : [
        {
            "id" : 0,
            "other" : 235
        }
    ]
}