在正确的结构中投射 json 而不是使用接口

Cast a json in a properly struct instead of use an interface

我正在努力创建一个数据结构来解组以下 json:

{
    "asks": [
        ["2.049720", "183.556", 1576323009],
        ["2.049750", "555.125", 1576323009],
        ["2.049760", "393.580", 1576323008],
        ["2.049980", "206.514", 1576322995]
    ],
    "bids": [
        ["2.043800", "20.691", 1576322350],
        ["2.039080", "755.396", 1576323007],
        ["2.036960", "214.621", 1576323006],
        ["2.036930", "700.792", 1576322987]
    ]
}

如果我将以下结构与接口一起使用,则没有问题:

type OrderBook struct {
    Asks [][]interface{} `json:"asks"`
    Bids [][]interface{} `json:"bids"`
}

但是我需要更严格的输入,所以我尝试了:

type BitfinexOrderBook struct {
    Pair string            `json:"pair"`
    Asks [][]BitfinexOrder `json:"asks"`
    Bids [][]BitfinexOrder `json:"bids"`
}

type BitfinexOrder struct {
    Price     string
    Volume    string
    Timestamp time.Time
}

可惜我没有成功

这是我用来解析 Kraken API 以检索订单簿的代码:

// loadKrakenOrderBook is delegated to load the data related to pairs info
func loadKrakenOrderBook(data []byte) (datastructure.BitfinexOrderBook, error) {
    var err error

    // Creating the maps for the JSON data
    m := map[string]interface{}{}
    var orderbook datastructure.BitfinexOrderBook

    // Parsing/Unmarshalling JSON
    err = json.Unmarshal(data, &m)

    if err != nil {
        zap.S().Debugw("Error unmarshalling data: " + err.Error())
        return orderbook, err
    }

    a := reflect.ValueOf(m["result"])

    if a.Kind() == reflect.Map {
        key := a.MapKeys()[0]
        log.Println("KEY: ", key)
        strct := a.MapIndex(key)
        log.Println("MAP: ", strct)
        m, _ := strct.Interface().(map[string]interface{})
        log.Println("M: ", m)
        data, err := json.Marshal(m)
        if err != nil {
            zap.S().Warnw("Panic on key: ", key.String(), " ERR: "+err.Error())
            return orderbook, err
        }
        log.Println("DATA: ", string(data))
        err = json.Unmarshal(data, &orderbook)
        if err != nil {
            zap.S().Warnw("Panic on key: ", key.String(), " during unmarshal. ERR: "+err.Error())
            return orderbook, err
        }
        return orderbook, nil

    }
    return orderbook, errors.New("UNABLE_PARSE_VALUE")
}

我用来测试的数据如下:

{
    "error": [],
    "result": {
        "LINKUSD": {
            "asks": [
                ["2.049720", "183.556", 1576323009],
                ["2.049750", "555.125", 1576323009],
                ["2.049760", "393.580", 1576323008],
                ["2.049980", "206.514", 1576322995]
            ],
            "bids": [
                ["2.043800", "20.691", 1576322350],
                ["2.039080", "755.396", 1576323007],
                ["2.036960", "214.621", 1576323006],
                ["2.036930", "700.792", 1576322987]
            ]
        }
    }
}

编辑

注意:我在输入中收到的数据是最新的 json 我已经 post, 而不是 bidsasks.

的数组

我尝试整合了@chmike 提出的解决方案。不幸的是,需要进行一些预处理,因为数据是我 post.

的最新 json

所以我更改为以下代码以提取与 asksbids.

相关的 json 数据
func order(data []byte) (datastructure.BitfinexOrderBook, error) {
    var err error

    // Creating the maps for the JSON data
    m := map[string]interface{}{}
    var orderbook datastructure.BitfinexOrderBook
    // var asks datastructure.BitfinexOrder
    // var bids datastructure.BitfinexOrder
    // Parsing/Unmarshalling JSON
    err = json.Unmarshal(data, &m)

    if err != nil {
        zap.S().Warn("Error unmarshalling data: " + err.Error())
        return orderbook, err
    }

    // Extract the "result" json
    a := reflect.ValueOf(m["result"])

    if a.Kind() == reflect.Map {
        key := a.MapKeys()[0]
        log.Println("KEY: ", key)
        log.Println()
        strct := a.MapIndex(key)
        log.Println("MAP: ", strct)
        m, _ := strct.Interface().(map[string]interface{})
        log.Println("M: ", m)
        log.Println("Asks: ", m["asks"])
        log.Println("Bids: ", m["bids"])

        // Here i retrieve the asks array
        asks_data, err := json.Marshal(m["asks"])
        log.Println("OK: ", err)
        log.Println("ASKS: ", string(asks_data))
        var asks datastructure.BitfinexOrder
        // here i try to unmarshal the data into the struct
        asks, err = UnmarshalJSON(asks_data)
        log.Println(err)
        log.Println(asks)

    }
    return orderbook, errors.New("UNABLE_PARSE_VALUE")
}

不幸的是,我收到以下错误:

json: cannot unmarshal array into Go value of type json.Number

根据@Flimzy 的建议,您需要自定义 Unmarshaler。这里是。

请注意,BitfinexOrderBook 定义与您的定义略有不同。里面有错误。

// BitfinexOrderBook is a book of orders.
type BitfinexOrderBook struct {
    Asks []BitfinexOrder `json:"asks"`
    Bids []BitfinexOrder `json:"bids"`
}

// BitfinexOrder is a bitfinex order.
type BitfinexOrder struct {
    Price     string
    Volume    string
    Timestamp time.Time
}

// UnmarshalJSON decode a BifinexOrder.
func (b *BitfinexOrder) UnmarshalJSON(data []byte) error {
    var packedData []json.Number
    err := json.Unmarshal(data, &packedData)
    if err != nil {
        return err
    }
    b.Price = packedData[0].String()
    b.Volume = packedData[1].String()
    t, err := packedData[2].Int64()
    if err != nil {
        return err
    }
    b.Timestamp = time.Unix(t, 0)
    return nil
}

另请注意,此自定义解组器函数允许您将价格或交易量转换为浮点数,这可能正是您想要的。

虽然您可以使用反射来解决问题,甚至可以编写自己的解析器,但最有效的方法是实现 json.Unmarshaler.

不过还有一些问题。

  1. 您正在将 json array 转换为 struct,而不仅仅是其中的 interface{} 个元素,因此它应该是:Asks []BitfinexOrderBids []BitfinexOrder.

  2. 您需要包装结构 BitfinexOrderBook 以使其使用其数据。它比使用反射简单得多。

  3. 默认情况下,json.Unmarshaljson number 解组为 float64,这在解析 timestamp 时不是一件好事。您可以使用 json.NewDecoder 获取解码器,然后使用 Decoder.UseNumber 强制使用字符串。

例如,

func (bo *BitfinexOrder) UnmarshalJSON(data []byte) error {
    dec := json.NewDecoder(bytes.NewReader(data))
    dec.UseNumber()

    var x []interface{}
    err := dec.Decode(&x)
    if err != nil {
        return errParse(err.Error())
    }

    if len(x) != 3 {
        return errParse("length is not 3")
    }

    price, ok := x[0].(string)
    if !ok {
        return errParse("price is not string")
    }

    volume, ok := x[1].(string)
    if !ok {
        return errParse("volume is not string")
    }

    number, ok := x[2].(json.Number)
    if !ok {
        return errParse("timestamp is not number")
    }
    tint64, err := strconv.ParseInt(string(number), 10, 64)
    if err != nil {
        return errParse(fmt.Sprintf("parsing timestamp: %s", err))
    }

    *bo = BitfinexOrder{
        Price:     price,
        Volume:    volume,
        Timestamp: time.Unix(tint64, 0),
    }
    return nil
}

和主要功能(包装结构):

func main() {
    x := struct {
        Result struct{ LINKUSD BitfinexOrderBook }
    }{}
    err := json.Unmarshal(data, &x)
    if err != nil {
        log.Fatalln(err)
    }

    bob := x.Result.LINKUSD
    fmt.Println(bob)
}

游乐场link:https://play.golang.org/p/pC124F-3M_S.

注意:playground link 使用辅助函数来创建错误。有些人可能会争辩说最好将辅助函数命名为 NewErrInvalidBitfinexOrder 或重命名错误。这不是这个问题的范围,我想为了打字,我暂时保留简称。