小编典典

在mongodb更新中使用变量

javascript

我正在尝试使用Meteor进行如下更新:

Items.update(Session.get('selectedItem'), {'$set': {'directions.0.name': area.value}})

但是我在努力如何动态设置方向的数组索引,就像这样:

var index = //a value determined dynamically
Items.update(Session.get('selectedItem'), {'$set': {'directions[index]name': area.value}})

这不起作用,因为[index]被包装在字符串中。我还尝试形成一个自定义字符串,如下所示:

var string = 'directions.'+itemIndex+'.name'
Items.update(Session.get('selectedItem'), {'$set': {string: area.value}})

但这是行不通的。关于如何执行此操作的任何想法?


阅读 471

收藏
2020-05-01

共1个答案

小编典典

您需要以$set编程方式构建对象:

var setModifier = { $set: {} };
setModifier.$set['directions.' + index + '.name'] = area.value;
Items.update(Session.get('selectedItem'), setModifier);

更新资料

如果您的JavaScript环境支持计算出的属性名称(例如,node.js
4+),则可以一步完成:

Items.update(Session.get('selectedItem'), { $set: {
    ['directions.' + index + '.name']: area.value
}});
2020-05-01