ruby声明式语法的实现例子
在activerecord可以用很方便的声明方式来定义model之间的关联关系,例如:
class topic < activerecord::base
has_many :posts
belongs_to :user
end
has_many和belongs_to其实是topic类的class method,标准写法是:
class topic < activerecord::base
topic.has_many(:posts)
topic.belongs_to(:user)
end
那么has_many可以给我们带来什么呢?类方法has_many在被执行的时候,给topic的对象实例添加了一系列方法:posts, posts<<, orders.push......等等。所以当我们在model里面声明has_many,belongs_to等对象关系的时候,一系列相关的对象方法就被自动添加进来了。 让我们来自己试试看吧:
module m
def self.included(c)
c.extend(g)
end
module g
def generate_method(*args)
args.each do |method_name|
define_method(method_name) { puts method_name }
end
end
end
end
class c
include m
generate_method :method1, :method2
end
c = c.new
c.method1
c.method2
我们定义了一个声明generate_method,可以接受多个symbol,来动态的创建同名的方法。现在我们在类c里面使用这个声明:generate_method :method1, :method2,当然我们需要include模块m。为什么activerecord的model不需要include相关的模块呢?当然是因为topic的父类activerecord::base已经include了模块associations了。
类c通过include模块m,调用了模块m的一个included回调接口,让类c去extend模块g,换句话来说就是,通过include模块m,来给类c动态添加一个类方法generate_method。
这个generate_method被定义在模块g当中,它接受一系列参数,来动态创建相关的方法。于是我们就实现了这样的dsl功能:
通过在类c里面声明generate_method :method1, :method2,让类c动态的添加了两个实例方法method1,method2,是不是很有意思? 实际上rails的对象关联声明也是以同样的方式实现的。
上一篇: mysql给root开启远程访问权限