首页 诗词 字典 板报 句子 名言 友答 励志 学校 网站地图
当前位置: 首页 > 教程频道 > 网络技术 > 网络基础 >

alias, alias_method跟alias_method_chain

2012-12-25 
alias, alias_method和alias_method_chainclass Adef m1puts m1endalias m2 m1end nila A.new #A

alias, alias_method和alias_method_chain

class Adef m1puts "m1"endalias m2 m1end=> nila = A.new=> #<A:0xb7ef5234>a.m1m1=> nila.m2m1=> nil

在使用的时候,注意原有的方法名在最后位置,用空格分开。

?

2. alias_method

作用和alias差不多,是Module的一个私有实例方法,只能用于给方法起别名,并且参数只能是字符串或者符号(alias后面跟的直接是方法名,不是字符串也不是符号)。

?

?

例子:class Bdef bp "b"endalias_method :c, :bend=> Bb = B.new=> #<B:0xb7ee75bc>b.c"b"=> nilb.b"b"=> nil

注意,alias_method的参数必须是字符串或者是符号,并且用逗号分隔。

?

3. alias_method_chain

是ActiveSupport的一个公有实例方法。同样接受两个参数,可以是符号,也可以是字符串,但要注意一下第1个参数才是原始方法(alias_method的第2个参数是原始方法)。

?

例子:class Adef m1puts 'm1'enddef m1_with_m2puts "do something befor m1"m1_without_m2puts "do something after m2"endalias_method_chain :m1, :m2end=> Aa = A.new=> #<A:0xb7bd9820>a.m1do something befor m1m1do something after m2=> nil




上面的代码用alias或者alias_method也能完成:

?

?

class A  def m1  puts 'm1'  endalias m1_without_m2 m1  def m1_with_m2  puts 'do something else'  m1_without_m2  end  alias m1 m1_with_m2  end那么其原理也一目了然了:a = A.newa.m1

当调用m1的时候, m1_with_m2会执行, 在puts "do something befor m1"之后,执行m1_without_m2,这个时候是执行了真正的m1方法。 这样就形成了一个类似于AOP的行为。

也可以说,对外把m1方法隐藏起来了,对类外部,实际上把m1_with_m2改头换面已经成为了另一个方法,只是我们不知道而已,因为它还叫m1.

?

?

?

再来看看alias_method_chain的源码:def alias_method_chain(target, feature)    # Strip out punctuation on predicates or bang methods since    # e.g. target?_without_feature is not a valid method name.    aliased_target, punctuation = target.to_s.sub(/([?!=])$/, ''), $1    yield(aliased_target, punctuation) if block_given?         with_method, without_method = "#{aliased_target}_with_#{feature}#{punctuation}", "#{aliased_target}_without_#{feature}#{punctuation}"    alias_method without_method, target    alias_method target, with_method          case  when public_method_defined?(without_method)  public target  when protected_method_defined?(without_method)  protected target  when private_method_defined?(without_method)  private target  end  end 一个道理。

更实际的例子:

在一些rails比较老的系统里,搜索功能的日期选择可能会用到date_select,这个方法会生成类似于这样的页面元素:

search_form[start_from(1i)]年

search_form[start_from(2i)]月

search_form[start_from(3i)]日

把这样的参数传回去,就无法查询到对应的日期。这个时候我们需要在后台得到查询条件之后来处理日期,比如:

get_conditions 这个方法假如是得到页面查询条件的,它返回一个数组,这个时候我们可以定义:

?

def get_conditions_with_handle_date puts "你可以在get_conditions方法执行前干点别的,如果你愿意"

get_conditions_without_handle_date puts "get_conditions执行完了,我们可以在其后干点别的,比如说处理日期"

conditions.reject!{|condition|condition[0] =~ /\([1-3]i\)/} # 把条件数组里的1i,2i,3i之类的去掉。

conditions << ["? <= #{@model.table_name}.created_at", @search.start_from] if @search.start_from #给搜索对象里添加正确的查询日期条件

conditions << ["#{@model.table_name}.created_at < ?", @search.end_to + 1.day] if @search.end_to #给搜索对象里添加正确的查询日期条件

end

#然后实施魔法 alias_method_chain :get_conditions, :handle_date

热点排行