上一篇文章: Python實用技法第10篇:對切片命名
下一篇文章: Python實用技法第12篇:經過公共鍵對字典列表排序:itemgetter
咱們有一個元素序列,想知道在序列中出現次數最多的元素是什麼?
collections模塊中國的Counter類正是爲此類問題而設計的。它甚至有一個很是方便的most_common()方法能夠告訴咱們答案。能夠給Counter對象提供任何可哈希的對象序列做爲輸入。segmentfault
from collections import Counter words=[ 'a','b','c','d','e','f', 'a','b','c','d','e','f', 'a','b','c', 'a','b', 'a' ] #利用Counter統計每一個元素出現的個數 words_counts=Counter(words) #出現次數最多的3個元素 top_three=words_counts.most_common(3) #返回元素和出現次數 print(top_three) #Counter底層是一個字典,能夠在元素和他們出現的次數之間作映射,例如: #輸出元素【f】出現的次數 print(words_counts['f']) #若是想手動增長計數個數,只須要簡單的自增 words_counts['f']+=1 print(words_counts['f']) #若是想手動增長計數個數,還能夠使用update()方法: #只針對元素【f】增長一次計數 words_counts.update('f') print(words_counts['f']) #爲全部計數增長一次 morewords=[ 'a','b','c','d','e','f' ] words_counts.update(morewords) print(words_counts['f'])
運行結果:設計
[('a', 5), ('b', 4), ('c', 3)] 2 3 4 5
from collections import Counter words1=[ 'a','b','c','d','e','f', 'a','b','c','d','e','f', 'a','b','c', 'a','b', 'a' ] words2=[ 'a','b','c','d','e','f', 'a','b','c', 'a','b', 'a' ] one=Counter(words1) two=Counter(words2) print(one) print(two) three=one+two print(three) four=one-two print(four)
運行結果:code
Counter({'a': 5, 'b': 4, 'c': 3, 'd': 2, 'e': 2, 'f': 2}) Counter({'a': 4, 'b': 3, 'c': 2, 'd': 1, 'e': 1, 'f': 1}) Counter({'a': 9, 'b': 7, 'c': 5, 'd': 3, 'e': 3, 'f': 3}) Counter({'a': 1, 'b': 1, 'c': 1, 'd': 1, 'e': 1, 'f': 1})
上一篇文章: Python實用技法第10篇:對切片命名
下一篇文章: Python實用技法第12篇:經過公共鍵對字典列表排序:itemgetter