Ruby Hash constructor -- useful, unintuitive

By: Johnathon Wright on: March 12, 2009

I've been confused in the past about the behavior of "Ruby's Hash constructor":http://ruby-doc.org/core/classes/Hash.html#M002868 . Now that I've looked at the documentation, I have to say I think it violates the principle of least surprise.

A default hash returns nil any time you access a key with no set value. The default value can be changed through the constructor. This can be useful when you want to do something like this... ---ruby

brownie_points = {} => {}

brownie_points[:zack] += 2 NoMethodError: undefined method `+' for nil:NilClass

brownie_points.default => nil

brownie_points = Hash.new(0)=> {}

brownie_points.default => 0

brownie_points[:zack] += 3 => 5

brownie_points[:sam]

=> 0

We can all agree that this is useful. Moreover, developers will rarely use the constructor, because the ruby language construct {} is so much more elegant. I just don't see myself doing a lot of this...

---ruby attributes = {:keyone => :valueone}

Hash.new(attributes)

That being said, the prime directive isn't we aren't using that method let's do something with it . It's the principle of least suprise . Not only that, but it violates a pretty universal convention in all of OO that objects' constructors will accept values that make up their initial state. Instead, it accepts the value to return when you ask for something outside it's current state.

To work around this problem, ruby includes a class-level method [].

---ruby

Hash[:frank => 'friendly', :zack => 'here let me thread that for you', :panda => :zen]

=> {:zack=>"here let me thread that for you", :frank=>"friendly", :panda => :zen}

Fortunately most programmers will never run in to this issue because of the {} construct, which is more fun anyway.





Comments:

Just checking that you are human. What would be the result of this code?

a = 3*(4/2); b = 1; a+b

Back