Ruby语言是一个应用灵活的解释型脚本语言。对于一个编程人员来说,Ruby DSL是一个功能强大的工具。下面我们就来一起看看Ruby DSL特点介绍。#t#
在rails里面,我们可以用很方便的声明方式来定义model之间的关联关系,Ruby DSL特点例如:
- class Topic < Active
Record::Base - has_many :posts
- belongs_to :user
- end
- class Topic < Active
Record::Base - has_many :posts
- belongs_to :user
- end
那has_many和belongs_to究竟是什么东西呢?其实他们是Topic类的class method,Ruby DSL特点的标准写法是:
- class Topic < ActiveRecord::Base
- Topic.has_many(:posts)
- Topic.belongs_to(:user)
- end
- 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等对象关系的时候,一系列相关的对象方法就被自动添加进来了。
既然明白了rails的小把戏,让我们来自己试试看吧:
- 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
- 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。为什么rails的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的对象关联声明也是以同样的方式实现的。
以上就是对Ruby DSL特点的分析介绍。