sentence = input ("give sentence")
user input = HELLO I LOVE PYTHON
我希望将给定的句子更改为格式,并使用变量sentence_dict
{1:HELLO, 2:I, 3:LOVE, 4:PYTHON}
答案 0 :(得分:1)
使用split()
方法获取sentence
中的字词列表:
words = sentence.split()
然后使用enumerate
内置函数构建一个生成器,将升序数与列表中的单词相关联。默认情况下,enumerate
的编号从0开始,但您希望它从1开始,因此将该值作为第二个参数传递:
numbered_words = enumerate(words, 1)
然后使用dict
内置函数从该生成器的输出构造字典。幸运的是,生成器以与您尝试构建的格式匹配的格式发出其(数字,单词)元组 - dict
通过使用元组中的第一项作为键来构造字典,第二项为价值:
sentence_dict = dict(numbered_words)
如果你想要简洁,你可以把所有这些都塞进一行:
sentence_dict = dict(enumerate(sentence.split(), 1))
enumerate
生成器是唯一棘手的部分。 enumerate
类似于xrange
,因为它不返回序列,它返回一个可以从中提取序列的对象。为了演示那里发生了什么,您可以使用for
循环从enumerate
生成器中提取(数字,单词)对并打印它们:
for num, word in enumerate(['a', 'b', 'c', 'd'], 57):
print 'num is', num, 'and word is', word
显示了这一点:
num is 57 and word is a
num is 58 and word is b
num is 59 and word is c
num is 60 and word is d