考虑一些函数foo
:
def foo(input)
input * 2
end
如何获得某个数组a
的最大输入值?
a = [3, 5, 7, 9, 6]
以下内容(不起作用)应该返回9:
a.max do |value|
foo(value)
end
怎么做?
Ruby 1.9.2
您需要max_by
,而不是max
。http://www.ruby-doc.org/core-1.9.3/Enumerable.html#method-i-max_by
max
:
返回枚举中具有最大值的对象。第一种形式假设所有对象都实现Comparable;第二个使用块返回a<=>b.
a = %w(albatross dog horse)
a.max #=> "horse"
a.max {|a,b| a.length <=> b.length } #=> "albatross"
所以max
确实占用了一个块,但它并没有达到你预期的效果
max_by
:
返回枚举中的对象,该对象从给定块
如果没有给出块,则返回一个枚举器。
a = %w(albatross dog horse)
a.max_by {|x| x.length } #=> "albatross"
使用数组映射:a.map{|v|foo(v)}.max