我为自己写了一个笔记工具作为我的第一个程序。它实际上在大多数情况下工作得很好,但有时程序会在]
或}
的末尾写入额外的list
或dict
。 1}}文件。
它并不经常发生,我认为只有在我编写新的代码行或更改读取/写入所述文件的现有行时才会发生这种情况。我不是100%肯定,但这就是它的样子。
例如,我有一个json
存储在一个文件中,我使用list
标志来确保编写文件时,如果我必须编辑所述文件,它对我来说更具可读性文件。有时在更改某些代码或添加代码后运行我的程序时,我会收到一条错误,指出文件中有额外的数据"在里面。
错误看起来像这样:
indent=""
并且错误的原因是这样的:
raise JSONDecodeError("Extra data", s, end)
json.decoder.JSONDecodeError: Extra data: line 6 column 2 (char 5791)
我不明白为什么程序有时会在我的json文件中的数据末尾添加和添加?或}?
当我打开文件或转储到文件时,我有什么问题吗?
以下是我用于打开文件和转储到文件的代码的一些部分:
[
"Help",
"DataTypes",
"test",
"Variables",
]] # the error would be cause by this extra ] at the end of the list
以下是我如何更新文件中的数据。只需忽略它们用于保存文件名(dict键)的用户输入格式的小path = "./NotesKeys/"
notebook = dict()
currentWorkingLib = ""
currentWorkingKeys = ""
#~~~~~~~~~~~~~~~~~~~< USE TO open all files in Directory >~~~~~~~~~~~~~~~~~~~
with open("%s%s"%(path,"list_of_all_filenames"), "r") as listall:
list_of_all_filenames = json.load(listall)
def openAllFiles(event=None):
global path
for filename in os.listdir(path):
with open(path+filename, "r+") as f:
notebook[filename] = json.load(f)
openAllFiles()
在存储注释的字典中的小写,并保持用户为显示列表估算的情况。这与文件读写问题无关。:
编辑:根据评论者请求删除不相关的代码。
e1Current, e1allcase, e2Current
我知道如何打开文件并使用数据以及如何将数据转储到所述文件,并根据新转储的数据更新程序变量中加载的内容。
我在这个过程中遗漏了哪些重要内容?我应该做些什么来确保json文件中的数据完整性吗?
答案 0 :(得分:5)
您正在以读写模式r+
打开文件:
with open("%s%s"%(path,currentWorkingLib),"r+") as working_temp_var:
这意味着您将写入已包含数据的文件,有时现有数据更长比您现在写入的文件更长文件。这意味着你最终会得到一些尾随数据。
您可以通过将较短的演示字符串写入文件,然后使用r+
将 less 数据写入同一文件,然后再次阅读来查看:
>>> with open('/tmp/demo', 'w') as init:
... init.write('The quick brown fox jumps over the lazy dog\n')
...
44
>>> with open('/tmp/demo', 'r+') as readwrite:
... readwrite.write("Monty Python's flying circus\n")
...
29
>>> with open('/tmp/demo', 'r') as result:
... print(result.read())
...
Monty Python's flying circus
r the lazy dog
不要这样做。使用w
写入模式,以便首先截断文件:
with open("%s%s"%(path,currentWorkingLib), "w") as working_temp_var:
这可确保在编写新的JSON文档之前将文件缩减为0。