我想做一些简单明了的事情,比如min(5,10)
或Math.max(4,7)
。 Ruby中是否有这种效果的功能?
答案 0 :(得分:672)
你可以做到
[5, 10].min
或
[4, 7].max
它们来自Enumerable module,因此任何包含Enumerable
的内容都会提供这些方法。
v2.4引入了自己的Array#min
和Array#max
,它们比Enumerable的方法更快,因为它们会跳过调用#each
。
修改强>
@nicholasklick提到了另一个选项Enumerable#minmax
,但这次返回了一个[min, max]
数组。
[4, 5, 7, 10].minmax
=> [4, 10]
答案 1 :(得分:51)
您可以使用
[5,10].min
或
[4,7].max
这是Arrays的一种方法。
答案 2 :(得分:22)
所有这些结果都会在热心尝试处理两个以上的参数时产生垃圾。我很想知道他们的表现与良好的'ol:
相比def max (a,b)
a>b ? a : b
end
这是我对你的问题的官方回答。 :)
答案 3 :(得分:20)
除了提供的答案之外,如果你想将Enumerable#max转换为可以调用变量数或参数的max方法,就像在其他一些编程语言中一样,你可以写:
def max(*values)
values.max
end
输出:
max(7, 1234, 9, -78, 156)
=> 1234
这会滥用splat运算符的属性来创建包含所有提供的参数的数组对象,或者如果没有提供参数则使用空数组对象。在后一种情况下,该方法将返回nil
,因为在空数组对象上调用Enumerable#max会返回nil
。
如果要在Math模块上定义此方法,这应该可以解决问题:
module Math
def self.max(*values)
values.max
end
end
请注意,Enumerable.max至少是two times slower compared to the ternary operator (?:
)。有关更简单,更快捷的方法,请参阅Dave Morse's answer。
答案 4 :(得分:17)
如果您需要查找哈希的最大/最小值,可以使用#max_by
或#min_by
people = {'joe' => 21, 'bill' => 35, 'sally' => 24}
people.min_by { |name, age| age } #=> ["joe", 21]
people.max_by { |name, age| age } #=> ["bill", 35]
答案 5 :(得分:-3)
def find_largest_num(nums)
nums.sort[-1]
end