
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
class Array | |
def count_by function | |
map = Hash.new(0) | |
self.each { |e| map[e.send(function)] += 1 } | |
map | |
end | |
end |
Basically I open up the class Array and add a count_by function to it - that takes as argument the name of the function one wants to count the elements by.
The function itself starts off by instantiating a Hash, called map, with default values of 0. For each element in the Array I then call the function by the name provided and increments the entry in map corresponding to the result.
Like this, if I have a array of, let's say Olympic medalist objects with functions nationality in list, I can easily say: list.count_by(:nationality) and get back number of medalists per nationality.
I guess a(n even) more Ruby way of implementing this would be as a mix of group_by and map, and another improvement could be to add count_by to the class Enumerable instead of Array. Come to think of it, to make this function more in line with group_by, I guess I should also rewrite it to take a block as an argument instead of just a function name.
OK. Something like this, then:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
module Enumerable | |
def count_by (&block) | |
Hash[ self.group_by { |e| yield e }.map { |key, list| [key, list.length] } ] | |
end | |
end |
I wouldn't call it more readable, maybe, but arguably more elegant - and way more flexible. Now one can count the nationalities from the example above by: list.count_by {&:nationality}
Comments
Post a Comment