Filipin.eu

Željko Filipin's blog.
Home Blog Tags Now License

View on GitHub
8 February 2007

Ruby Hashes

by Željko Filipin

I have seen Ruby hashes in use, but I never needed them. Until today. I was testing edit community feature. I started with editing title.

edit(title)

I created class Community and method edit.

def edit(title)
  prepare_for_edit
  edit_title(title)
  check_after_edit
end

Then I tested editing other community properties. Sometimes I need to edit just one property, sometimes a few of them and sometimes all properties. The only way I could think of how to do it is to make all arguments of edit method optional.

def edit(title = nil, url = nil, mail = nil,
           description = nil, membership = nil,
           status = nil, security = nil)
  prepare_for_edit
  edit_title(title) if title
  edit_url(url) if url
  edit_mail(mail) if mail
  edit_description(description) if description
  edit_membership(membership) if membership
  edit_status(status) if status
  edit_security(security) if security
  check_after_edit
end

But that caused ugly code when calling edit method if, for example, I only wanted to change security property.

edit(nil, nil, nil, nil, nil, nil, security)

I could make edit_security (and edit_title, edit_url...).

edit_security(security)

def edit_security(security)
  prepare_for_edit
  set_security(security)
  check_after_edit
end

Better, but I wanted to try hashes, and it worked great.

edit({"security" => "low"})
edit({"security" => "low", "status" => "offline"})

def edit(properties)
  prepare_for_edit
  edit_title(properties["title"]) if properties["title"]
  edit_url(properties["url"]) if properties["url"]
  edit_mail(properties["mail"]) if properties["mail"]
  edit_description(properties["description"]) if properties["description"]
  edit_membership(properties["membership"]) if properties["membership"]
  edit_status(properties["status"]) if properties["status"]
  edit_security(properties["security"]) if properties["security"]
  check_after_edit
end
tags: code - ruby