在Ruby中,什么时候应该使用self。在你的班级?

时间:2011-02-21 16:13:24

标签: ruby self

你什么时候在Ruby中使用self.property_name

3 个答案:

答案 0 :(得分:36)

在调用类的mutator时使用self。例如,这不起作用:

class Foo
  attr_writer :bar
  def do_something
    bar = 2
  end
end

问题是'bar = 2'创建了一个名为'bar'的局部变量,而不是调用由attr_writer创建的方法'bar ='。但是,有一点self会修复它:

class Foo
  attr_writer :bar
  def do_something
    self.bar = 2
  end
end

self.bar = 2根据需要调用方法bar=

您也可以使用self来调用与本地变量同名的阅读器:

class Foo
  attr_reader :bar
  def do_something
    bar = 123
    puts self.bar
  end
end

但通常最好避免给一个与访问者同名的局部变量。

答案 1 :(得分:19)

self引用当前对象。这有很多用途:

在当前对象上调用方法

class A
    def initialize val
        @val = val
    end
    def method1
        1 + self.method2()
    end
    def method2
        @val*2
    end
end

此处运行A.new(1).method1()将返回3self的使用在此处是可选的 - 以下代码是等效的:

class A
    def initialize val
        @val = val
    end
    def method1
        1 + method2()
    end
    def method2
        @val*2
    end
end

self不是为了这个目的而多余的 - 运算符重载使其成为必要:

class A
    def initialize val
        @val = val
    end
    def [] x
        @val + x
    end
    def method1 y
        [y] #returns an array!
    end
    def method2 y
        self.[y] #executes the [] method
    end
end

这显示了如果要调用当前对象的[]方法,必须如何使用self。

引用属性

您可以使用attr_accessor和co生成用于读取和写入实例变量的方法。

class A
    attr_accessor :val
    def initialize val
        @val = val
    end
    def increment!
        self.val += 1
    end
 end

在这里使用self 是多余的,因为你可以直接引用变量,例如。 @val。 使用上一课,A.new(1).increment!将返回2.

方法链

你可以回归自我,提供一种称为链接的语法糖形式:

class A
    attr_reader :val
    def initialize val
        @val = val
    end
    def increment!
        @val += 1
        self
    end
 end

这里,因为我们正在返回当前对象,所以可以链接方法:

A.new(1).increment!.increment!.increment!.val #returns 4

创建类方法

您可以使用self定义类方法:

class A
    def self.double x
          x*2
    end
    def self.quadruple x
        self.double(self.double(x))
    end
end

这样您就可以拨打A.double(2) #= 4A.quadruple(2) #=8了。请注意,在类方法中,self引用该类,因为该类是当前对象。

如何确定自我的价值

特定方法中self的当前值设置为调用该方法的对象。通常这使用'。'符号。当你运行some_object.some_method()时,self会在some_method的持续时间内被some_object绑定,这意味着some_method可以通过上述方式之一使用self。

答案 2 :(得分:0)

使用self将引用程序中可访问的当前对象。因此,在通过某种attr_accessor访问变量时使用self.property。在必须的情况下,它可以用来代替对象中的@property。