我想解析一些json数据。数据如下所示:
{“ id”:“ someId”,“ key_1”:“ value_1”,“ key_2”:“ value_2”,“ key_3”:“ value_3”,“点数”:[[1487100466412,“ 50.032178”,“ 8.526018”,300 ,0.0,26,0],[1487100471563,“ 50.030869”,“ 8.525949”,300,0.0,38,0],[1487100475722,“ 50.028514”,“ 8.525959”,225,0.0,69,-900],[ 1487100480834,“ 50.025827”,“ 8.525793”,275,0.0,92,-262],…]}
我建立了一个go结构:
type SomeStruct struct { ID string `json:"id"` Key1 string `json:"key_1"` Key2 string `json:"key_2"` Key3 string `json:"key_3"` Points []Point `json:"points"` } type Point struct { Timestamp int64 `json:"0"` Latitude float64 `json:"1,string"` Longitude float64 `json:"2,string"` Altitude int `json:"3"` Value1 float64 `json:"4"` Value2 int `json:"5"` Value3 int `json:"6"` }
我解组json数据
var track SomeStruct error := json.Unmarshal(data,&track) if(error != nil){ fmt.Printf("Error while parsing data: %s", error) }
json:无法将数组解编为Point类型的Go值{someId value_1 value_2 value_3 [{0 0 0 0 0 0 0 0} {0 0 0 0 0 0 0} {0 0 0 0 0 0 0} …]}
因此,第一个json键已正确解析,但是我无法弄清楚如何获取点数据,该数据是一个数组数组。
生成结构也是这里的建议之一,除了我不使用嵌套结构,而是使用单独的类型。使用建议的嵌套结构没有什么不同: JSON-to- Go
为此,我需要实现自己的Unmarshaller吗?
=======更新解决方案============
为Point结构实现UnmarshalJSON接口就足够了。下面的示例未包含正确的错误处理,但显示了方向。
操场上的例子
package main import ( "encoding/json" "fmt" "strconv" ) type SomeStruct struct { ID string `json:"id"` Key1 string `json:"key_1"` Key2 string `json:"key_2"` Key3 string `json:"key_3"` Points []Point `json:"points"` } type Point struct { Timestamp int64 Latitude float64 Longitude float64 Altitude int Value1 float64 Value2 int16 Value3 int16 } func (tp *Point) UnmarshalJSON(data []byte) error { var v []interface{} if err := json.Unmarshal(data, &v); err != nil { fmt.Printf("Error whilde decoding %v\n", err) return err } tp.Timestamp = int64(v[0].(float64)) tp.Latitude, _ = strconv.ParseFloat(v[1].(string), 64) tp.Longitude, _ = strconv.ParseFloat(v[2].(string), 64) tp.Altitude = int(v[3].(float64)) tp.Value1 = v[4].(float64) tp.Value2 = int16(v[5].(float64)) tp.Value3 = int16(v[6].(float64)) return nil } func main() { const data = `{"id":"someId","key_1":"value_1","key_2":"value_2","key_3":"value_3","points":[[1487100466412,"50.032178","8.526018",300,0.0,26,0],[1487100471563,"50.030869","8.525949",300,0.0,38,0],[1487100475722,"50.028514","8.525959",225,0.0,69,-900],[1487100480834,"50.025827","8.525793",275,0.0,92,-262]]}` var something SomeStruct json.Unmarshal([]byte(data), &something) fmt.Printf("%v", something) }
是。
您正在尝试将数组解组到struct(Point)中,这意味着您需要告诉JSON解组器数组值如何映射到struct值。
Point
另请注意,您的标签Point定义不正确。json标记引用键名,但是数组没有键(在JavaScript中可以像访问键一样访问,但这不是JavaScript)。换句话说,json:"0"仅当JSON看起来像时才起作用{"0":123}。如果您实现自己的拆组器,则可以摆脱那些json标签。
json:"0"
{"0":123}