在 Ruby 语言的一个 if 语句中使用多个条件
Using multiple conditions in one if-statement in Ruby Language
我在Ruby中写了这样的东西:
if a.max == a[0]
brand = b[0]
elsif a.max == a[1]
brand = b[1]
elsif a.max == a[2]
brand = b[2]
elsif a.max == a[3]
brand = b[3]
end
a
和 b
都是唯一数组。
有没有办法检查所有 if
和 elsif
是否处于相同的状态?
只有一个条件 a[0]
、a[1]
、a[2]
和 a[3]
?
Array#index 在这种情况下可能会有所帮助(假设 a
和 b
的大小相同):
brand = b[a.index(a.max)]
在数组 a
可能为空的情况下,您将需要一个附加条件来避免错误:
index = a.index(a.max)
brand = b[index] if index
如果您的数组有多个最大值,您可能希望获取对应于所有最大值的数组索引:
a = [10, 12, 12]
b = [:a, :b, :c]
# Compute and store the maximum once, to avoid re-computing it in the
# loops below:
a_max = a.max
idxs = a.each_with_index.select{ |el, idx| el == a_max }.map{ |el, idx| idx }
# or:
idxs = a.each_with_index.map{ |el, idx| idx if el == a_max }.compact
puts "#{idxs}"
# [1, 2]
puts "#{idxs.map{ |idx| b[idx] }}"
# [:b, :c]
另外两种方式:
a = [3, 1, 6, 4]
b = [2, 8, 5, 7]
b[a.each_index.max_by { |i| a[i] }]
#=> 5
或
b[a.each_with_index.max_by(&:first).last]
#=> 5
假设 a
和 b
具有相同的大小,例如
a = [2, 5, 8, 1]
b = [:a, :b, :c, :d]
a.zip(b).max.last # or more explicit: a.zip(b).max_by(&:first).last
#=> :c # or reversed: b.zip(a).max_by(&:last).first
或max_by
and with_index
:
b.max_by.with_index { |_, i| a[i] }
#=> :c
我在Ruby中写了这样的东西:
if a.max == a[0]
brand = b[0]
elsif a.max == a[1]
brand = b[1]
elsif a.max == a[2]
brand = b[2]
elsif a.max == a[3]
brand = b[3]
end
a
和 b
都是唯一数组。
有没有办法检查所有 if
和 elsif
是否处于相同的状态?
只有一个条件 a[0]
、a[1]
、a[2]
和 a[3]
?
Array#index 在这种情况下可能会有所帮助(假设 a
和 b
的大小相同):
brand = b[a.index(a.max)]
在数组 a
可能为空的情况下,您将需要一个附加条件来避免错误:
index = a.index(a.max)
brand = b[index] if index
如果您的数组有多个最大值,您可能希望获取对应于所有最大值的数组索引:
a = [10, 12, 12]
b = [:a, :b, :c]
# Compute and store the maximum once, to avoid re-computing it in the
# loops below:
a_max = a.max
idxs = a.each_with_index.select{ |el, idx| el == a_max }.map{ |el, idx| idx }
# or:
idxs = a.each_with_index.map{ |el, idx| idx if el == a_max }.compact
puts "#{idxs}"
# [1, 2]
puts "#{idxs.map{ |idx| b[idx] }}"
# [:b, :c]
另外两种方式:
a = [3, 1, 6, 4]
b = [2, 8, 5, 7]
b[a.each_index.max_by { |i| a[i] }]
#=> 5
或
b[a.each_with_index.max_by(&:first).last]
#=> 5
假设 a
和 b
具有相同的大小,例如
a = [2, 5, 8, 1]
b = [:a, :b, :c, :d]
a.zip(b).max.last # or more explicit: a.zip(b).max_by(&:first).last
#=> :c # or reversed: b.zip(a).max_by(&:last).first
或max_by
and with_index
:
b.max_by.with_index { |_, i| a[i] }
#=> :c