我想使用lodash
来选择性地改变对象中的属性。
var foo = { 'a': 1, 'b': 2, 'c': 3 };
function addOne(num) {
return num + 1;
}
var propsToTransform = ['a', 'b'];
_(foo).pick(propsToTransfrom)
.map(addOne);
// I want foo = { 'a': 2, 'b':3, 'c':3 }
是否有可能使用上面列出的组合物实现这一点,或者我应该坚持使用
_.forEach(propsToTransform, (prop) => {
if (foo[prop]) {
foo[prop] = addOne(foo[prop]);
}
});
答案 0 :(得分:4)
你正在寻找_.mapValues
和_.protoype.value
正如andlrc指出的那样。您最终将使用新值创建一个新对象,并将其与原始对象合并:
var foo = { 'a': 1, 'b': 2, 'c': 3 };
var propsToTransfrom = ['a', 'b']
// Create a new object with the new, modified values and merge it onto the original one
var bar = _.merge(foo, _(foo).pick(propsToTransfrom).mapValues(addOne).value());
console.log(bar); // { 'a': 2, 'b': 3, 'c': 3 }
function addOne(num) {
return num + 1;
}