20

我在 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?

去上面代码的游乐场

4

3 回答 3

35

解决方案 1

您可以使用DecoderUseNumber无损失地解码您的数字:

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。

于 2013-06-05T17:43:50.950 回答
0

更简单的一个:

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.Printf("tag: %v, id: %.0f", i, tag.(map[string]interface{})["id"].(float64))
}
于 2019-10-16T08:25:27.480 回答
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)
}
于 2021-01-19T20:07:08.273 回答