7

我想同时创建两个数组 b 和 c。我知道两种可以实现它的方法。第一种方法是

b = ([i, i * 2] for i in [0..10])
c = ([i, i * 3] for i in [0..10])

alert "b=#{b}"
alert "c=#{c}"

这种方法对于只创建一个数组非常方便。我不能成为获得更好计算性能的更好方法。

第二种方法是

b = []
c = []
for i in [0..10]
  b.push [i, i*2]
  c.push [i, i*3]

alert "b=#{b}"
alert "c=#{c}"

这种方法看起来对计算效率很好,但是必须先写两行 b = [] c = []。我不想写这 2 行,但我还没有找到答案的好主意。如果没有初始化 b 和 c 的数组,我们就不能使用 push 方法。

存在存在运算符 ? 在 Coffeescript 中,但我不知道在这个问题中使用它很热。您是否有更好的方法来创建 b 和 c 的数组而无需显式初始化?

谢谢!

4

2 回答 2

4

您可以使用underscore(或任何其他提供zip类似功能的库)的帮助:

[b, c] = _.zip ([[i, i * 2], [i, i * 3]] for i in [0..10])...

执行后我们有:

coffee> b 
[ [ 0, 0 ],
  [ 1, 2 ],
  [ 2, 4 ],
  [ 3, 6 ],
  [ 4, 8 ],
  [ 5, 10 ],
  [ 6, 12 ],
  [ 7, 14 ],
  [ 8, 16 ],
  [ 9, 18 ],
  [ 10, 20 ] ]

coffee> c
[ [ 0, 0 ],
  [ 1, 3 ],
  [ 2, 6 ],
  [ 3, 9 ],
  [ 4, 12 ],
  [ 5, 15 ],
  [ 6, 18 ],
  [ 7, 21 ],
  [ 8, 24 ],
  [ 9, 27 ],
  [ 10, 30 ] ]

有关更多详细信息和示例,请参阅CoffeeScript 文档中关于 splats 的部分。

于 2013-03-08T12:53:28.713 回答
1

使用存在运算符怎么样:

for i in [0..10]
    b = [] if not b?.push [i, i*2]
    c = [] if not c?.push [i, i*3]

console.log "b=#{b}"
console.log "c=#{c}"

或者更容易理解:

for i in [0..10]
    (if b? then b else b = []).push [i, i*2]
    (if c? then c else c = []).push [i, i*3]

console.log "b=#{b}"
console.log "c=#{c}"

编辑:来自评论:

好的,但是你必须编写这么多乏味的代码。` (b = b or []).push [i, i*2] 也是同样的原因

这很乏味,所以我们可以将它包装在一个函数中(但要注意变量现在将是全局的):

# for node.js
array = (name) -> global[name] = global[name] or []

# for the browser
array = (name) -> window[name] = window[name] or []

for i in [0..10]
    array('b').push [i, i*2]
    array('c').push [i, i*3]

console.log "b=#{b}"
console.log "c=#{c}"
于 2013-03-08T09:26:10.250 回答