3

这是一个关于实例变量的新手 Python 问题。

考虑以下 Python 2.7 类定义:

class Foo(object):
    a = 1

    def __init__(self):
            self.b = 2

    def __repr__(self):
            return "%s" % self.__dict__

现在,当我创建 , 的实例时FooFoo.__dict__contains b,但不是a.

>>> x=Foo()
>>> x
{'b': 2}
>>> dir(x)
['__class__', '__delattr__', '__dict__', '__doc__', '__format__', 
 '__getattribute__', '__hash__', '__init__', '__module__', '__new__', 
 '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__',
 '__str__', '__subclasshook__', '__weakref__', 'a', 'b']
>>> x.__dict__
{'b': 2}

在这里,我认为我对 Python 之道有很好的掌握。

x.a和有什么区别x.b?据我所知,它们都是实例变量。

编辑:好的,重新阅读我看到的Python 文档Foo.a类属性而不是实例变量。嗯......我想混乱来自这样一个事实,即我可以分配一个新值x.a并且新值只影响x实例 - 我想我现在在Foo.a属性顶部为一个成员变量起别名:

>>> y=Foo()
>>> y.a = 2
>>> y
{'a': 2, 'b': 2}
>>> x
{'b': 2}
>>> x.a
1
>>> z=Foo()
>>> z
{'b': 2}
>>> z.a
1
>>> Foo.a
1
>>> x.a
1
>>> y.a
2

所以,现在我覆盖之前的值Foo.a,它会影响所有Foo没有别名的实例Foo.a

>>> Foo.a=999
>>> x.a
999
>>> y.a
2
4

3 回答 3

7

a不是一个实例变量。您将其定义为类的一部分。

>>> class Foo(object):
...    a = 1
...
>>> Foo.a
1

如果你想要一个实例变量,你应该把它放在__init__方法中,因为这个方法在你的对象被创建时被调用。

于 2012-05-12T19:33:28.253 回答
4

a不是实例属性,而是类属性。

于 2012-05-12T19:33:20.140 回答
0

这可以进一步帮助您吗?

>>> class X(object):

    def __getattribute__(self, name):
        print name
        return object.__getattribute__(self, name)


>>> l = dir(X())
__dict__
__members__
__methods__
__class__
>>> l
['__class__', '__delattr__', '__dict__', '__doc__', '__format__', '__getattribute__', '__hash__', '__init__', '__module__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', '__weakref__']
于 2012-05-12T19:54:01.977 回答