map
data:image/s3,"s3://crabby-images/32bf4/32bf4df050cf45d5fe8734d63ff7e99017eb98db" alt="Extensive documentation Importance_4"
map()
public
data:image/s3,"s3://crabby-images/f474f/f474f383db11cf2c15b1cad473973e09663298c1" alt="Default_avatar_30"
Convert a Hash to an Array of Arrays using map
Although you’ll always have to_a and it’s faster, this trick is too cool to ignore…
When the block is omitted, collect or map uses this implied block: {|item| item}, which means when applied on an hash without a block, collect/map returns an array containing a set of two-item arrays, one for each key/value pair in the hash. For each two-item array, item 0 is the key and item 1 is the corresponding value.
burgers = {"Big Mac" => 300, "Whopper with cheese" => 450, "Wendy's Double with cheese" => 320} burgers.map => [["Wendy's Double with cheese", 320], ["Big Mac", 300], ["Whopper with cheese", 450]]
see also:
data:image/s3,"s3://crabby-images/1881a/1881aeca167adebe2cb96c0ad6493569d2c1be4a" alt="Default_avatar_30"
Map-like Manipulation of Hash Values
Let’s say you want to multiply all values of the following hash by 2:
hash = { :a => 1, :b => 2, :c => 3 }
You can’t use map to do so:
hash.map {|k, v| v*2 } # => [6, 2, 4]
However, with merge you can:
hash.merge(hash) {|k,v| v*2 } => {:c=>6, :a=>2, :b=>4}
(The above is Ruby 1.8, in Ruby 1.9 the order is preserved.)
data:image/s3,"s3://crabby-images/be17e/be17e7072f6c3d90c8b8abeb0bca51454eb11372" alt="Default_avatar_30"
map_with_index
Of course such a method does not exist, however we can simulate it easily
%w(a b c).to_enum(:each_with_index).map{|a,i| "#{a}, #{i}"} => ["a, 0", "b, 1", "c, 2"]
data:image/s3,"s3://crabby-images/11847/11847b2d93464c553fbd44bc53fbf17f97e2ce81" alt="Default_avatar_30"