2

A级和B级有什么区别?

自己怎么了?

为什么我需要逐行声明self?

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'}
4

4 回答 4

9
  def __init__(self):
    self={1:"you", 2:"and me"}

这不会修改作为 传递的对象self,而是将局部变量重新绑定self到新的字典。

于 2012-10-31T18:18:26.577 回答
4

正如其他人所说,分配给self是没用的,因为它只会更改局部变量的值,而不会影响正在构造的字典。你想要的是这样的:

self.update({1:"you", 2:"and me"})

甚至:

dict.__init__(self, {1:"you", 2:"and me"})

如果您真的想控制您的类构造函数返回哪个实例(例如,实现实例缓存),请查找__new__.

于 2012-10-31T18:27:10.303 回答
2

在 A 类中,您正在分配给局部self变量。当__init__被调用时,self包含一个引用所以构造的对象。您正在将其完全重新分配给其他东西;这根本不会改变 A 类的实例

事实上,如果你在类 A 上定义一个新方法,你会注意到你分配给的 dict 在self那里甚至不可见。__init__它在返回的那一刻变得没有参考。

于 2012-10-31T18:18:35.413 回答
0

just adding to the other good answers. you can see the difference in the Byte-code:

Byte-code of 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

Byte-code of 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
于 2012-10-31T18:34:46.117 回答