使用__init__和设置类变量之间的区别

时间:2009-06-19 16:54:44

标签: python descriptor

我正在尝试学习描述符,并且我对对象的行为感到困惑 - 在下面的两个例子中,正如我所理解的__init__他们应该一样。有人可以让我不相信,或者给我一个解释这个问题的资源吗?

import math
class poweroftwo(object):
    """any time this is set with an int, turns it's value to a tuple of the int
    and the int^2"""
    def __init__(self, value=None, name="var"):
        self.val = (value, math.pow(value, 2))
        self.name = name

    def __set__(self, obj, val):
        print "SET"
        self.val = (val, math.pow(val, 2))
    def __get__(self, obj, objecttype):
        print "GET"
        return self.val

class powoftwotest(object):
    def __init__(self, value):
        self.x = poweroftwo(value)

class powoftwotest_two(object):
    x = poweroftwo(10)


>>> a = powoftwotest_two()
>>> b = powoftwotest(10)
>>> a.x == b.x
>>> GET
>>> False #Why not true? shouldn't both a.x and b.x be instances of poweroftwo with the same values?

1 个答案:

答案 0 :(得分:3)

首先,请使用LeadingUpperCaseNames命名所有类。

>>> a.x
GET
(10, 100.0)
>>> b.x
<__main__.poweroftwo object at 0x00C57D10>
>>> type(a.x)
GET
<type 'tuple'>
>>> type(b.x)
<class '__main__.poweroftwo'>

a.x是实例级访问,它支持描述符。这就是第3.4.2.2节中的“(所谓的描述符类)出现在另一个新式类的类字典中”。实例必须访问类字典才能使用__get____set__方法。

b.x是类级访问,不支持描述符。