如何扫描数组中除一个索引之外的每个元素?

How do I scan every element of an array except one index?

我正在使用 Ruby 2.4。如何扫描数组的每个元素以查找数组中一个索引除外的条件?我试过这个

arr.except(2).any? {|str| str.eql?("b")}

但出现以下错误:

NoMethodError: undefined method `except' for ["a", "b", "c"]:Array

但显然我在网上看到的关于 "except" 的内容被大大夸大了。

arr.reject.with_index { |_el, index| index == 2 }.any? { |str| str.eql?("b") }

解释:

arr = [0, 1, 2, 3, 4, 5]
arr.reject.with_index { |_el, index| index == 2 }
#=> [0, 1, 3, 4, 5]

缩短您正在做的事情:

arr.reject.with_index { |_el, index| index == 2 }.grep(/b/).any?
#=> true

根据@Cary 的评论,另一个选项是:

arr.each_with_index.any? { |str, i| i != 2 && str.eql?("b") }