我基本上想在Underscore.js中使用_.each()
或_.map()
来表达以下行为。
a = [1, 2, 3]
b = [3, 2, 1]
# Result list
c = [0, 0, 0]
for i in [0 .. a.length - 1]
c[i] = a[i] + b[i]
这在Matlab(我的主要语言)中绝对是可能的:
c = arrayfun(@(x,y) x+y, a, b)
直观地说,感觉Underscore中的语法应该是:
c = _.map(a, b, function(x, y){ return x + y;})
但是,该参数列表是不可接受的;第二个参数应该是一个可调用的函数。
在这种情况下,可选的“context”参数对我没有帮助。
答案 0 :(得分:16)
使用zip(也来自underscore.js)。像这样:
var a = [1, 2, 3];
var b = [4, 5, 6];
var zipped = _.zip(a, b);
// This gives you:
// zipped = [[1, 4], [2, 5], [3, 6]]
var c = _.map(zipped, function(pair) {
var first = pair[0];
var second = pair[1];
return first + second;
});
// This gives you:
// c = [5, 7, 9]
工作示例: