Python 如何将输出值转换为字典

Python 如何将输出值转换为字典,python,dictionary,Python,Dictionary,Text=''《权力的游戏》是一部由大卫·贝尼奥夫和D.B.维斯创作的美国奇幻电视剧 对于HBO。该剧是在美国其他地方贝尔法斯特制作和拍摄的 英国 我的输出 and D Benioff and filmed produced in Belfast filmed in the elsewhere 我的期望输出 {and:['D','Benioff','filmed','produced'], in:['Belfast','filmed','the','elsewhere']} 这是一种使用di

Text=''《权力的游戏》是一部由大卫·贝尼奥夫和D.B.维斯创作的美国奇幻电视剧 对于HBO。该剧是在美国其他地方贝尔法斯特制作和拍摄的 英国

我的输出

and
D
Benioff
and
filmed
produced
in
Belfast
filmed
in
the
elsewhere
我的期望输出

{and:['D','Benioff','filmed','produced'],
in:['Belfast','filmed','the','elsewhere']}

这是一种使用dict的方法

演示:

Text = '''Game of Thrones is an American fantasy drama television series created by David Benioff and D. B. Weiss for HBO. The show was both produced and filmed in Belfast elsewhere in the United Kingdom.'''
import re
new_text = ''
punctuations = '''!.,'''
for character in Text:
    if character not in punctuations:
        new_text = new_text + character
from collections import Counter, defaultdict
split_text = Text.split(' ')
count = Counter(split_text)
most_freq_word_new = [key for key,valu in count.items() if valu == max(count.values())]

result =  {i: [] for i in most_freq_word_new}     #Create Dict with word as key and list as value
for index, word in enumerate(split_text):
    for i in most_freq_word_new:
        if word == i:
            #print (index)
            suffix_word =  split_text[index + 1]
            prefix_word =  split_text[index - 1]
            result[word].extend([suffix_word, prefix_word])  #Use list.extend to add to result. 
print(result)
{'and': ['D.', 'Benioff', 'filmed', 'produced'],
 'in': ['Belfast', 'filmed', 'the', 'elsewhere']}
输出:

Text = '''Game of Thrones is an American fantasy drama television series created by David Benioff and D. B. Weiss for HBO. The show was both produced and filmed in Belfast elsewhere in the United Kingdom.'''
import re
new_text = ''
punctuations = '''!.,'''
for character in Text:
    if character not in punctuations:
        new_text = new_text + character
from collections import Counter, defaultdict
split_text = Text.split(' ')
count = Counter(split_text)
most_freq_word_new = [key for key,valu in count.items() if valu == max(count.values())]

result =  {i: [] for i in most_freq_word_new}     #Create Dict with word as key and list as value
for index, word in enumerate(split_text):
    for i in most_freq_word_new:
        if word == i:
            #print (index)
            suffix_word =  split_text[index + 1]
            prefix_word =  split_text[index - 1]
            result[word].extend([suffix_word, prefix_word])  #Use list.extend to add to result. 
print(result)
{'and': ['D.', 'Benioff', 'filmed', 'produced'],
 'in': ['Belfast', 'filmed', 'the', 'elsewhere']}

问题是什么?