A班和B班有什么区别?
自我出了什么问题?
为什么我需要逐行声明自己?
class A(dict):
def __init__(self):
self={1:"you", 2:"and me"}
print "inside of class A",self
class B(dict):
def __init__(self):
self[1]="you"
self[2]="and me"
print "inside of class B",self
a=A()
print "outside of class A",a
b=B()
print "outside of class B",b
结果:
inside of class A {1: 'you', 2: 'and me'}
outside of class A {}
inside of class B {1: 'you', 2: 'and me'}
outside of class B {1: 'you', 2: 'and me'}
答案 0 :(得分:9)
def __init__(self):
self={1:"you", 2:"and me"}
这不会修改作为self
传递的对象,而是将局部变量self
重新绑定到新的dict。
答案 1 :(得分:4)
正如其他人所说,分配给self
是没用的,因为它只会改变局部变量的值而不会影响正在构造的字典。你想要的是:
self.update({1:"you", 2:"and me"})
甚至:
dict.__init__(self, {1:"you", 2:"and me"})
如果您真的希望控制您的类构造函数返回的实例(例如,实现实例缓存),look up __new__
。
答案 2 :(得分:2)
在A类中,您将分配到本地self
变量。调用__init__
时,self
包含引用,因此构造的对象。你将它重新分配给其他东西; 这根本不会改变A类的实例。
事实上,如果你在A类上定义一个新方法,你会注意到你分配给self
的dict甚至在那里都看不到。在__init__
返回的那一刻,它变得没有引用。
答案 3 :(得分:0)
只是添加其他好的答案。你可以看到字节代码的区别:
A
的字节代码:
Disassembly of __init__:
3 0 BUILD_MAP 2
3 LOAD_CONST 1 ('you')
6 LOAD_CONST 2 (1)
9 STORE_MAP
10 LOAD_CONST 3 ('and me')
13 LOAD_CONST 4 (2)
16 STORE_MAP
17 STORE_FAST 0 (self) # stores values in local variable
# i.e not changing the object at all
4 20 LOAD_CONST 5 ('inside of class A')
23 PRINT_ITEM
24 LOAD_FAST 0 (self)
27 PRINT_ITEM
28 PRINT_NEWLINE
29 LOAD_CONST 0 (None)
32 RETURN_VALUE
None
B
的字节代码:
Disassembly of __init__:
8 0 LOAD_CONST 1 ('you')
3 LOAD_FAST 0 (self) #loads self, i.e instance of dict
6 LOAD_CONST 2 (1)
9 STORE_SUBSCR #store value in it
9 10 LOAD_CONST 3 ('and me')
13 LOAD_FAST 0 (self)
16 LOAD_CONST 4 (2)
19 STORE_SUBSCR
10 20 LOAD_CONST 5 ('inside of class B')
23 PRINT_ITEM
24 LOAD_FAST 0 (self)
27 PRINT_ITEM
28 PRINT_NEWLINE
29 LOAD_CONST 0 (None)
32 RETURN_VALUE
None