web-dev-qa-db-ja.com

辞書をテキストファイルに書き込みますか?

辞書があり、それをファイルに書き込もうとしています。

exDict = {1:1, 2:2, 3:3}
with open('file.txt', 'r') as file:
    file.write(exDict)

それから私はエラーがあります

file.write(exDict)
TypeError: must be str, not dict

だから私はそのエラーを修正しましたが、別のエラーが来ました

exDict = {111:111, 222:222}
with open('file.txt', 'r') as file:
    file.write(str(exDict))

エラー:

file.write(str(exDict))
io.UnsupportedOperation: not writable

私はまだpythonの初心者なので、どうしたらいいかわかりません。誰かが問題を解決する方法を知っているなら、答えを提供してください。

注:python 2ではなく、python 3を使用しています。

51
Nic

まず、ファイルを読み取りモードで開き、書き込みを試みています。相談- IOモードpython

第二に、ファイルに文字列を書き込むことしかできません。辞書オブジェクトを書きたい場合は、それを文字列に変換するかシリアル化する必要があります。

import json

# as requested in comment
exDict = {'exDict': exDict}

with open('file.txt', 'w') as file:
     file.write(json.dumps(exDict)) # use `json.loads` to do the reverse

シリアル化の場合

import cPickle as pickle

with open('file.txt', 'w') as file:
     file.write(pickle.dumps(exDict)) # use `pickle.loads` to do the reverse

python 3.xの場合、ピクルパッケージのインポートは異なります

import _pickle as pickle
83
hspandher

python 3でこのようにします:

with open('myfile.txt', 'w') as f:
    print(mydictionary, file=f)
18
NKSHELL
fout = "/your/outfile/here.txt"
fo = open(fout, "w")

for k, v in yourDictionary.items():
    fo.write(str(k) + ' >>> '+ str(v) + '\n\n')

fo.close()
17
Sange Negru

最初のコードブロックの問題は、'w'を使用して書き込みたい場合でも、ファイルを 'r'として開いていたことです。

with open('/Users/your/path/foo','w') as data:
    data.write(str(dictionary))
10
clyde_the_frog

名前からファイルからインポートできる辞書が必要な場合、また、適切にソートされ、保存したい文字列を含むエントリを追加する場合、これを試すことができます:

data = {'A': 'a', 'B': 'b', }

with open('file.py','w') as file:
    file.write("dictionary_name = { \n")
    for k in sorted (data.keys()):
        file.write("'%s':'%s', \n" % (k, data[k]))
    file.write("}")

次にインポートする:

from file import dictionary_name
2
Mark Matthews

私はこれが古い質問であることを知っていますが、jsonを含まないソリューションを共有することも考えました。私は個人的にjsonが好きではありません。それは簡単にデータを追加できないからです。開始点が辞書の場合、最初にそれをデータフレームに変換してから、txtファイルに追加できます。

import pandas as pd
one_line_dict = exDict = {1:1, 2:2, 3:3}
df = pd.DataFrame.from_dict([one_line_dict])
df.to_csv('file.txt', header=False, index=True, mode='a')

これが役立つことを願っています。

0
Angelo

import json exDict = {1:1、2:2、3:3} file.write(json.dumps(exDict))

https://developer.rhino3d.com/guides/rhinopython/python-xml-json/

0
Shivam Verma