为什么 eigenclass 看起来如此相似,但它不等于 self.class?
我在某个地方错过了备忘录,希望你能向我解释一下。
为什么对象的特征类与 self.class 不同?
class Foo
def initialize(symbol)
eigenclass = class << self
self
end
eigenclass.class_eval do
attr_accessor symbol
end
end
end
我将 eigenclass 与 class.self 等同起来的逻辑相当简单:
class << self 是声明类方法而不是实例方法的一种方式。它是 def Foo.bar
的快捷方式。
因此,在对类对象的引用中,返回 self 应该与 self.class 相同。这是因为 class << self
会将 self
设置为 Foo.class
来定义类方法/属性。
我只是很困惑吗?或者,这是 Ruby 元编程的一个鬼把戏?
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(3)
类<< self
不仅仅是声明类方法的一种方式(尽管它可以这样使用)。也许您已经看到过一些用法,例如:这有效,并且相当于
def Foo.a
,但它的工作方式有点微妙。秘密在于,在该上下文中,self
指的是对象Foo
,该对象的类是Class
的唯一匿名子类。这个子类称为Foo
的 eigenclass。因此,def a
在Foo
的特征类中创建了一个名为a
的新方法,可以通过正常的方法调用语法访问:Foo.a
。现在让我们看一个不同的示例:
这个示例与上一个示例相同,尽管一开始可能很难分辨。
frob
不是在String
类上定义的,而是在str
的特征类上定义的,它是String
的唯一匿名子类>。因此,str
有一个frob
方法,但String
的实例通常没有。我们还可以重写 String 的方法(在某些棘手的测试场景中非常有用)。现在我们已经准备好理解您的原始示例了。在
Foo
的初始化方法中,self
引用的不是类Foo
,而是 实例代码>Foo。它的eigenclass是Foo
的子类,但它不是Foo
;不可能,否则我们在第二个例子中看到的技巧就无法发挥作用。所以继续你的例子:class << self
is more than just a way of declaring class methods (though it can be used that way). Probably you've seen some usage like:This works, and is equivalent to
def Foo.a
, but the way it works is a little subtle. The secret is thatself
, in that context, refers to the objectFoo
, whose class is a unique, anonymous subclass ofClass
. This subclass is calledFoo
's eigenclass. Sodef a
creates a new method calleda
inFoo
's eigenclass, accessible by the normal method call syntax:Foo.a
.Now let's look at a different example:
This example is the same as the last one, though it may be hard to tell at first.
frob
is defined, not on theString
class, but on the eigenclass ofstr
, a unique anonymous subclass ofString
. Sostr
has afrob
method, but instances ofString
in general do not. We could also have overridden methods of String (very useful in certain tricky testing scenarios).Now we're equipped to understand your original example. Inside
Foo
's initialize method,self
refers not to the classFoo
, but to some particular instance ofFoo
. Its eigenclass is a subclass ofFoo
, but it is notFoo
; it couldn't be, or else the trick we saw in the second example couldn't work. So to continue your example:最简单的答案:特征类无法实例化。
The simplest answer: the eigenclass can't be instantiated.
Yehuda Katz 很好地解释了“Ruby 中的元编程:一切都是为了自我"
Yehuda Katz does a pretty good job of explaining the subtleties in "Metaprogramming in Ruby: It's All About the Self"