我想不断将json对象写入文件。为了能够阅读它,我需要将它们包装到一个数组中。我不想读取整个文件,只是为了进行简单的追加。所以我现在在做什么:
comma := []byte(", ")
file, err := os.OpenFile(erp.TransactionsPath, os.O_WRONLY|os.O_APPEND|os.O_CREATE, 0666)
if err != nil {
return err
}
transaction, err := json.Marshal(t)
if err != nil {
return err
}
transaction = append(transaction, comma...)
file.Write(transaction)
但是,通过此实现,我需要在阅读之前手动(或通过某些脚本)添加[]
范围。如何在每次书写关闭范围之前添加对象?
答案 0 :(得分:4)
您不需要将JSON对象包装到数组中,只需按原样编写即可。您可以使用json.Encoder
将它们写入文件,也可以使用json.Decoder
来读取它们。 Encoder.Encode()
和Decoder.Decode()
对流中的各个JSON值进行编码和解码。
为证明其有效,请参见以下简单示例:
const src = `{"id":"1"}{"id":"2"}{"id":"3"}`
dec := json.NewDecoder(strings.NewReader(src))
for {
var m map[string]interface{}
if err := dec.Decode(&m); err != nil {
if err == io.EOF {
break
}
panic(err)
}
fmt.Println("Read:", m)
}
它输出(在Go Playground上尝试):
Read: map[id:1]
Read: map[id:2]
Read: map[id:3]
在写入文件或从中读取文件时,请将os.File
传递到json.NewEncoder()
和json.NewDecoder()
。
这是一个完整的演示,它创建一个临时文件,使用json.Encoder
向其中写入JSON对象,然后用json.Decoder
读回它们:
objs := []map[string]interface{}{
map[string]interface{}{"id": "1"},
map[string]interface{}{"id": "2"},
map[string]interface{}{"id": "3"},
}
file, err := ioutil.TempFile("", "test.json")
if err != nil {
panic(err)
}
// Writing to file:
enc := json.NewEncoder(file)
for _, obj := range objs {
if err := enc.Encode(obj); err != nil {
panic(err)
}
}
// Debug: print file's content
fmt.Println("File content:")
if data, err := ioutil.ReadFile(file.Name()); err != nil {
panic(err)
} else {
fmt.Println(string(data))
}
// Reading from file:
if _, err := file.Seek(0, io.SeekStart); err != nil {
panic(err)
}
dec := json.NewDecoder(file)
for {
var obj map[string]interface{}
if err := dec.Decode(&obj); err != nil {
if err == io.EOF {
break
}
panic(err)
}
fmt.Println("Read:", obj)
}
它输出(在Go Playground上尝试):
File content:
{"id":"1"}
{"id":"2"}
{"id":"3"}
Read: map[id:1]
Read: map[id:2]
Read: map[id:3]