将字典写入文本文件

时间:2014-12-12 16:31:54

标签: python text dictionary save writing

以下是我的代码:

def byFreq(pair):
    return pair[1]

def ratio(file):
    #characterizes the author and builds a dictionary
    text = open(file,'r').read().lower()
    # text += open(file2,'r').read().lower()
    # text += open(file3,'r').read().lower()
    for ch in '!"#$%&()*+,-./:;<=>?@[\\]^_`{|}~':
        text = text.replace(ch, ' ')
    words = text.split()

    "construct a dictionary of word counts"
    counts = {}
    wordNum = 0
    for w in words:
        counts[w] = counts.get(w, 0) + 1
        wordNum = wordNum + 1
    # print ("The total number of words in this text is ",wordNum)

    "output analysis of n most frequent words"
    n = 50
    items = list(counts.items())
    items.sort()
    items.sort(key=byFreq, reverse=True)

    # print("The number of unique words in", file, "is", len(counts), ".")
    r = {}
    for i in range(n):
        word, count = items[i]

        "count/wordNum = Ratio"
        r[word] = (count/wordNum)
    return r




def main():
    melvile = ratio("MelvilleText.txt")
    print(melvile)
    outfile = input("File to save to: ")
    text = open(outfile, 'w').write()
    text.write(melvile)

main()

我一直收到以下错误:

Traceback (most recent call last):
  File "F:/PyCharm/Difficult Project Testing/dictionarygenerator.py", line 48, in <module>
    main()
  File "F:/PyCharm/Difficult Project Testing/dictionarygenerator.py", line 43, in main
    text = open(outfile, 'w').write()
TypeError: write() takes exactly 1 argument (0 given)

任何人都可以告诉我我做错了什么以及如何解决它,因为我无法弄明白。非常感谢任何帮助,谢谢。

3 个答案:

答案 0 :(得分:1)

另一个答案是关于空写的问题。 text = open(outfile, 'w').write()应为text = open(outfile, 'w')。下一个问题是dicts不能直接写入文件,需要以某种方式将它们编码成字符串或二进制表示。

有很多方法可以做到这一点,但两个流行的选择是pickle和json。两者都不适合人类读者。

import pickle

... all of your code here

with open(outfile, 'w') as fp:
    pickle.dump(melville, fp)

import json

... all of your code here

with open(outfile, 'w') as fp:
    json.dump(melville, fp)

答案 1 :(得分:0)

这里有两个问题。

首先,您第一次拨打write()时没有写任何内容。只需要调用一次。

text = open(outfile, 'w')
text.write(melvile)

打开文件进行写入后,您需要告诉text对象要写什么。

其次,melville不是字符串。假设您只想将值打印到文本文件中,则可以打印字典。

text = open(outfile, 'w')
for key in melville:
    text.write("%s: %f\n", key, melville[key])

答案 2 :(得分:0)

text = open(outfile, 'w').write()
text.write(melvile)

首先,删除没有参数的write()。这导致了你的错误。

其次,您必须关闭文件。添加text.close()。

第三,'melvile'不是一个字符串。如果您想以最简单的方式将其转换为字符串,请使用str(melville)。将它转换为字符串,如你打印(melvile)就可以看到。