GoLang从弹性搜索结果中解组JSON

I have data returned from Elasticsearch, using "github.com/olivere/elastic". That sort of works, when i add it to my struct and string it, like so,

data := Api {
    Total: myTotal,
    Data: string(result),
}

c.JSON(http.StatusOK, totalData)

the api is a struct like so,

type Api struct {
   Total interface{}
   Data interface{} 
}

This returns data ok, from 1 to any number of results on request. How the results loaded into the data interface are not escaped or something, e.g.

"Data":"{\"CID\":\"XXXXXXXXXX\",\"Link\":\"XXXXXXXXX\",

So I have tried to unmarshal the data before adding it to the api struct.

var p DataApi

err := json.Unmarshal(result, &p)
if err != nil {
    panic(err)
}

totalData := Api {
    Total: myTotal,
    Data: p,
}

c.JSON(http.StatusOK, totalData)

This sort of works fine, returns the data in the correct way, but only when loading one result. When 2 or more results are requested, I get this error from the unmarshal panic

invalid character '{' after top-level value

I have tried and google all over but can not find a solution to this? I am not sure what I am doing wrong? The DataApi is a nested set of structs, I was not sure if there was anything I should be being because of that?

This is being run within the Gin framework.

Thanks.

EDIT

So when I use fmt.Println on the string(result) I can print any number of results on the screen. How can I add this to the API struct and then I need the struct converted into JSON data. Is there some way of appending this string data on the JSON converted API struct?

Try to unmarshal multiple results into a slice:

var q []Api
err = json.Unmarshal(result, &q)

See on playground https://play.golang.org/p/D_bVAd4jBlI

package main

import (
    "encoding/json"
    "fmt"
)

type Api struct {
    Total interface{}
    Data  interface{}
}

func main() {

    data := Api{
        Total: 1,
        Data:  "2",
    }

    result, err := json.Marshal(data)
    if err != nil {
        panic(err)
    }

    fmt.Printf("single data: %s
", result)

    var p Api
    err = json.Unmarshal(result, &p)
    if err != nil {
        panic(err)
    }

    dataSlice := []Api{data}

    result, err = json.Marshal(dataSlice)
    if err != nil {
        panic(err)
    }

    fmt.Printf("slice of data: %s
", result)

    var q []Api
    err = json.Unmarshal(result, &q)
    if err != nil {
        panic(err)
    }
}

Use json.RawMessage to store arbitrary JSON documents:

var p json.RawMessage

err := json.Unmarshal(result, &p)
if err != nil {
    panic(err)
}

totalData := Api {
    Total: myTotal,
    Data: p,
}

c.JSON(http.StatusOK, totalData)

I have a working solution to my problem, I just use the Hits Hits From the data returned by elastic search, I would like just the source data but i think it does what I need it to do... for now.

Thanks.