tags:

views:

138

answers:

3

Let's say I want a method which will be called like this:

 tiger = create_tiger( :num_stripes => 12, :max_speed => 43.2 )
 tiger.num_stripes # will be 12

where some of the options have default values:

 tiger = create_tiger( :max_speed => 43.2 )
 tiger.num_stripes # will have some default value

what's a nice idiomatic ruby way of implementing that defaulting behaviour in the method implementation?

+7  A: 
def foo(options = {})
  options = { ... defaults ... }.merge(options)
end
Steve Madsen
+5  A: 

If you're using Rails (not just plain Ruby), a slightly shorter method is

def foo(options = {})
  options.reverse_merge! { ... defaults ... }
end

This has the added advantage of allowing you to do multiple lines a tad bit more cleanly:

def foo(options = {})
  options.reverse_merge!(
    :some_default => true,
    :other_default => 5
  )
end
Topher Fangio
Just what I was looking for, thanks. I also discovered that if you're not using Rails then the Facets gem also monkey patches Hash with a reverse_merge! method.
Pete Hodgson
+2  A: 

It's usually best to encapsulate safe defaults in a Hash that's declared as a constant. For example:

require 'ostruct'

require 'ostruct'

class Tiger < OpenStruct
  DEFAULTS = {
    :num_stripes => 12,
    :max_speed => 43.2
  }.freeze

  def initialize(options = { })
    super(DEFAULTS.merge(options))
  end
end

tiger = Tiger.new(:max_speed => 19.95)

puts tiger.max_speed
puts tiger.num_stripes

It is important to note when merging Hash objects that String and Symbol keys are different and will not be combined as you might expect. In the Rails environment, you can always convert one to the other using Hash#symbolize_keys or by declaring them as HashWithIndifferentAccess which maps away the difference for you.

tadman