Reputation: 20004
I am pretty sure that Ruby has these (equivalents for __call, __get and __set), because otherwise how find_by would work in Rails? Maybe someone could give a quick example of how to define methods that act same as find_by?
Thanks
Upvotes: 7
Views: 4555
Reputation: 13333
in short you can map
php
class MethodTest {
public function __call($name, $arguments) {
echo "Calling object method '$name' with " . implode(', ', $arguments) . "\n";
}
}
$obj = new MethodTest;
$obj->runTest('arg1', 'arg2');
ruby
class MethodTest
def method_missing(name, *arguments)
puts "Calling object method '#{name}' with #{arguments.join(', ')}"
end
end
obj = MethodTest.new
obj.runTest('arg1', 'arg2')
php
class PropertyTest {
// Location for overloaded data.
private $data = array();
public function __set($name, $value) {
echo "Setting '$name' to '$value'\n";
$this->data[$name] = $value;
}
public function __get($name) {
echo "Getting '$name'\n";
if (array_key_exists($name, $this->data)) {
return $this->data[$name];
}
}
}
$obj = new PropertyTest;
$obj->a = 1;
echo $obj->a . "\n";
ruby
class PropertyTest
# Location for overloaded data.
attr_reader :data
def initialize
@data = {}
end
def method_missing(name, *arguments)
value = arguments[0]
name = name.to_s
# if the method's name ends with '='
if name[-1, 1] == "="
method_name = name[0..-2]
puts "Setting '#{method_name}' to '#{value}'"
@data[method_name] = value
else
puts "Getting '#{name}'"
@data[name]
end
end
end
obj = PropertyTest.new
obj.a = 1 # it's like calling "a=" method : obj.a=(1)
puts obj.a
Upvotes: 14
Reputation: 20232
The dynamic finders are done by implementing method missing
http://ruby-doc.org/core/classes/Kernel.html#M005925
Take a look at this blog post, it will give you the gist of how they work..
http://blog.hasmanythrough.com/2006/8/13/how-dynamic-finders-work
Upvotes: 6