5

Enumerable#max_by并在接收器中有多个最大/最小元素时Enumerable#min_by返回一个相关元素(可能是第一个)。例如,以下内容:

[1, 2, 3, 5].max_by{|e| e % 3}

仅返回2(或仅返回5)。

相反,我想在一个数组中返回所有最大/最小元素。在上面的示例中,它将是[2, 5](或[5, 2])。得到这个的最好方法是什么?

4

3 回答 3

10
arr = [1, 2, 3, 5]

arr.group_by{|a| a % 3} # => {1=>[1], 2=>[2, 5], 0=>[3]}
arr.group_by{|a| a % 3}.max.last # => [2, 5]
于 2014-03-01T15:28:57.400 回答
0
arr=[1, 2, 3, 5, 7, 8]
mods=arr.map{|e| e%3}

找到最大值

max=mods.max
indices = []
mods.each.with_index{|m, i| indices << i if m.eql?(max)}
arr.select.with_index{|a,i| indices.include?(i)}

找到最小值

min = mods.min
indices = []
mods.each.with_index{|m, i| indices << i if m.eql?(min)}
arr.select.with_index{|a,i| indices.include?(i)}

抱歉代码笨拙,会尽量缩短。

@Sergio Tulentsev 的回答是最好和最有效的答案,在那里找到了要学习的东西。+1

于 2014-03-01T15:33:31.990 回答
0

这是@Serio 使用group_by.

arr = [1, 2, 3, 5]

arr.each_with_object(Hash.new { |h,k| h[k] = [] }) { |e,h| h[e%3] << e }.max.last
  #=> [2, 5]

步骤:

h = arr.each_with_object(Hash.new { |h,k| h[k] = [] }) { |e,h| h[e%3] << e }
  #=> {1=>[1], 2=>[2, 5], 0=>[3]}
a = h.max
  #=> [2, [2, 5]]
a.last
  #=> [2, 5]
于 2017-04-26T21:25:38.997 回答