以下是代码段:
模块:ActiveSupport ::关注
module ActiveSupport
module Concern
def self.extended(base)
base.instance_variable_set("@_dependencies", [])
end
def append_features(base)
if base.instance_variable_defined?("@_dependencies")
base.instance_variable_get("@_dependencies") << self
return false
else
return false if base < self
@_dependencies.each { |dep| base.send(:include, dep) }
super
base.extend const_get("ClassMethods") if const_defined?("ClassMethods")
base.send :include, const_get("InstanceMethods") if const_defined?("InstanceMethods")
base.class_eval(&@_included_block) if instance_variable_defined?("@_included_block")
end
end
def included(base = nil, &block)
if base.nil?
@_included_block = block
else
super
end
end
end
end
自定义模块:GeneralScopes
module GeneralScopes
extend ActiveSupport::Concern
included do
scope :reverse_order_by_date, :order => "date DESC"
scope :recent, lambda { |count| reverse_order_by_date.limit(count) }
end
end
自定义类:用户
class User < ActiveRecord::Base
include GeneralScopes
end
用法:
User.recent(5) => Prints the recent five User instances available in database
我在上面显示的代码段的上下文中有以下问题:
1)包含(MODULE_NAME(s))。 include是Module的私有实例方法,此方法由 self 隐式调用。 那么 self 在课堂体中代表什么呢? 在类的实例方法中, self 表示当前对象。 在类的类方法中, self 表示类的Class对象。
类主体的include <MODULE_NAME>
语法如何工作?
2)延伸(MODULE_NAME(s))
Object.extend.This方法制作了实例方法 将指定的模块或模块转换为接收器的单例方法 对象。(如果接收者对象是一个Class实例,那么 接收器的方法成为该类的类方法
我无法理解上面显示的 GeneralScopes 模块。
3)
module GeneralScopes
extend ActiveSupport::Concern
included do
scope :reverse_order_by_date, :order => "date DESC"
scope :recent, lambda { |count| reverse_order_by_date.limit(count) }
end
end
模块GeneralScopes我假设是调用ActiveSupport :: Concern模块的实例方法“included(base = nil,&amp; block)”。如何从模块体调用实例方法?
时哪个对象充当接收者 included do
scope :reverse_order_by_date, :order => "date DESC"
scope :recent, lambda { |count| reverse_order_by_date.limit(count) }
end
被执行了吗?
4)ActiveSupport :: Concern模块的实例方法“included(base = nil,&amp; block)”
def included(base = nil, &block)
if base.nil?
@_included_block = block
else
super
end
end
此处使用超级。此超级在User类或ActiveSupport :: Concern模块的上下文中工作?到哪个班级 控制在超级执行时进行?
如果有人能让我理解所执行的控制流程,或者指出任何相关资源来解释与我有问题相关的概念,那将是一个很大的帮助。
答案 0 :(得分:5)
1)include
使模块的方法可用作类的实例方法,而extend
使模块的方法可用作类方法。所以self
指的是实例或类:
module M
def foo
puts self
end
end
class A
include M
end
A.new.foo # => #<A:0x007fcefa18e270> ('self' refers to the instance)
class B
extend M
end
B.foo # => B ('self' refers to the class)
2)extend ActiveSupport::Concern
使ActiveSupport::Concern
的{{1}}方法可用,因此您可以调用GeneralScopes
方法。
3)该块被分配到included
,并在@_included_block
(append_features
)内进行评估,当用户包含base.class_eval(&@_included_block)
时,该GeneralScopes
会被调用。来自docs:
当这个模块包含在另一个模块中时,Ruby会调用此模块中的
append_features
,并将模块中的接收模块传递给它。
4)super
是指ActiveSupport::Concern
的父级,因此调用Module
的{{3}}。