Ruby’s method aliases are pretty handy. So is inheritance. It’s too bad that the two don’t work well together:
fail NotImplementedError,
end
alias_method :salutation, :greeting
end
end
end
employee = Employee.new
employee.greeting # => "Howdy"
employee.salutation # =>
# ~> -:3:in `greeting': #greeting is not implemented (NotImplementedError)
# ~> from -:16:in `<main>'
Wat? Turns out that alias_method
creates an alias that references the original method rather than the overwritten one. Fortunately, the Ruby standard library provides a workaround. By using the Forwardable
module and its def_delegator
method, we can declare a delegator that forwards any call on to the overwritten method.
extend Forwardable
fail NotImplementedError,
end
def_delegator :self, :greeting, :salutation
end
end
end
employee = Employee.new
employee.greeting # => "Howdy"
employee.salutation # => "Howdy"
Cool, now we have the alias working with inheritance. The only problem with this approach is maintainence. Let’s make it clear why we’re using something other than alias_method
by defining our own inheritable version.
define_method new_method do
public_send(original_method, *args, &block)
end
end
end
Now we can clean our code up.
extend Aliases
fail NotImplementedError,
end
inheritable_alias :salutation, :greeting
end
end
end
employee = Employee.new
employee.greeting # => "Howdy"
employee.salutation # => "Howdy"
Now there’s clarity around why we’re not using alias_method
. You can tell just by reading the method name. Rad.
I'm Nate Smith, and The Internate is my personal website. You should follow me on Bluesky and GitHub.