MongoDB - 批量更新嵌套 objects 数组中的值

MongoDB - bulk updating values in arrays of nested objects

我在 MongoDB 中有一个集合,代表孩子们每天需要做的家务以及他们是否完成了。这是文档的示例。

{
  "_id":"2022-02-13:joe",
  "kidName":"Joe",
  "chores": [
    {"chore":"Breakfast: clear dishes and utensils","done":true}, 
    {"chore":"Clearing dishes after meals","done":true},
    {"chore":"Put away coats, knapsack, and shoes","done":true}, 
    {"chore":"Clear toys","done":true}
   ],
    "date": 2022-02-13T00:00:00.000+00:00
  }

我想更改它,使 done 不是布尔值,而是一个整数,其中:

Meaning value
Done 1
Not Done -1
Unmarked 0

Compass 中是否有管道或技巧可以对集合中的所有文档执行此操作?

您可以使用 update method with aggregation pipeline 来更新杂务数组。您需要使用以下管道来获得所需的结果:

db.collection.updateMany(
    { 'chores.0': { '$exists': true } },
    [
        { '$set': {
            'chores': {
                '$map': {
                    'input': '$chores',
                    'as': 'chore',
                    'in': {
                        '$mergeObjects': [
                            '$$chore',
                            { 
                                'done': {
                                    '$switch': {
                                        'branches': [
                                            { 'case': { $eq: [ '$$chore.done', true ] }, then: 1 },
                                            { 'case': { 
                                                $eq: [ 
                                                    { $ifNull: ['$$chore.done', 'Unmarked'] }, 
                                                    'Unmarked' 
                                                ] }, 
                                                then: 0 
                                            },
                                            { 'case': { $eq: [ '$$chore.done', false ] }, then: -1 },
                                        ],
                                        default: 0
                                    }
                                }
                            }
                        ]
                    }
                }
            } 
        } }
    ]
)