我正在使用javascript对象,需要在对象结构的深处设置一个值。
让我们说:
a.b.c.d.e.f.g = "some value";
我不知道是否所有这些对象都已创建,所以我最终做了:
a = a || {};
a.b = a.b || {};
a.b.c = a.b.c || {};
a.b.c.d = a.b.c.d || {};
a.b.c.d.e = a.b.c.d.e || {};
a.b.c.d.e.f = a.b.c.d.e.f || {};
a.b.c.d.e.f.g = "some value";
当然有更好的方法来做到这一点吗?
答案 0 :(得分:2)
最简单的方法是使用字符串,在点上拆分并循环。循环时,请检查它是否存在,如果存在,请使用它。如果不是,则创建一个新对象。一直进行到设置值结束为止。
const setValue = (obj, path, value) => {
path.split('.') // split on the dots
.reduce((o, k, i, a) => {
o[k] = (i + 1 === a.length) // check if we are at last index
? value // if last index use the value
: (o[k] || {}) // else return object or set new one
return o[k] // return the current step in the object
}, obj) // start location
}
setValue(window, 'a.b.c.d.e.f.g', 'some value')
console.log(a.b.c.d.e.f.g)
var foo = { a : { b: {z : {} } } }
setValue(foo, 'a.b.c.d.e.f.g', 'another value')
console.log(foo)
答案 1 :(得分:1)
我将使用reduce
遍历除最后一个之外的所有道具,如有必要,在nested属性处创建一个对象,然后返回嵌套值。然后,在最后一个对象上,分配给最后一个属性:
a = window.a || {};
const props = ['b', 'c', 'd', 'e', 'f'];
const lastProp = 'g';
const lastObj = props.reduce((a, prop) => {
if (!a[prop]) a[prop] = {};
return a[prop];
}, a);
lastObj[lastProp] = 'some value';
console.log(a);