我正在尝试根据用户输入动态生成以下格式的映射:
{
Jane: {
Comments: ["Hello", "Hi"]
},
John: {
Age: "999",
Comments: "Hi"
}
}
键,值和巢都是在运行时-所以最初我所知道的是顶层结构是一个映射。我试图在运行时使用下面的代码来实现这一点。
var nest = function(map, keys, v) {
if (keys.length === 1) {
map[keys[0]] = v;
} else {
var key = keys.shift();
map[key] = nest(typeof map[key] === 'undefined' ? {} : map[key], keys, v);
}
return map;
};
var persons = new Map();
// Usage
nest(persons, ['John', 'Comments'], 'Hi');
nest(persons, ['John', 'Age'], '999');
nest(persons, ['Jane', 'Comments'], 'Wow');
nest(persons, ['Jane', 'Comments'], 'Hello');
console.log(persons);
但是,它覆盖了Comments
的值,而不是将其作为数组。有人可以帮助我创建这个非覆盖嵌套映射与数组值?(注意:除注释外的任何其他值都不是数组)
提前感谢。
您可以使用Array#reduce
获得嵌套的Map
,之后您可以设置密钥。
var nest = function(map, keys, v) {
const lastKey = keys.pop(), innerMap = keys.reduce((acc, key)=>{
if(!acc.has(key)) acc.set(key, new Map);
return map.get(key);
}, map);
if(lastKey !== 'Comments') innerMap.set(lastKey, v);
else {
if(!innerMap.has(lastKey)) innerMap.set(lastKey, []);
innerMap.get(lastKey).push(v);
}
};
var persons = new Map();
// Usage
nest(persons, ['John', 'Comments'], 'Hi');
nest(persons, ['John', 'Age'], '999');
nest(persons, ['Jane', 'Comments'], 'Wow');
nest(persons, ['Jane', 'Comments'], 'Hello');
console.log(persons); // Check browser console