我遇到了两种调用文件类的方法:File
和::File
有人可以向我解释两者之间的区别,以及使用两者的不同原因吗?
File
指File
当前范围内的常量,而::File
始终指Object::File
.
p File
# File
p ::File
# File
module Another
module File
end
p File
# Another::File
p ::File
# File
end
Thus, the ::
is analogous to the root of a file system and the module you are in is analogous to the current directory.
For object-oriented access to the current lexical scope, see Module.nesting.
当您引用具有短名称 ( File
) 的类时,ruby 将使用最近范围内的类。看:
module MyModule
class File
def initialize *args; end
end
class Foo
def initialize
@file = File.new
end
attr_accessor :file
end
end
f = MyModule::Foo.new
f.file.class # => MyModule::File
file2 = File.new 'newfile', 'w'
file2.class # => File
因此,与顶层代码Foo
不同。File
但是,如果Foo
要使用此代码:
@file = ::File.new
然后它将使用“全局”File
类,而不是本地到MyModule
. 以类似的方式,我们可以MyModule::File
在顶层使用
file2 = MyModule::File.new 'newfile', 'w'