我正在Go中处理一个json POST,它包含一个包含64位整数的对象数组。当使用json.Unmarshal时,这些值似乎被转换为float64,这不是很有用。
body := []byte(`{"tags":[{"id":4418489049307132905},{"id":4418489049307132906}]}`)
var dat map[string]interface{}
if err := json.Unmarshal(body, &dat); err != nil {
panic(err)
}
tags := dat["tags"].([]interface{})
for i, tag := range tags {
fmt.Println("tag: ", i, " id: ", tag.(map[string]interface{})["id"].(int64))
}
有没有办法在json.Unmarshal的输出中保留原始的int64?
答案 0 :(得分:20)
解决方案1
您可以使用Decoder和UseNumber对数字进行解码而不会丢失:
Number
类型的定义如下:
// A Number represents a JSON number literal.
type Number string
这意味着您可以轻松转换它:
package main
import (
"encoding/json"
"fmt"
"bytes"
"strconv"
)
func main() {
body := []byte("{\"tags\":[{\"id\":4418489049307132905},{\"id\":4418489049307132906}]}")
dat := make(map[string]interface{})
d := json.NewDecoder(bytes.NewBuffer(body))
d.UseNumber()
if err := d.Decode(&dat); err != nil {
panic(err)
}
tags := dat["tags"].([]interface{})
n := tags[0].(map[string]interface{})["id"].(json.Number)
i64, _ := strconv.ParseUint(string(n), 10, 64)
fmt.Println(i64) // prints 4418489049307132905
}
解决方案2
您还可以解码为适合您需求的特定结构:
package main
import (
"encoding/json"
"fmt"
)
type A struct {
Tags []map[string]uint64 // "tags"
}
func main() {
body := []byte("{\"tags\":[{\"id\":4418489049307132905},{\"id\":4418489049307132906}]}")
var a A
if err := json.Unmarshal(body, &a); err != nil {
panic(err)
}
fmt.Println(a.Tags[0]["id"]) // logs 4418489049307132905
}
就我个人而言,我通常更喜欢这种感觉更结构化,更易于维护的解决方案。
<强>注意强>
如果您使用JSON,因为您的应用程序部分使用JavaScript,请注意:JavaScript没有64位整数,只有一种数字类型,即IEEE754双精度浮点数。因此,您无法使用标准解析函数在JavaScript中解析此JSON。
答案 1 :(得分:0)
更轻松的一个:
using std::string;
using namespace std;
std::string hello()
{
return "Hello, World!";
}
int main()
{
hello();
return 0;
}
答案 2 :(得分:0)
我意识到这很旧,但这是我最终使用的解决方案
/*
skipping previous code, this is just converting the float
to an int, if the value is the same with or without what's
after the decimal points
*/
f := tag.(map[string]interface{})["id"].(float64)
if math.Floor(f) == f {
fmt.Println("int tag: ", i, " id: ", int64(f))
} else {
fmt.Println("tag: ", i, " id: ", f)
}