我正在通过命令行读取文件。
由于该文件是从 Oracle 导出的 JSON,因此它具有一定的结构。由于某种原因,此默认结构不是有效的 JSON。例子:
// This isn't valid JSON
,"items":
[
{"id":123,"language":"ja-JP","location":"Osaka"}
,{"id":33,"language":"ja-JP","location":"Tokyo"}
,{"id":22,"language":"ja-JP","location":"Kentok"}
]}
我希望它只是一个对象数组,因此具有预期的输出:
// This is valid json
[
{"id":123,"language":"ja-JP","location":"Osaka"}
,{"id":33,"language":"ja-JP","location":"Tokyo"}
,{"id":22,"language":"ja-JP","location":"Kentok"}
]
因此,我需要删除第 1 行(完全)以及}文件最后一行的最后一行。
该文件正在通过输入的命令行进行解析:
file, err := ioutil.ReadFile(os.Args[1])
我试图以这种方式删除无效的字符串/单词,但它不会重新格式化任何内容:
// in func main()
removeInvalidJSON(file, os.Args[1])
// later on ..
func removeInvalidJSON(file []byte, path string) {
info, _ := os.Stat(path)
mode := info.Mode()
array := strings.Split(string(file), "\n")
fmt.Println(array)
//If we have the clunky items array which is invalid JSON, remove the first line
if strings.Contains(array[0], "items") {
fmt.Println("Removing items")
array = append(array[:1], array[1+1:]...)
}
// Finds the last index of the array
lastIndex := array[len(array)-1]
// If we have the "}" in the last line, remove it as this is invalid JSON
if strings.Contains(lastIndex, "}") {
fmt.Println("Removing }")
strings.Trim(lastIndex, "}")
}
// Nothing changed?
fmt.Println(array)
ioutil.WriteFile(path, []byte(strings.Join(array, "\n")), mode)
}
上面的函数确实写入了我能看到的文件——但据我所知,它并没有改变数组,也没有将它写入文件。
如何有效地远程文件的第一行,以及}文件中的最后一个假花括号?
我在另一个函数中解组 JSON:是否有一种方法可以使用该"encoding/json"库更“干净地”完成它?
德玛西亚99
相关分类