示例 “苹果”一词:
['a', 'p', 'p', 'l', 'e']
{'a': [[0], False], 'p': [[1], False], 'l': [[3], False], 'e': [[4], False]}
我不知道如何添加单词中出现的字母的索引,使其看起来像这样:
{'a': [[0], False], 'p': [[1, 2], False], 'l': [[3], False], 'e': [[4], False]}
到目前为止我得到的代码是:
def creer_dict_mot():
letter_list = obtenir_lettres_mot()
mot_choisi = "apple"
letter_dict = {}
for let in mot_choisi:
letter_dict[let] = [[mot_choisi.index(let)], False]
return letter_dict
答案 0 :(得分:0)
两个主要问题;
第一:让我们看一下这个循环:
for let in mot_choisi:
letter_dict[let] = [[mot_choisi.index(let)], False]
在这里,循环的每次迭代都将覆盖该字母的letter_dict条目。您不想这样做,因为您最终会得到类似{'a': [[0], False], 'p': [[2], False], 'l': [[3], False], 'e': [[4], False]}
的内容
,这仍然不是您想要的。
相反,您希望能够更新字典中的条目,而不是覆盖它。为此,我们可以在分配作业之前检查是否已有条目。
for let in mot_choisi:
if not let in letter_dict:
letter_dict[let] = [[mot_choisi.index(let)], False]
else:
# Instead of overwriting the dict, we grab the list from the dict value and update it
letter_dict[let][0] += [mot_choisi.index(let)]
第二: .index
始终返回字符串中字符首次出现的索引。因此,当您调用'apple'.index('p')
时,它将始终返回1
。观察:
my_string = 'apple'
for let in my_string:
idx = my_string.index(let)
print(let, idx)
>>> ('a', 0)
>>> ('p', 1)
>>> ('p', 1) # The first occurrence is index 1
>>> ('l', 3)
>>> ('e', 4)
我们该如何解决?我建议您调查enumerate
my_string = 'apple'
for idx, let in enumerate(my_string):
print(let, idx)
>>> ('a', 0)
>>> ('p', 1)
>>> ('p', 2) # Now we see the index we want
>>> ('l', 3)
>>> ('e', 4)
我将其留给读者练习,以结合解决这两个问题的方法
答案 1 :(得分:0)
另一个简单的选择是将您的索引收集到collections.defaultdict()
中,然后在最后对其进行修改以包含False
:
from collections import defaultdict
word = 'apple'
d = defaultdict(list)
for idx, letter in enumerate(word):
d[letter].append(idx)
print({k: [v, False] for k, v in d.items()})
# {'a': [[0], False], 'p': [[1, 2], False], 'l': [[3], False], 'e': [[4], False]}
注释字符串也是可迭代的,因此可以使用'apple'
代替['a', 'p', 'p', 'l', 'e']
。
答案 2 :(得分:-1)
尝试一下:
def creer_dict_mot():
s = 'apple'
d = {}
for char in s:
ind = [i for i, a in enumerate(s) if a == char]
if char not in d:
d[char] = [ind, False]
return d