Rails 关注方法重写另一个关注方法不像普通模块那样工作

Rails concern method override another concern method doesn't work like normal modules

假设我在 ruby 中有以下结构(没有 rails)

module Parent
    def f
        puts "in parent"
    end
end

module Child
    def f
        super
        puts "in child"
    end
end

class A
    include Parent
    include Child
end

A.new.f # prints =>
#in parent
#in child

现在使用时rails关注

module Parent
  extend ActiveSupport::Concern

  included do

    def f
      puts "In Parent"
    end


  end

end

module Child
  extend ActiveSupport::Concern

  included do

    def f
      super
      puts "In Child"
    end


  end

end

class A < ActiveRecord::Base
  include Parent
  include Child
end

A.new.f #exception
NoMethodError: super: no superclass method `f' for #<A:0x00000002244490>

那么我在这里缺少什么?我需要像在普通模块中那样使用 super 。我进行了搜索,但找不到有关此主题的帮助

原因是包含的方法块实际上是在 class 的上下文中计算的。这意味着,其中定义的方法在包含模块时在 class 上定义,因此优先于包含的模块。

module Child1
  extend ActiveSupport::Concern  
  included do   
    def foo
    end    
  end
end

module Child2
  def bar
  end
end

class A
  include Child1
  include Child2
end

A.new.method(:foo).owner   #=> A
A.new.method(:bar).owner   #=> Child2

方法查找

在ruby中,每次要调用方法,ruby都得先找到(不知道是方法还是变量)。这是通过所谓的方法查找完成的。当没有指定接收者时(像 puts 这样的纯调用),它首先在当前作用域中搜索任何变量。如果找不到,它会在当前 self 上搜索该方法。当指定接收器时 (foo.bar) 它自然会在给定的接收器上搜索方法。

现在查找 - 在 ruby 中,所有方法总是属于某些 module/class。顺序中的第一个是接收者的特征class,如果它存在的话。如果不是,则常规接收者的 class 是第一个。

如果在 class 中未找到该方法,则它会以相反的顺序搜索给定 class 中所有包含的模块。如果那里什么都没有找到,下一个是 superclass of given class。整个过程递归进行,直到找到某些东西。当查找到达 BasicObject 但找不到方法时,它会退出并触发搜索 method_missing,默认实现定义在 BasicObject 上。

需要注意的重要一点是属于 class 的方法总是优先于模块方法:

module M
  def foo
    :m_foo
  end
end

class MyClass
  def foo
    :class_foo
  end

  include M
end

MyClass.new.foo    #=> :class_foo

关于super

超级方法的搜索非常相似 - 它只是试图在方法查找中找到一个具有相同名称的方法:

module M1
  def foo
    "M1-" + super
  end
end

module M2
  def foo
    'M2-' + super
  end
end

module M3
  def foo
    'M3-' + super
  end
end

class Object
  def foo
    'Object'
  end
end

class A
  include M2
  include M3
end

class B < A
  def foo
    'B-' + super
  end

  include M1
end

B.new.foo    #=> 'B-M1-M3-M2-Object'

ActiveSupport::Concern#included

included 是一个非常简单的方法,它接受一个块并在当前模块上创建一个 self.included 方法。该块是使用 instance_eval 执行的,这意味着其中的任何代码实际上是在 class 给定模块的上下文中执行的。因此,当您在其中定义一个方法时,该方法将属于 class 包括模块,而不是模块本身。

每个模块只能包含一个具有给定名称的方法,一旦您尝试定义第二个具有相同名称的方法,先前的定义将被完全删除并且无法使用 ruby 方法找到它抬头。由于在您的示例中,您在包含的块中包含了两个具有相同方法定义的模块,因此第二个定义完全覆盖了第一个,并且在方法查找中没有其他更高的定义,因此 super 必然会失败。