出處(http://blog.csdn.net/lis_12/article/details/53521554).html
Python下一切皆對象,每一個對象都有多個屬性(attribute),Python對屬性有一套統一的管理方案。python
__dict__與dir()
的區別:app
__dict__
是一個字典,鍵爲屬性名,值爲屬性值;__dict__
中的屬性,__dict__
是dir()的子集; 並非全部對象都擁有__dict__
屬性。許多內建類型就沒有__dict__
屬性,如list,此時就須要用dir()來列出對象的全部屬性。ssh
__dict__
屬性__dict__
是用來存儲對象屬性的一個字典,其鍵爲屬性名,值爲屬性的值。函數
#!/usr/bin/python # -*- coding: utf-8 -*- class A(object): class_var = 1 def __init__(self): self.name = 'xy' self.age = 2 @property def num(self): return self.age + 10 def fun(self):pass def static_f():pass def class_f(cls):pass if __name__ == '__main__':#主程序 a = A() print a.__dict__ #{'age': 2, 'name': 'xy'} 實例中的__dict__屬性 print A.__dict__ ''' 類A的__dict__屬性 { '__dict__': <attribute '__dict__' of 'A' objects>, #這裏若是想深究的話查看參考連接5 '__module__': '__main__', #所處模塊 'num': <property object>, #特性對象 'class_f': <function class_f>, #類方法 'static_f': <function static_f>, #靜態方法 'class_var': 1, 'fun': <function fun >, #類變量 '__weakref__': <attribute '__weakref__' of 'A' objects>, '__doc__': None, #class說明字符串 '__init__': <function __init__ at 0x0000000003451AC8>} ''' a.level1 = 3 a.fun = lambda :x print a.__dict__ #{'level1': 3, 'age': 2, 'name': 'xy','fun': <function <lambda> at 0x>} print A.__dict__ #與上述結果相同 A.level2 = 4 print a.__dict__ #{'level1': 3, 'age': 2, 'name': 'xy'} print A.__dict__ #增長了level2屬性 print object.__dict__ ''' {'__setattr__': <slot wrapper '__setattr__' of 'object' objects>, '__reduce_ex__': <method '__reduce_ex__' of 'object' objects>, '__new__': <built-in method __new__ of type object at>, 等..... '''
從上述代碼可知,ui
實例的__dict__
僅存儲與該實例相關的實例屬性,spa
正是由於實例的__dict__
屬性,每一個實例的實例屬性纔會互不影響。.net
類的__dict__
存儲全部實例共享的變量和函數(類屬性,方法等),類的__dict__
並不包含其父類的屬性。code
dir()是Python提供的一個API函數,dir()函數會自動尋找一個對象的全部屬性(包括從父類中繼承的屬性)。orm
一個實例的__dict__
屬性僅僅是那個實例的實例屬性的集合,並不包含該實例的全部有效屬性。因此若是想獲取一個對象全部有效屬性,應使用dir()。
print dir(A) ''' ['__class__', '__delattr__', '__dict__', '__doc__', '__format__', '__getattribute__', '__hash__', '__init__', '__module__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', '__weakref__', 'age', 'class_f', 'class_var', 'fun', 'level1', 'level2', 'name', 'num', 'static_f'] ''' a_dict = a.__dict__.keys() A_dict = A.__dict__.keys() object_dict = object.__dict__.keys() print a_dict print A_dict print object_dict ''' ['fun', 'level1', 'age', 'name'] ['__module__', 'level2', 'num', 'static_f', '__dict__', '__weakref__', '__init__', 'class_f', 'class_var', 'fun', '__doc__'] ['__setattr__', '__reduce_ex__', '__new__', '__reduce__', '__str__', '__format__', '__getattribute__', '__class__', '__delattr__', '__subclasshook__', '__repr__', '__hash__', '__sizeof__', '__doc__', '__init__'] ''' #由於每一個類都有一個__doc__屬性,因此須要去重,去重後而後比較 print set(dir(a)) == set(a_dict + A_dict + object_dict) #True
dir()函數會自動尋找一個對象的全部屬性,包括__dict__
中的屬性。
__dict__
是dir()的子集,dir()包含__dict__
中的屬性。
參考網址