从CoffeeScript中的数组中获取每两个元素

时间:2012-07-09 02:24:15

标签: coffeescript

我想使用数组中的每对条目。有没有一种有效的方法在CoffeeScript中执行此操作而不使用数组的length属性?

我目前正在做类似以下的事情:

# arr is an array
for i in [0...arr.length]
    first = arr[i]
    second = arr[++i]

1 个答案:

答案 0 :(得分:14)

CoffeeScript有for ... by来调整普通for循环的步长。因此,以2为步长迭代数组,并使用索引获取元素:

a = [ 1, 2, 3, 4 ]
for e, i in a by 2
    first  = a[i]
    second = a[i + 1]
    # Do interesting things here

演示:http://jsfiddle.net/ambiguous/pvXdA/

如果需要,可以在循环中使用结构化赋值和数组切片:

a = [ 'a', 'b', 'c', 'd' ]
for e, i in a by 2
    [first, second] = a[i .. i + 1]
    #...

演示:http://jsfiddle.net/ambiguous/DaMdV/

您也可以跳过忽略的变量并使用范围循环:

# three dots, not two
for i in [0 ... a.length] by 2
    [first, second] = a[i .. i + 1]
    #...

演示:http://jsfiddle.net/ambiguous/U4AC5/

编译为for(i = 0; i < a.length; i += 2)循环,就像所有其他循环一样,范围不会花费你任何东西。