25

我想查看数组中的每个第 n 个元素。在 C++ 中,我会这样做:

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

我想在 Ruby 中做同样的事情,但找不到“一步”的方法。循环可以while完成这项工作,但我发现将它用于已知大小是令人反感的,并希望有更好(更多 Ruby)的方式来执行此操作。

4

7 回答 7

51

范围有一个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
于 2012-10-23T00:25:56.850 回答
20
array.each_slice(n) do |e, *_|
  value_i_care_about = e
end
于 2012-10-23T10:12:52.330 回答
6

只需使用 Range 类中的 step() 方法,该方法返回一个枚举器

(1..10).step(2) {|x| puts x}
于 2015-02-03T16:31:15.077 回答
2

我们可以在每次迭代时跳过一系列数字进行迭代,例如:

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
于 2012-10-23T00:11:49.907 回答
0

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

当你掌握了这个概念时,你可以将它应用到大量不同的编程语言中,而无需了解它们。

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

#=> "2nd"
#=> "4th"
#=> "6th"
于 2012-10-23T00:34:23.003 回答
0
class Array
def step(interval, &block)
    ((interval -1)...self.length).step(interval) do |value|
        block.call(self[value])
    end
end
end

您可以将该方法添加到类 Array

于 2014-10-15T18:17:35.767 回答
0

关于什么:

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

迭代器的链接非常有用。

于 2015-06-23T17:36:48.017 回答