我正在努力寻找正确的lodash函数,如果你能帮助,那就太好了。
我有一个数组:
[
{ '2002': 2, '2003': 1, '2004': 5 },
{ '2002': 2, '2003': 5, '2004': 2 },
{ '2002': 3, '2003': 2, '2004': 3 },
{ '2002': 5, '2003': 4, '2004': 4 }
]
由于有4种不同的输入,如下所示:
[input1, input2, input3, input4]
每年我想执行以下操作:
(input1 + input2 - input3) / input4
2002年输出:(2 + 2 - 3) / 5 = 0.2
是否有一个lodash辅助函数输出:
[ [ 2002, 0.2 ], [ 2003, 1 ], [ 2004, 1 ] ]
提前谢谢你
您可以通过映射数组中第一个对象的Object.keys
,然后使用每个键访问数组中每个对象的相关属性并对它们执行计算,从而非常直接地使用香草javascript完成此操作。
const input = [
{ '2002': 2, '2003': 1, '2004': 5 },
{ '2002': 2, '2003': 5, '2004': 2 },
{ '2002': 3, '2003': 2, '2004': 3 },
{ '2002': 5, '2003': 4, '2004': 4 }
]
const calc = ([a, b, c, d]) => (a + b - c) / d;
const result = Object.keys(input[0]).map(k => [k, calc(input.map(o => o[k]))])
console.log(result)
带有lodash…的可能序列
const input = [
{ '2002': 2, '2003': 1, '2004': 5 },
{ '2002': 2, '2003': 5, '2004': 2 },
{ '2002': 3, '2003': 2, '2004': 3 },
{ '2002': 5, '2003': 4, '2004': 4 }
];
const result = _.chain(
_.mergeWith(...input, (a, b) => [].concat(a, b))
)
.mapValues(([a, b, c, d]) => (a + b - c) / d)
.toPairs()
.value();
console.log(result);
<script src="https://cdn.jsdelivr.net/npm/lodash@4.17.21/lodash.min.js"></script>