假设我有一个大数组,例如
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18]
并希望将其拆分为一个 n 元组数组,例如
[[1,2], [3,4], [5,6], [7,8], [9,10], [11,12], [13,14] /*, ... */ ] // (for n=2)
有没有一些简单的方法可以实现这一目标?特殊情况n = 2
对我来说就足够了。
假设我有一个大数组,例如
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18]
并希望将其拆分为一个 n 元组数组,例如
[[1,2], [3,4], [5,6], [7,8], [9,10], [11,12], [13,14] /*, ... */ ] // (for n=2)
有没有一些简单的方法可以实现这一目标?特殊情况n = 2
对我来说就足够了。
这可以通过使用更简单地完成Array.slice
:
function grouper(lst, size) {
var result = [], i=0, n=lst.length;
while(i < n) {
result.push(lst.slice(i, i+size));
i += size;
}
return result
}
它也更有效率:http: //jsperf.com/grouper
这应该有效:
for (var i=0; i<arr.length; i+=2) {
result.push([arr[i], arr[i+1]]);
}
想出了这个,它应该适用于任何数量的“口袋”或任何你想称呼它们的东西。它检查undefined
所以它适用于奇数个项目:
Array.prototype.pockets = function(n) {
var result = [],
pocket = [],
i, j;
for (i=0; i<this.length; i+=n) {
pocket.length = 0;
for (j=1; j<n; j++) if (this[i+j] != null) pocket.push(this[i+j]);
result.push([this[i]].concat(pocket));
}
if (arguments.length > 1) {
return result.pockets.apply(result, [].slice.call(arguments,1));
}
return result;
};
// Usage:
var arr = [1,2,3,4,5,6,7,8,9,10,11];
arr.pockets(2); //=> [[1,2],[3,4],[5,6],[7,8],[9,10],[11]]
arr.pockets(3); //=> [[1,2,3],[4,5,6],[7,8,9],[10,11]]
// Recursive:
arr.pockets(1,3); //=> [ [[1],[2],[3]], [[4],[5],[6]], [[7],[8],[9]], [[10],[11]] ]
对于下划线变体,您可以使用_.groupBy()
,按项目的索引分组:
var doubles = _.groupBy(singles, function (num, i) {
return Math.floor(i / 2);
});
但是,由于_.groupBy()
返回 an Object
,因此获取 anArray
需要一些额外的工作:
_.mixin({
segment: function (coll, per) {
var result = [];
_.chain(coll)
.groupBy(function (item, i) { return Math.floor(i / per)})
.each(function (group, key) { result[key] = group; })
return result;
}
});
var singles = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18];
var doubles = _.segment(singles, 2);
var triples = _.segment(singles, 3);
在 python 中,这可以用zip(*[iter(xs)]*n)
. 只是为了好玩,这是一个 JS 实现:
让我们从一个穷人的生成器开始(在 ES6 传播之前,这就是我们所拥有的):
StopIteration = {"name": "StopIteration"}
function iter(xs) {
if('next' in xs)
return xs;
var i = 0;
return {
next: function() {
if(i >= xs.length)
throw StopIteration;
return xs[i++];
}
}
}
next = function(it) { return it.next() }
zip()
微不足道:
zip = function() {
var args = [].map.call(arguments, iter), chunks = [];
while(1) {
try {
chunks.push(args.map(next));
} catch(StopIteration) {
return chunks;
}
}
}
现在,要创建链对,只需将相同的迭代两次传递给 zip:
xs = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13]
it = iter(xs)
a = zip(it, it)
console.log(a)
// [[1,2],[3,4],[5,6],[7,8],[9,10],[11,12]]
对于 N 对,需要额外的实用程序:
repeat = function(x, n) {
for(var a = []; n; n--)
a.push(x);
return a;
}
a = zip.apply(this, repeat(iter(xs), 5))
console.log(a)
// [[1,2,3,4,5],[6,7,8,9,10]]
请注意,就像在 Python 中一样,这会去除不完整的块。