如何从具有json对象列表的文件中读取单个json对象

时间:2019-12-12 05:13:06

标签: json go unmarshalling

[
  {
   "name" : "abc",
   "age" : 10
  },
  {
   "name" : "def",
   "age" : 12
  }
]

这是我的text.json文件,它具有json对象数组,所以我要实现的是从文件中读取单个对象,而不是使用golang读取整个​​json对象的数组。我认为ioutil.ReadAll()不会给我想要的结果。

2 个答案:

答案 0 :(得分:0)

您可以打开文件,然后使用json.Decoder开始读取文件。用于读取数组第一个元素的代码草图如下所示:

decoder:=json.NewDecoder(f)
t,err:=decoder.Token()
tok, ok:=t.(json.Delim) 
if ok {
   if tok=='[' {
       for decoder.More() {
         decoder.Decode(&oneEntry)
       }
   }
}

您需要添加错误处理。

答案 1 :(得分:0)

希望这可以回答您的问题。注释掉的部分是一个接一个地解码所有对象,因此您甚至对其进行优化,以使多个goroutine可以同时进行解码。

软件包主要

import (
    "encoding/json"
    "fmt"
    "log"
    "os"
)

type jsonStore struct {
    Name string
    Age  int
}

func main() {
    file, err := os.Open("text.json")
    if err != nil {
        log.Println("Can't read file")
    }
    defer file.Close()

    // NewDecoder that reads from file (Recommended when handling big files)
    // It doesn't keeps the whole in memory, and hence use less resources
    decoder := json.NewDecoder(file)
    var data jsonStore

    // Reads the array open bracket
    decoder.Token()

    // Decode reads the next JSON-encoded value from its input and stores it
    decoder.Decode(&data)

    // Prints the first single JSON object
    fmt.Printf("Name: %#v, Age: %#v\n", data.Name, data.Age)

    /*
        // If you want to read all the objects one by one
        var dataArr []jsonStore

        // Reads the array open bracket
        decoder.Token()

        // Appends decoded object to dataArr until every object gets parsed
        for decoder.More() {
            decoder.Decode(&data)
            dataArr = append(dataArr, data)
        }
    */
}

输出

Name: "abc", Age: 10