Python count()方法
描述
Python count() 方法用於統計字符串里某個字符出現的次數。可選參數為在字符串搜索的開始與結束位置。
count()方法語法:
str.count(sub, start= 0,end=len(string))
參數
sub -- 搜索的子字符串
start -- 字符串開始搜索的位置。默認為第一個字符,第一個字符索引值為0。
end -- 字符串中結束搜索的位置。字符中第一個字符的索引為 0。默認為字符串的最后一個位置。
返回值
該方法返回子字符串在字符串中出現的次數。
案例:
# 計算出以下字符串,每個字符出現的次數 a = "hello,world!" print('a=',a) #辦法1 print ("統計a中各項的個數,辦法1(字典):") dicta = {} for i in a: dicta[i] = a.count(i) print (dicta) # 辦法2 print ("統計a中各項的個數,辦法2(collections的counter):") from collections import Counter print(Counter(a)) # 辦法3 print ("統計a中各項的個數,辦法3(count方法):") for i in a: print("%s:%d" %(i,a.count(i))) #用count方法計算各項數量,簡單打印出來而已 # 辦法4(結果同3) print ("統計a中各項的個數,辦法4(列表count方法):") lista = list(a) #字符串轉為列表 print ('lista:',lista) for i in lista: print("%s:%d" %(i,lista.count(i))) #用列表的count方法計算各項數量
打印結果:
a= hello,world! 統計a中各項的個數,辦法1(字典): {'h': 1, 'e': 1, 'l': 3, 'o': 2, ',': 1, 'w': 1, 'r': 1, 'd': 1, '!': 1} 統計a中各項的個數,辦法2(collections的counter): Counter({'l': 3, 'o': 2, 'h': 1, 'e': 1, ',': 1, 'w': 1, 'r': 1, 'd': 1, '!': 1}) 統計a中各項的個數,辦法3(count方法): h:1 e:1 l:3 l:3 o:2 ,:1 w:1 o:2 r:1 l:3 d:1 !:1 統計a中各項的個數,辦法4(列表count方法): lista: ['h', 'e', 'l', 'l', 'o', ',', 'w', 'o', 'r', 'l', 'd', '!'] h:1 e:1 l:3 l:3 o:2 ,:1 w:1 o:2 r:1 l:3 d:1 !:1 Process finished with exit code 0