我在用猫鼬。如何将新值推送到数组中?
这是我的收藏。我使用fixture2来标识此文档。

{
    "_id" : ObjectId("5d2548beb1696f1a2d87d647"),
    "userHash" : "5c4b52fc2dfce2489c932e8fcd636a10",
    "fixtures" : [
        {
            "fixture1" : [
                "vote1",
                "vote2"
            ],
            "fixture2" : [
                "vote1",
                "vote2",
                "vote3"
            ],
            "fixture3" : [
                "vote1"
            ]
        }
    ],
    "__v" : 0
}

userHash可能含有任何数量的元素。在这种情况下,它只有3个。
这是我的模型。
var mongoose = require( 'mongoose' );
var votesSchema = mongoose.Schema({
  userHash: String,
  fixtures: [{}]
});
module.exports = mongoose.model('votes', votesSchema);

但是,我正在努力将一个值fixtures推到vote4。是否可以使用fixture2提交?

最佳答案

您可以使用$(update)位置运算符来实现这一点。
另外,不要忘记在更新选项中使用{multi : true},以更新集合中的所有documents
试试这个:

Votes.update(
  { "fixtures.fixture2": { "$exists": true } },
  { "$push": { "fixtures.$.fixture2": "vote4" } },
  { multi : true}
)

但这只会更新第一个匹配的fixture2。
要更新fixture2数组中所有元素的fixtures,您可能需要改用$[]
试试这个:
Votes.update(
  { "fixtures.fixture2": { "$exists": true } },
  { "$push": { "fixtures.$[].fixture2": "vote4" } },
  { multi : true}
)

阅读有关$[](positional-all)的详细信息。

10-07 16:26