텍스트 파일에 사전 쓰기?
나는 사전을 가지고 있고 그것을 파일로 쓰려고 노력하고 있습니다.
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
이 문제를 해결하려면 어떻게 해야 합니까?
우선 읽기 모드에서 파일을 열고 파일에 쓰려고 합니다.참조 - IO 모드 파이썬
두 번째로, 파일에는 문자열이나 바이트만 쓸 수 있습니다.사전 객체를 작성하려면 문자열로 변환하거나 일련화해야 합니다.
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
저는 파이썬 3에서 이렇게 합니다.
with open('myfile.txt', 'w') as f:
print(mydictionary, file=f)
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()
첫 번째 코드 블록의 문제는 다음을 사용하여 파일에 쓰기를 원했음에도 파일을 'r'로 여는 것이었습니다.'w'
with open('/Users/your/path/foo','w') as data:
data.write(str(dictionary))
파일에서 이름으로 가져올 수 있고 잘 정렬된 항목을 추가하고 보존할 문자열을 포함하는 사전을 원하는 경우 다음을 시도할 수 있습니다.
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
리스트 이해를 좋아하는 사람들을 위해, 이것은 모든 것을 쓸 것입니다.key : value
새 줄로 된 쌍dog.txt
my_dict = {'foo': [1,2], 'bar':[3,4]}
# create list of strings
list_of_strings = [ f'{key} : {my_dict[key]}' for key in my_dict ]
# write string one by one adding newline
with open('dog.txt', 'w') as my_file:
[ my_file.write(f'{st}\n') for st in list_of_strings ]
저는 이것이 오래된 질문이라는 것을 알지만, 저는 또한 json을 포함하지 않는 해결책을 공유하려고 생각했습니다.저는 개인적으로 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')
이것이 도움이 되길 바랍니다.
exDict = {1:1, 2:2, 3:3}
with open('file.txt', 'w+') as file:
file.write(str(exDict))
다음과 같이 할 수 있습니다.
import json
exDict = {1:1, 2:2, 3:3}
file.write(json.dumps(exDict))
https://developer.rhino3d.com/guides/rhinopython/python-xml-json/
저의 경우 사전을 YAML 형식으로 파일로 작성해야 합니다.저는 여기서 이 질문이 도움이 된다는 것을 알았지만 대답은 JSON 또는 String으로만 되어 있었습니다.그래서 저는 YAML 포맷을 위해 다른 사람들에게 도움이 될 수 있도록 제 탐색을 여기에 추가합니다.
import yaml
my_dictionary = {
"numbers": ["one", "two", "three"],
"colours": ["blue", "pink"],
"name": "Santosh"
}
with open("test.yaml", "w") as file:
file.write(yaml.dump(my_dictionary))
test.yaml 파일의 출력은,
colours:
- blue
- pink
name: Santosh
numbers:
- one
- two
- three
이것이 도움이 되길 바랍니다!
import json
with open('tokenler.json', 'w') as file:
file.write(json.dumps(mydict, ensure_ascii=False))
언급URL : https://stackoverflow.com/questions/36965507/writing-a-dictionary-to-a-text-file
'programing' 카테고리의 다른 글
파이썬을 사용하여 엑셀 파일을 읽는 중, 표시된 열 이름을 가진 특정 열의 값을 얻으려면 어떻게 해야 합니까? (0) | 2023.05.27 |
---|---|
.NET 응용 프로그램을 관리자로 실행하려면 어떻게 해야 합니까? (0) | 2023.05.27 |
권한 오류: [Errno 13] 권한이 거부되었습니다. (0) | 2023.05.27 |
환경당 Azure web.config (0) | 2023.05.27 |
Bash 스크립트: 파일에서 고유한 줄 수 (0) | 2023.05.27 |