我正在制作一个示例程序,用于计算某个字符在给定单词中出现的次数。说“好”,g发生一次,o发生2次等等。现在我想尝试通过将列表作为我的字典的值来进一步增加这一点,每次找到现有字符时将第一个元素(索引0)增加1并通过单词中的字符索引附加相同的dict值列表 例如Word =“编程就是自然” 字典= { 'A':[2,5,16], 'i' 的:[2,8,12] ...等}
因此,每个字典值的第一个索引会因字符的出现而增加(如果找到该字符,则为+1),但附加列表中的其他值(保持该字符在该字中找到字符)。我有这个仅用于计数而不用于索引
def count(word):
v=0;b={}
b.clear()
while word[v] in word:
if word[v] in b.keys():
b[word[v]]+=1;v+=1
else:
b[word[v]]=1;v+=1
if v==(len(word)):
break
print("\n",b)
word=input("Enter word: ")
count(word)
答案 0 :(得分:2)
import collections
def count(word):
c = collections.defaultdict(list)
for index, letter in enumerate(word):
c[letter] += [index]
return c
print count('programming is nature')
输出:
defaultdict(<type 'list'>, {'a': [5, 16], ' ': [11, 14], 'e': [20], 'g': [3, 10], 'i': [8, 12], 'm': [6, 7], 'o': [2], 'n': [9, 15], 'p': [0], 's': [13], 'r': [1, 4, 19], 'u': [18], 't': [17]})
答案 1 :(得分:0)
这是我的解决方案:
def count(word):
b={}
for i,letter in enumerate(word):
if letter not in b:
b[letter]=[0]
b[letter][0]+=1
b[letter].append(i)
return b
print(count(“Programming is nature”))
word =“编程就是自然” 打印(计数(字))
完全符合您的要求。 :)
输出:
{'a': [2, 5, 16], ' ': [2, 11, 14], 'e': [1, 20], 'g': [2, 3, 10], 'i': [2, 8, 12], 'm': [2, 6, 7], 'o': [1, 2], 'n': [2, 9, 15], 'P': [1, 0], 's': [1, 13], 'r': [3, 1, 4, 19], 'u': [1, 18], 't': [1, 17]}
答案 2 :(得分:0)
好的,首先是一些注释。
您应该使用raw_input代替input; input
评估您输入的Python代码,raw_input
从stdin获取输入(如果您使用的是Python 3,请忽略此项)。
如果您的dict值可以使用特定的默认值,collections.defaultdict非常有用。
from collections import defaultdict
def count(word):
counts = defaultdict(int)
appearances = defaultdict(list)
for pos, val in enumerate(word)
counts[val] += 1
appearances[c].append(pos)
print 'counts:', counts
print 'appearances:', appearances
word = input("Enter word: ")
count(word)
defaultdict
将可调用作为其参数,因此如果您执行:
x = defaultdict(int)
x['b'] += 1
由于'b'
不是x中的键,因此会将其初始化为int()
的值(为零)。
答案 3 :(得分:0)
如果您使用的是Python 2.7+,请使用Counter
:
>>> from collections import Counter
>>> Counter('abchfdhbah')
Counter({'h': 3, 'a': 2, 'b': 2, 'c': 1, 'd': 1, 'f': 1})
>>> the_count = Counter('abchfdhbah')
>>> the_count['h']
3
答案 4 :(得分:0)
稍微使用defaultdict
:
from collections import defaultdict
example = 'Programming is nature'
D=defaultdict(lambda: [0])
for i,c in enumerate(example):
D[c][0] += 1
D[c].append(i)
for k,v in D.items():
print(k,v)
输出与您的示例匹配:
a [2, 5, 16]
[2, 11, 14]
e [1, 20]
g [2, 3, 10]
i [2, 8, 12]
m [2, 6, 7]
o [1, 2]
n [2, 9, 15]
P [1, 0]
s [1, 13]
r [3, 1, 4, 19]
u [1, 18]
t [1, 17]