54

私はRubyのPoignantGuideからRubyを学んでおり、いくつかのコード例では、同じ目的で使用されているように見える二重コロンとドットの使用法に出くわしました。

File::open( 'idea-' + idea_name + '.txt', 'w' ) do |f|
   f << idea
end

上記のコードでは、クラスのopenメソッドにアクセスするために二重コロンが使用されています。Fileしかし、後で同じ目的でドットを使用するコードに出くわしました。

require 'wordlist'
# Print each idea out with the words fixed
Dir['idea-*.txt'].each do |file_name|
   idea = File.read( file_name )
   code_words.each do |real, code| 
     idea.gsub!( code, real )
   end
puts idea
end 

今回は、クラスのreadメソッドにアクセスするためにドットが使用されています。File違いは何ですか:

File.read()

File::open()
4

1 に答える 1

32

それはスコープ解決演算子です。

ウィキペディアの例:

module Example
  Version = 1.0

  class << self # We are accessing the module's singleton class
    def hello(who = "world")
       "Hello #{who}"
    end
  end
end #/Example

Example::hello # => "Hello world"
Example.hello "hacker" # => "Hello hacker"

Example::Version # => 1.0
Example.Version # NoMethodError

# This illustrates the difference between the message (.) operator and the scope
# operator in Ruby (::).
# We can use both ::hello and .hello, because hello is a part of Example's scope
# and because Example responds to the message hello.
#
# We can't do the same with ::Version and .Version, because Version is within the
# scope of Example, but Example can't respond to the message Version, since there
# is no method to respond with.
于 2012-06-15T01:19:47.250 に答える