13

我在 MongoDB 中有一个文档,其中一个看起来像这样:

{
"_id" : 100,
"name" : "Something",
"items" : [
    {
        "item" : 47,
        "color" : "red"
    },
    {
        "item" : 44,
        "color" : "green"
    },
    {
        "item" : 39,
        "color" : "blue"
    }
]
}

在每个文档中,我都需要找到最小的项目并将其删除。所以它应该是这样的:

{
"_id" : 100,
"name" : "Something",
"items" : [
    {
        "item" : 47,
        "color" : "red"
    },
    {
        "item" : 44,
        "color" : "green"
    }
]
}

看起来findAndModify应该在这里使用函数,但我不能再进一步了。

如何找到数组中的最小元素并将其删除?

我正在使用 MongoDB 和 Pymongo 驱动程序。

4

3 回答 3

18

If you are not restricted to having the query be in one single step, you could try:

step 1) use the aggregate function with the $unwind and $group operators to find the minimum item for each document

myresults = db.megas.aggregate( [ { "$unwind": "$items" },  
    {"$group": { '_id':'$_id' , 'minitem': {'$min': "$items.item" } } } ] )

step 2) the loop through the results and $pull the element from the array

for result in myresults['result']:
    db.megas.update( { '_id': result['_id'] }, 
        { '$pull': { 'items': { 'item': result['minitem'] } } } )
于 2012-11-12T17:58:23.847 回答
9

请找到我用纯 JavaScript 编写的解决方案。它应该直接通过 MongoDb shell 工作

cursor = db.students.aggregate(
[{ "$unwind": "$items" }, 
 { "$match": { "items.color": "green"}},
 { "$group": {'_id': '$_id', 'minitem': {
                '$min': "$items.item"
            }
        }
    }

]);

cursor.forEach(
function(coll) {
    db.students.update({
        '_id': coll._id
    }, {
        '$pull': {
            'items': {
                'item': coll.minitem
            }
        }
    })
})
于 2015-01-25T19:25:41.320 回答
0

从 开始Mongo 4.4$function聚合运算符允许应用自定义 javascript 函数来实现 MongoDB 查询语言不支持的行为。

再加上对db.collection.update()in的改进Mongo 4.2,可以接受一个聚合管道,允许根据自己的值更新字段,

我们可以以语言不容易允许的方式操作和更新数组:

// {
//   "name" : "Something",
//   "items" : [
//     { "item" : 47, "color" : "red"   },
//     { "item" : 39, "color" : "blue"  },
//     { "item" : 44, "color" : "green" }
//   ]
// }
db.collection.update(
  {},
  [{ $set:
    { "items":
      { $function: {
          body: function(items) {
            var min = Math.min(...items.map(x => x.item));
            return items.filter(x => x.item != min);
          },
          args: ["$items"],
          lang: "js"
      }}
    }
  }],
  { multi: true }
)
// {
//   "name" : "Something",
//   "items" : [
//     { "item" : 47, "color" : "red"   },
//     { "item" : 44, "color" : "green" }
//   ]
// }

$function接受3个参数:

  • body,这是要应用的函数,其参数是要修改的数组。这里的功能只是首先item从数组中找到最小值,然后再filter找出它。
  • args,其中包含body函数作为参数的记录中的字段。在我们的例子中,"$items"
  • lang,这body是编写函数的语言。仅js当前可用。
于 2020-03-31T19:00:14.597 回答