通过与步骤阵列循环(Looping through an array with step)

2019-07-01 20:41发布

我想看看在阵列中的每个第n个元素。 在C ++中,我应该这样做:

for(int x = 0; x<cx; x+=n){
    value_i_care_about = array[x];
    //do something with the value I care about.  
}

我想要做的红宝石一样的,但无法找到一个方法来“台阶”。 一个while循环可以做的工作,但我觉得它难吃使用它的已知大小,并期待有一个更好的(更红宝石)这样做的方式。

Answer 1:

范围有step ,您可以使用通过索引跳过方法:

(0..array.length - 1).step(2).each do |index|
  value_you_care_about = array[index]
end

或者,如果您使用舒适...与范围以下是一个比较简洁:

(0...array.length).step(2).each do |index|
  value_you_care_about = array[index]
end


Answer 2:

array.each_slice(n) do |e, *_|
  value_i_care_about = e
end


Answer 3:

只使用从它返回一个枚举Range类步骤()方法

(1..10).step(2) {|x| puts x}


Answer 4:

同时跳过在一定范围内对每次迭代如数字我们可以遍历:

1.step(10, 2) { |i| print "#{i} "}

http://www.skorks.com/2009/09/a-wealth-of-ruby-loops-and-iterators/

因此,像:

array.step(n) do |element|
  # process element
end


Answer 5:

这是使用的模运算一个很好的例子%

当你掌握这个概念,你可以在不同的编程语言的大量应用它,而无需进出认识他们。

step = 2
["1st","2nd","3rd","4th","5th","6th"].each_with_index do |element, index|
  puts element if index % step == 1
end

#=> "2nd"
#=> "4th"
#=> "6th"


Answer 6:

class Array
def step(interval, &block)
    ((interval -1)...self.length).step(interval) do |value|
        block.call(self[value])
    end
end
end

您可以将方法添加到类Array



Answer 7:

关于什么:

> [1, 2, 3, 4, 5, 6, 7].select.each_with_index { |_,i| i % 2 == 0 }
=> [1, 3, 5, 7]

迭代器的链接是非常有用的。



文章来源: Looping through an array with step