1.set(集合)python
set和dict相似,也是一組key的集合,但不存儲value。因爲key不能重複,因此,在set中,沒有重複的key。python3.x
集合和咱們數學中集合的概念是同樣的,也有交集、並集、差集、對稱差集等概念。安全
1.1定義集合須要提供一個列表做爲參數,也能夠不傳參數建立一個空集合app
>>> s = set([1, 2, 2, 3]) >>> s {1, 2, 3} # 能夠看到在建立集合對象對過程當中已經爲咱們把重複的元素剔除掉了 >>> s = set() set()
1.2set經常使用方法ssh
#python3.x dir(set) #['__and__', '__class__', '__contains__', '__delattr__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__gt__', '__hash__', '__iand__', '__init__', '__init_subclass__', '__ior__', '__isub__', '__iter__', '__ixor__', '__le__', '__len__', '__lt__', '__ne__', '__new__', '__or__', '__rand__', '__reduce__', '__reduce_ex__', '__repr__', '__ror__', '__rsub__', '__rxor__', '__setattr__', '__sizeof__', '__str__', '__sub__', '__subclasshook__', '__xor__', 'add', 'clear', 'copy', 'difference', 'difference_update', 'discard', 'intersection', 'intersection_update', 'isdisjoint', 'issubset', 'issuperset', 'pop', 'remove', 'symmetric_difference', 'symmetric_difference_update', 'union', 'update']
s = set([1, 2, 3]) s.add(4) print(s) """ 添加一個新的元素,若是該元素已經存在,將不會有任何操做 Add an element to a set. This has no effect if the element is already present. """ #輸出{1, 2, 3, 4}
s = set([1, 2, 3]) s.clear() print(s) """ 刪除全部元素 return:None Remove all elements from this set. """ #輸出set()
A = set([1, 2, 3]) B = set([2, 3, 4]) print(A.difference(B)) """ 求當前差集和另外一個集合的差集 return:差集 Return the difference of two or more sets as a new set. (i.e. all elements that are in this set but not the others.) """ #輸出{1}
A = set([1, 2, 3]) B = set([2, 3, 4]) A.difference_update(B) print(A) """ 從當前集合中刪除全部另外一個集合中存在的元素 其實就至關於將difference返回的值又付給了當前集合 能夠理解爲A = A - B,或者A -= B Remove all elements of another set from this set. """ #輸出集合A結果爲{1}
A = set([1, 2, 3]) A.discard(2) print(A) #輸出{1, 3} A.discard(4) print(A) #輸出{1, 3} """ 若是一個集合中存在這個元素則刪除,不然什麼都不作 Remove an element from a set if it is a member. If the element is not a member, do nothing. """
A = set([1, 2, 3]) B = set([2, 3, 4]) print(B.intersection(A)) #輸出{2, 3} """ 返回兩個集合的交集到一個新的集合中 Return the intersection of two sets as a new set. (i.e. all elements that are in both sets.) """
A = set([1, 2, 3]) B = set([2, 3, 4]) A.intersection_update(B) print(A) #輸出{2, 3} """ 求一個集合與另外一個集合的交集,並把結果返回當前集合 Update a set with the intersection of itself and another. """
A = set([1, 2, 3]) B = set([2, 3, 4]) print(A.isdisjoint(B)) #輸出False A = set([1, 2, 3]) B = set([4, 5, 6]) print(A.isdisjoint(B)) #輸出True """ 判斷兩個集合是否存在交集,有返回False,沒有返回True Return True if two sets have a null intersection. """
A = set([1, 2, 3]) B = set([1, 2, 3, 4]) print(A.issuperset(B)) #輸出False print(B.issuperset(A)) #輸出True """ 判斷當前集合是不是另外一個集合父集合(另外一個集合的全部元素都在當前集合中) Report whether this set contains another set. """
s = set([1, 2, 3]) a = s.pop() print(a) #輸出1 print(s) #輸出{2, 3} """ 隨機刪除一個元素,並返回那個元素,若是集合爲空,將會拋出KeyError異常 Remove and return an arbitrary set element. Raises KeyError if the set is empty. """
s = set([1, 2, 3]) s.remove(2) print(s) #輸出{1, 3} """ 從集合中刪除一個元素,若是要刪除的元素不在集合,將會拋出KeyError異常 Remove an element from a set; it must be a member. If the element is not a member, raise a KeyError. """
A = set([1, 2, 3]) B = set([2, 3, 4, 5]) print(A.symmetric_difference(B)) #輸出{1, 4, 5} print(B.symmetric_difference(A)) #輸出{1, 4, 5} """ 返回兩個集合的對稱差集到一個新的集合 Return the symmetric difference of two sets as a new set. (i.e. all elements that are in exactly one of the sets.) """
A = set([1, 2, 3]) B = set([2, 3, 4, 5]) A.symmetric_difference_update(B) print(A) #輸出{1, 4, 5} """ 更新當前集合爲與另一個集合的對稱差集 Update a set with the symmetric difference of itself and another. """
A = set([1, 2, 3]) B = set([2, 3, 4, 5]) print(A.union(B)) #輸出{1, 2, 3, 4, 5} print(B.union(A)) #輸出{1, 2, 3, 4, 5} """ 返回與另外一個集合的並集爲一個新的集合 Return the union of sets as a new set. (i.e. all elements that are in either set.) """
A = set([1, 2, 3]) B = set([2, 3, 4, 5]) A.update(B) print(A) #輸出{1, 2, 3, 4, 5} """ 更新當前集合爲與另外一個集合的並集 Update a set with the union of itself and others. """
2.collectionside
collections是對Python現有的數據類型的補充,在使用collections中的對象要先導入import collections模塊this
2.1Counter--計數器編碼
計數器是對字典的補充,繼承自字典,除了具備字典的全部方法,還有不少擴展功能。spa
定義Counter對象線程
Counter接受一個序列對象,如list、tuple、str等,返回以字典形式(按照出現次數倒序)
import collections c = collections.Counter("asfsdfsdfgsdgf") print(c) c1 = collections.Counter(['tom', 'jack', 'tony', 'jack']) print(c1) ''' 輸出結果 Counter({'s': 4, 'f': 4, 'd': 3, 'g': 2, 'a': 1}) Counter({'jack': 2, 'tom': 1, 'tony': 1}) '''
2.2Counter經常使用方法
#python3.x dir(collections.Counter()) #['__add__', '__and__', '__class__', '__contains__', '__delattr__', '__delitem__', '__dict__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__', '__gt__', '__hash__', '__iadd__', '__iand__', '__init__', '__init_subclass__', '__ior__', '__isub__', '__iter__', '__le__', '__len__', '__lt__', '__missing__', '__module__', '__ne__', '__neg__', '__new__', '__or__', '__pos__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__setitem__', '__sizeof__', '__str__', '__sub__', '__subclasshook__', '__weakref__', '_keep_positive', 'clear', 'copy', 'elements', 'fromkeys', 'get', 'items', 'keys', 'most_common', 'pop', 'popitem', 'setdefault', 'subtract', 'update', 'values']
c = collections.Counter("dsadfasfasfasf") print(c.most_common(3)) print(c.most_common(2)) ''' 輸出 [('s', 4), ('a', 4), ('f', 4)] [('s', 4), ('a', 4)] '''
c = collections.Counter("safasfsadasdas") print(c.elements()) print(list(c.elements())) ''' 輸出 <itertools.chain object at 0x0000000005040C88> ['s', 's', 's', 's', 's', 'a', 'a', 'a', 'a', 'a', 'f', 'f', 'd', 'd'] 注意:返回的是一個迭代器對象,能夠經過內置方法將其轉化爲列表對象,也能夠經過for in進行遍歷 '''
c = collections.Counter(['tom', 'jack', 'tony', 'jack']) c.update('peter') print(c) # 注意參數是一個序列對象,若是傳的是一個字符串,字符串的每個字符都會被當成一個元素 c = collections.Counter(['tom', 'jack', 'tony', 'jack']) c.update(['tom']) print(c) ''' 輸出 Counter({'jack': 2, 'e': 2, 'tom': 1, 'tony': 1, 'p': 1, 't': 1, 'r': 1}) Counter({'tom': 2, 'jack': 2, 'tony': 1}) '''
c = collections.Counter(['tom', 'jack', 'tony', 'jack']) c.subtract(['tom']) print(c) c.subtract(['tom']) print(c) ''' 輸出 Counter({'jack': 2, 'tony': 1, 'tom': 0}) Counter({'jack': 2, 'tony': 1, 'tom': -1}) 注意: 注意:若是成員已經不存在了或者說爲0了,計數器會繼續遞減,也就是說計數器有0和負數的概念的,可是使用elements顯示的時候卻沒有該成員,若是計時器是0或者負數能說明這個成員出現過而已,另外若是爲負數的時候,添加成員,成員不會真的添加到elements顯示的成員中,直到計數器大於0爲止 '''
3.OrderedDict 有序字典
咱們都知道字典是無序的,OrderedDict 是對字典的擴展,使其有序,並根據添加順序進行排序
c = collections.OrderedDict()
咱們也能夠經過一個現有的字典進行初始化有序字典
old_dict = {'k1':'1', 'k2':'2', 'k3':'3'} new_dict = collections.OrderedDict(old_dict) print(new_dict) #輸出OrderedDict([('k1', '1'), ('k2', '2'), ('k3', '3')])
有序字典經常使用方法
old_dict = {'k1':'1', 'k2':'2', 'k3':'3'} new_dict = collections.OrderedDict(old_dict) dir(new_dict) #['__class__', '__contains__', '__delattr__', '__delitem__', '__dict__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__', '__gt__', '__hash__', '__init__', '__init_subclass__', '__iter__', '__le__', '__len__', '__lt__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__reversed__', '__setattr__', '__setitem__', '__sizeof__', '__str__', '__subclasshook__', 'clear', 'copy', 'fromkeys', 'get', 'items', 'keys', 'move_to_end', 'pop', 'popitem', 'setdefault', 'update', 'values']
dic = collections.OrderedDict({'a':1, 'b':2, 'c':3}) dic.clear() print(dic) ''' 輸出OrderedDict() '''
dic = collections.OrderedDict({'a':1, 'b':2, 'c':3}) print(dic.keys()) ''' 輸出:odict_keys(['a', 'b', 'c']) '''
dic = collections.OrderedDict({'a':1, 'b':2, 'c':3}) print(dic.values()) #輸出odict_values([1, 2, 3])
dic = collections.OrderedDict({'a':1, 'b':2, 'c':3}) print(dic.items()) #輸出odict_items([('a', 1), ('b', 2), ('c', 3)])
dic = collections.OrderedDict({'a':1, 'b':2, 'c':3}) print(dic.pop('b')) #輸出2 print(dic) #輸出OrderedDict([('a', 1), ('c', 3)]) print(dic.pop('d', 10)) #輸出10 ''' 刪除指定key的元素,並返回key所對應的值 k:要刪除的元素的key d:若是key不存在返回的默認值 '''
dic = collections.OrderedDict({'a':1, 'b':2, 'c':3}) print(dic.popitem()) #輸出('c', 3) """ 刪除末尾的元素,並返回刪除的元素的key和value """
def setdefault(self, k, d=None): # real signature unknown; restored from __doc__ """ 設置某個鍵的默認值,使用get方法若是該鍵不存在返回的值 """ pass
def move_to_end(self, *args, **kwargs): # real signature unknown """ 移動一個元素到字典的末尾,若是該元素不存在這回拋出KeyError異常 同原生字典,不一樣的是有序和無序 """
dic = collections.OrderedDict({'a':1, 'b':2, 'c':3}) dic.move_to_end('b') print(dic) #輸出OrderedDict([('a', 1), ('c', 3), ('b', 2)]) """ 移動一個元素到字典的末尾,若是該元素不存在這回拋出KeyError異常 """
dic = collections.defaultdict(list) #定義的時候須要指定默認的數據類型,這裏指定的是列表類型 dic['k1'].append('a') #儘管當前key尚未值,可是它默認已是列表類型,因此直接能夠用列表的append方法 print(dic) #輸出defaultdict(<class 'list'>, {'k1': ['a']}) """ defaultdict是對字典的擴展,它默認個給字典的值設置了一種默認的數據類型,其餘的均與原生字典同樣 """
4.namedtuple可命名元組
可命名元組是元組的擴展,包含全部元組的方法的同時能夠給每一個元組的元素命名,訪問時候也不須要再經過索引進行訪問,直接經過元素名便可訪問
MytupleClass = collections.namedtuple('MytupleClass',['x', 'y', 'z']) mytuple = MytupleClass(11, 22, 33) print(mytuple.x) #11 print(mytuple.y) #22 print(mytuple.z) #33
5.deque雙向隊列
deque是一個線程安全的雙向隊列,相似列表,不一樣的是,deque是線程安全,而且是雙向的也就是兩邊均可以進出
5.1定義雙向隊列
d = collections.deque()
5.2經常使用方法
d = collections.deque() dir(d) #['__add__', '__bool__', '__class__', '__contains__', '__copy__', '__delattr__', '__delitem__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__', '__gt__', '__hash__', '__iadd__', '__imul__', '__init__', '__init_subclass__', '__iter__', '__le__', '__len__', '__lt__', '__mul__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__reversed__', '__rmul__', '__setattr__', '__setitem__', '__sizeof__', '__str__', '__subclasshook__', 'append', 'appendleft', 'clear', 'copy', 'count', 'extend', 'extendleft', 'index', 'insert', 'maxlen', 'pop', 'popleft', 'remove', 'reverse', 'rotate']
d = collections.deque([1, 2, 3]) d.append(4) print(d) #輸出deque([1, 2, 3, 4]) """ 從右邊追加一個元素到隊列的末尾 """
d = collections.deque([1, 2, 3]) d.appendleft(4) print(d) #輸出deque([4, 1, 2, 3]) """ 從左邊追加一個元素到隊列的末尾 """
d = collections.deque([1, 2, 3]) d.clear() print(d) #deque([]) """ 清空隊列 """
d = collections.deque([1, 2, 3, 1]) print(d.count(1)) #輸出2
d = collections.deque([1, 2, 3]) d.extend([4, 5]) print(d) #輸出deque([1, 2, 3, 4, 5])
d = collections.deque([1, 2, 3]) d.extendleft([4, 6]) print(d) #輸出deque([6, 4, 1, 2, 3])
def index(self, value, start=None, stop=None): # real signature unknown; restored from __doc__ """ 查找元素是否存在,若是不存在將會拋出ValueError異常,若是存在返回第一找到的索引位置 value:要查找的元素 start:查找的開始因此你能 stop:查找的結束索引 """ return 0 #使用方法同列表,須要說明雖然是雙向隊列,可是索引仍是從左到右編碼的
d = collections.deque([1, 2, 3]) d.insert(0, 4) print(d) #deque([4, 1, 2, 3])
d = collections.deque([1, 2, 3]) print(d.pop()) #輸出3 print(d) #輸出deque([1, 2])
d = collections.deque([1, 2, 3]) print(d.popleft()) #輸出1 print(d) #輸出deque([2, 3])
d = collections.deque([1, 2, 3, 2]) d.remove(2) print(d) #輸出deque([1, 3, 2])
d = collections.deque([1, 2, 3]) d.reverse() print(d) #輸出deque([3, 2, 1])
d = collections.deque([1, 2, 3, 4, 5]) d.rotate(2) print(d) """ 隊列旋轉,默認移動1位 輸出deque([4, 5, 1, 2, 3]) 雙向隊列的旋轉能夠理解爲,雙向隊列的首位是相連的環,旋轉就是元素移動了多少個位置,以下圖所示,或者說從左邊取出元素追加到右邊,追加了多少次 """