珍惜时间,勤奋学习!今天给大家带来《使用 GO 解析(任意)先前从 JSON 知道的数据》,正文内容主要涉及到等等,如果你正在学习Golang,或者是对Golang有疑问,欢迎大家关注我!后面我会持续更新相关内容的,希望都能帮到正在学习的大家!
问题内容我必须解析一些 json 文件。
问题是:某些字段包含的数据类型根据某些外部(已获得的)信息而变化。
我的问题是:如何使用 golang 执行此操作? 我花了几个小时寻找解决方案,并尝试提出一个解决方案,但我不断收到运行时错误。
另外,我认为类型强制/转换可以基于这篇文章起作用。
我对这门语言是个新手,所以我请求你不要太严厉地回答这个问题。
package main
import (
"encoding/json"
"fmt"
"reflect"
"unsafe"
)
func main() {
birdjson := `{
"blah": "bleh",
"coord" : [[1,2], [3, 4], [22, 5]]
}
`
var result map[string]interface{}
json.unmarshal([]byte(birdjson), &result)
fmt.println("result:: ", result)
c := result["coord"]
cv := reflect.valueof(c)
ct := reflect.typeof(c)
fmt.println("c value:", cv)
fmt.println("c type: ", ct)
fmt.println(cv.interface().([][]int))
}
输出:
result:: map[blah:bleh coord:[[1 2] [3 4] [22 5]]]
c value: [[1 2] [3 4] [22 5]]
c type: []interface {}
panic: interface conversion: interface {} is []interface {}, not [][]int
goroutine 1 [running]:
main.main()
/Users/maffei/golab/t.go:27 +0x497
exit status 2
正确答案
您不能使用单个表达式来实现 type assert 嵌套接口。
如果c
的动态类型是[][]int
,那么你可以执行c.([][]int)
。
var c interface{} = [][]int{{1,2}, {3,4}}
_, ok := c.([][]int) // ok == true
但是,如果 c
的动态类型是 []interface{}
,那么你必须执行 c.([]interface{})
,然后你必须循环 []interface{}
slice 并单独断言每个元素,在您的情况下,这是另一个 []interface{}
,因此您还需要对其进行循环,然后键入断言嵌套切片。
另请注意,由于当目标类型为 interface{}
时,json 数字默认解组为 float64
,因此您需要对 int
执行 conversion 才能获得所需的结果
s1 := c.([]interface{})
out := make([][]int, len(s1))
for i := range s1 {
if s2, ok := s1[i].([]interface{}); ok {
s3 := make([]int, len(s2))
for i := range s2 {
if f64, ok := s2[i].(float64); ok {
s3[i] = int(f64) // convert float64 to int
}
}
out[i] = s3
}
}
https://play.golang.org/p/UEdf2VSPg16
目前还不清楚您要做什么,但您可以像这样解组:
package main
import (
"encoding/json"
"fmt"
)
var birdJson = []byte(`
{
"blah": "bleh", "coord" : [
[1,2], [3, 4], [22, 5]
]
}
`)
func main() {
var result struct {
Blah string
Coord [][]int
}
json.Unmarshal(birdJson, &result)
fmt.Printf("%+v\n", result) // {Blah:bleh Coord:[[1 2] [3 4] [22 5]]}
}
好了,本文到此结束,带大家了解了《使用 GO 解析(任意)先前从 JSON 知道的数据》,希望本文对你有所帮助!关注编程网公众号,给大家分享更多Golang知识!