如何在MongoDB中增加现有值

时间:2017-12-28 11:34:25

标签: javascript mongodb mongodb-stitch

我正在使用Stitch platform by MongoDB。我想在数据库中存储与该值关联的valuecount。现在value可能不是第一次出现,所以我想将valuecount = 1一起插入。 我可以使用update()使用$inc更新现有的count值,或者我可以使用upsert()在数据库中添加值。 现在,问题是,我有map我的值和计数,我想一次插入(更新/ upsert)。我不想在网络上加载。 我使用insertMany()一次插入map,但显然不会更新值。

那么可以吗?

P.S。我正在使用javascript。

1 个答案:

答案 0 :(得分:1)

根据MongoDb 3.6:

db.collection.update(query, update, options)

  

修改集合中的现有文档。该方法可以修改现有文档的特定字段或完全替换现有文档,具体取决于更新参数。

这意味着您可以使用更新来保存多个文档。

首先,您应该从地图创建仅包含值的数组。

const arrayOfValues = ['value_01', 'values_02'];

然后你应该在更新方法上使用upsert + multi选项:

db.foo.update({value: { $in: arrayOfValues}}, {$inc: {count:1}}, { upsert: true, multi: true });

测试输出:

> db.createCollection("test");
{ "ok" : 1 }
> db.test.insertMany([{value: "a"}, {value: "b"}, {value: "c"}];
... );
2017-12-31T12:12:18.040+0200 E QUERY    [thread1] SyntaxError: missing ) after argument list @(shell):1:61
> db.test.insertMany([{value: "a"}, {value: "b"}, {value: "c"}]);
{
    "acknowledged" : true,
    "insertedIds" : [
        ObjectId("5a48b8061b98cc5ac252e435"),
        ObjectId("5a48b8061b98cc5ac252e436"),
        ObjectId("5a48b8061b98cc5ac252e437")
    ]
}
> db.test.find();
{ "_id" : ObjectId("5a48b8061b98cc5ac252e435"), "value" : "a" }
{ "_id" : ObjectId("5a48b8061b98cc5ac252e436"), "value" : "b" }
{ "_id" : ObjectId("5a48b8061b98cc5ac252e437"), "value" : "c" }
> db.test.update({value: { $in: ["a", "b", "c"]}}, {$inc: {count:1}}, { upsert: true, multi: true });
WriteResult({ "nMatched" : 3, "nUpserted" : 0, "nModified" : 3 })
> db.test.find();
{ "_id" : ObjectId("5a48b8061b98cc5ac252e435"), "value" : "a", "count" : 1 }
{ "_id" : ObjectId("5a48b8061b98cc5ac252e436"), "value" : "b", "count" : 1 }
{ "_id" : ObjectId("5a48b8061b98cc5ac252e437"), "value" : "c", "count" : 1 }
> db.test.update({value: { $in: ["a", "b", "c"]}}, {$inc: {count:1}}, { upsert: true, multi: true });
WriteResult({ "nMatched" : 3, "nUpserted" : 0, "nModified" : 3 })
> db.test.find();
{ "_id" : ObjectId("5a48b8061b98cc5ac252e435"), "value" : "a", "count" : 2 }
{ "_id" : ObjectId("5a48b8061b98cc5ac252e436"), "value" : "b", "count" : 2 }
{ "_id" : ObjectId("5a48b8061b98cc5ac252e437"), "value" : "c", "count" : 2 }
> db.test.update({value: { $in: ["a", "b", "c"]}}, {$inc: {count:1}}, { upsert: true, multi: true });
WriteResult({ "nMatched" : 3, "nUpserted" : 0, "nModified" : 3 })

希望它有用:)