我有这样的文件:
{
_id: 'some id',
body: 'i want some apple',
},
{
_id: 'some id2',
body: 'i want some apple and banana',
}
我想查找并替换文档的所有主体短语some apple
到lots of oranges
。
预期结果:
{
_id: 'some id',
body: 'i want lots of oranges',
},
{
_id: 'some id2',
body: 'i want lots of oranges and banana',
}
所以我找到了所有与此相关的文件:
myDB.find({
"body": {
"$regex": "some apple",
"$options": "i"
}
},
function(err, docs) {
console.log(docs);
}
);
)
但是不知道如何仅将文档的特定主体短语some apple
替换和更新为lots of oranges
。
我该怎么做?
答案 0 :(得分:4)
您应该考虑使用mongoDB text index
您可以通过创建并像这样索引来实现:
db.yourCollectionName.createIndex({ body: "text" });
之后,您可以运行以下查询:
db.yourCollectionName.updateMany(
{ $text: { $search: "\"some apple\"" }},
{ $set: { body: "i want lots of oranges" }},
{ new: true }
);
应该这样做
答案 1 :(得分:1)
您可以循环浏览和更新
db.people.find({
body: {
$regex: "some apple",
$options: "i"
}
}).forEach(doc => {
doc.body = doc.body.replace(/some apple/ig, 'lots of oranges');
db.people.update({ _id: doc._id }, { $set: { body: doc.body } });
});