我创建了一个包含常量NAME
和方法hello
的模块。如果一个类包含该模块,则两个定义应该在不同的范围内可见。
module A
NAME = 'Otto'
def self.included(base)
base.extend(ClassMethods)
end
def hello(name = 'world')
self.class.hello(name)
end
module ClassMethods
def hello(name = 'world')
"Hello #{name}!"
end
end
end
class B
include A
def instance_scope
p [__method__, hello(NAME)]
end
def self.class_scope
p [__method__, hello(NAME)]
end
class << self
def eigen_scope
p [__method__, hello(NAME)]
end
end
end
B.new.instance_scope
B.class_scope
B.eigen_scope
#=> script.rb:34:in `eigen_scope': uninitialized constant Class::NAME (NameError)
from script.rb:41
但是,常量在本征类class << self
的实例方法范围内不可见。
有没有办法让模块更健壮,并在上面的错误范围内提供常量?
答案 0 :(得分:4)
class << self
def eigen_scope
p [__method__, hello(self::NAME)]
#=> [:eigen_scope, "Hello Otto!"]
end
end
self::NAME
有效?A::NAME
将是最简单的硬编码版本。B::NAME
也可以,因为B
包含A
eigen_scope
内,self
为B
,因此self::NAME
也适用self::NAME
也适用于self.class_scope
self::NAME
在instance_scope
中不起作用:B
实例不是类/模块。NAME
不起作用?Here是一个非常好的解释。
常量查找搜索中定义的常量
,则Module.nesting
,Module.nesting.first.ancestors
和。{ 如果Object.ancestors
为零或模块Module.nesting.first
self
与class_scope
和eigen_scope
相同。
Module.nesting
虽然有所不同:
[B]
class_scope
{li> [#<Class:B>, B]
eigen_scope
所以Module.nesting.first.ancestors
是:
[B, A, Object, Kernel, BasicObject]
class_scope
{li> [#<Class:B>, A::ClassMethods, #<Class:Object>, #<Class:BasicObject>, Class, Module, Object, Kernel, BasicObject]
eigen_scope
A
未被搜索,但A::ClassMethods
!
所以你可以定义:
module A
module ClassMethods
NAME = 'Bob'
end
end