JS ES10 / ES2019中的单行代码怎么样?
使用Object.entries()
and Object.fromEntries()
:
let newObj = Object.fromEntries(Object.entries(obj).map(([k, v]) => [k, v * v]));
同样的东西写成函数:
function objMap(obj, func) {
return Object.fromEntries(Object.entries(obj).map(([k, v]) => [k, func(v)]));
}
// To square each value you can call it like this:
let mappedObj = objMap(obj, (x) => x * x);
此函数也使用递归来平方嵌套对象:
function objMap(obj, func) {
return Object.fromEntries(
Object.entries(obj).map(([k, v]) =>
[k, v === Object(v) ? objMap(v, func) : func(v)]
)
);
}
// To square each value you can call it like this:
let mappedObj = objMap(obj, (x) => x * x);
使用ES7 / ES2016,您不能使用Objects.fromEntries
,但您可以Object.assign
结合使用扩展运算符和计算的键名语法来实现相同的目的:
let newObj = Object.assign({}, ...Object.entries(obj).map(([k, v]) => ({[k]: v * v})));
ES6 / ES2015不允许Object.entries
,但您可以使用Object.keys
:
let newObj = Object.assign({}, ...Object.keys(obj).map(k => ({[k]: obj[k] * obj[k]})));
ES6 还引入了for...of
循环,它允许一种更命令式的风格:
let newObj = {}
for (let [k, v] of Object.entries(obj)) {
newObj[k] = v * v;
}
数组.reduce()
Object.fromEntries
你也Object.assign
可以使用reduce来代替:
let newObj = Object.entries(obj).reduce((p, [k, v]) => ({ ...p, [k]: v * v }), {});
继承的属性和原型链:
在极少数情况下,您可能需要映射一个类对象,该对象在其原型链上保存继承对象的属性。在这种情况下Object.keys()
并Object.entries()
不会起作用,因为这些函数不包括原型链。
如果需要映射继承的属性,可以使用for (key in myObj) {...}
.
这是这种情况的一个例子:
const obj1 = { 'a': 1, 'b': 2, 'c': 3}
const obj2 = Object.create(obj1); // One of multiple ways to inherit an object in JS.
// Here you see how the properties of obj1 sit on the 'prototype' of obj2
console.log(obj2) // Prints: obj2.__proto__ = { 'a': 1, 'b': 2, 'c': 3}
console.log(Object.keys(obj2)); // Prints: an empty Array.
console.log(Object.entries(obj2)); // Prints: an empty Array.
for (let key in obj2) {
console.log(key); // Prints: 'a', 'b', 'c'
}
但是,请帮我一个忙,避免继承。:-)