我对python很新,并注意到这些帖子: Python __init__ and self what do they do?和 Python Classes without using def __init__(self)
然而,在玩完它之后,我注意到这两个类给出了明显相同的结果 -class A(object):
def __init__(self):
self.x = 'Hello'
def method_a(self, foo):
print self.x + ' ' + foo
(来自this question)
和
class B(object):
x = 'Hello'
def method_b(self,foo):
print self.x + ' ' + foo
这两者之间有什么真正的区别吗?或者,更一般地说,__init__
本质上是否会改变关于类的属性的任何内容?在the documentation中,提到在创建实例时调用__init__
。这是否意味着在实例化之前建立了类x
中的B
?
答案 0 :(得分:41)
是的,请查看:
class A(object):
def __init__(self):
self.lst = []
class B(object):
lst = []
现在尝试:
>>> x = B()
>>> y = B()
>>> x.lst.append(1)
>>> y.lst.append(2)
>>> x.lst
[1, 2]
>>> x.lst is y.lst
True
和此:
>>> x = A()
>>> y = A()
>>> x.lst.append(1)
>>> y.lst.append(2)
>>> x.lst
[1]
>>> x.lst is y.lst
False
这是否意味着在实例化之前建立了B类中的x?
是的,它是一个类属性(它在实例之间共享)。在A类中,它是一个实例属性。只是字符串是不可变的,因此在您的场景中没有真正的区别(除了B类使用更少的内存,因为它只为所有实例定义了一个字符串)。但在我的例子中有一个巨大的。
答案 1 :(得分:9)
在第一个例子中,您拥有该类实例的变量。此变量只能通过实例访问(自我需要)。
class A():
def __init__(self):
self.x = 'hello'
print A.x -> AttributeError
print A().x -> 'hello'
在第二个例子中,你有一个静态变量。由于A类的名称,您可以访问此变量
class A():
x = 'hello'
print A.x -> 'hello'
print A().x -> 'hello'
实际上,您可以拥有一个静态变量和一个具有相同名称的实例变量:
class A():
x = 'hello'
def __init__(self):
self.x = 'world'
print A.x -> hello
print A().x -> world
静态值在所有实例之间共享
class A():
x = 'hello'
@staticmethod
def talk():
print A.x
a = A()
print a.talk() -> hello
A.x = 'world'
print a.talk() -> world
你这里有一篇好文章: http://linuxwell.com/2011/07/21/static-variables-and-methods-in-python/
答案 2 :(得分:4)
正如其他人所说,它是类的变量与类实例上的变量之间的区别。请参阅以下示例。
>>> class A:
... a = []
...
>>> class B:
... def __init__(self):
... self.b = []
...
>>> a1 = A()
>>> a1.a.append('hello')
>>> a2 = A()
>>> a2.a
['hello']
>>> b1 = B()
>>> b1.b.append('goodbye')
>>> b2 = B()
>>> b2.b
[]
对于像元组,字符串等不可变对象,它更难注意到差异,但对于mutable,它会更改所有 - 所应用的更改在该类的所有实例之间共享
另请注意,关键字参数默认值会发生相同的行为!
>>> class A:
... def __init__(self, a=[]):
... a.append('hello')
... print(a)
...
>>> A()
['hello']
>>> A()
['hello', 'hello']
>>> A()
['hello', 'hello', 'hello']
>>> class B:
... def __init__(self, b=None):
... if b is None:
... b = []
... b.append('goodbye')
... print(b)
...
>>> B()
['goodbye']
>>> B()
['goodbye']
>>> B()
['goodbye']
这种行为惹恼了许多新的Python程序员。在早期发现这些区别对你有好处!