5

Enumerable#max_by and Enumerable#min_by return one of the relevant elements (presumably the first one) when there are multiple max/min elements in the receiver. For example, the following:

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

returns only 2 (or only 5).

Instead, I want to return all max/min elements and in an array. In the example above, it would be [2, 5] (or [5, 2]). What is the best way to get this?

sawa
  • 165,429
  • 45
  • 277
  • 381

3 Answers3

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]
Sergio Tulentsev
  • 226,338
  • 43
  • 373
  • 367
0
arr=[1, 2, 3, 5, 7, 8]
mods=arr.map{|e| e%3}

find max

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)}

find min

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)}

Sorry for clumsy code, will try to make it short.

Answer by @Sergio Tulentsev is the best and efficient answer, found things to learn there. +1

Alok Anand
  • 3,346
  • 1
  • 20
  • 17
0

This is the hash equivalent of @Serio's use of 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]

The steps:

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]
Cary Swoveland
  • 106,649
  • 6
  • 63
  • 100