我试图将文件读入字典,以便键是单词,值是单词的出现次数。我有一些应该可以工作的东西,但是当我运行它时,它给了我一个
ValueError: I/O operation on closed file.
这就是我现在所拥有的:
try:
f = open('fileText.txt', 'r+')
except:
f = open('fileText.txt', 'a')
def read_dictionary(fileName):
dict_word = {} #### creates empty dictionary
file = f.read()
file = file.replace('\n', ' ').rstrip()
words = file.split(' ')
f.close()
for x in words:
if x not in result:
dict_word[x] = 1
else:
dict_word[x] += 1
print(dict_word)
print read_dictionary(f)
答案 0 :(得分:0)
这是因为文件是在write mode
中打开的。写入模式为not readable
。
试试这个:
with open('fileText.txt', 'r') as f:
file = f.read()
答案 1 :(得分:0)
使用上下文管理器避免手动跟踪哪些文件处于打开状态。此外,您在使用错误的变量名时遇到了一些错误。我已经使用下面的defaultdict
来简化代码,但这并不是必需的。
from collections import defaultdict
def read_dict(filename):
with open(filename) as f:
d = defaultdict(int)
words = f.read().split() #splits on both spaces and newlines by default
for word in words:
d[word] += 1
return d