我使用Echo在Golang中构建一个极简主义服务器。
In,Echo one可以bind an incoming JSON request payload to a struct在内部访问有效负载。
但是我有一个场景,其中我只知道传入的JSON请求有效负载的3个字段,并且绑定在这种情况下不起作用。
我如何仍然访问我关心的3个字段?如果我不能在Echo中这样做,你能推荐一个与Echo的上下文结构一起使用的JSON解码器吗?
答案 0 :(得分:4)
我就这样做了:
json_map := make(map[string]interface{})
err := json.NewDecoder(c.Request().Body).Decode(&json_map)
if err != nil {
return err
} else {
//json_map has the JSON Payload decoded into a map
cb_type := json_map["type"]
challenge := json_map["challenge"]
答案 1 :(得分:1)
我不是最有经验的Echo,但据我所知,绑定在这种情况下不会起作用。 @elithar在另一个帖子中为你的问题提供了一个很好的答案:
来自:Golang Json single value parsing
您可以解码为map [string] interface {},然后按键获取元素。
data := make(map[string]interface{})
err := json.Unmarshal(content, &data)
if err != nil {
return nil, err
}
price, ok := data["ask_price"].(string); !ok {
// ask_price is not a string
return nil, errors.New("wrong type")
}
// Use price as you wish
结构通常是首选,因为它们对类型更明确。您只需声明您关注的JSON中的字段,并且您不需要像使用map一样键入断言值(编码/ json隐式处理)。
您应该能够抓取上下文的数据,并以这种方式提取您想要的字段。
答案 2 :(得分:0)
使用 Golang 的 Echo 框架,你可以像这样从 JSON 中提取数据
{
"username": "Super User",
"useremail": "super@user.email"
}
import (
"github.com/labstack/echo"
)
func main() {
my_data := echo.Map{}
if err := echoCtx.Bind(&my_data); err != nil {
return err
} else {
username := fmt.Sprintf("%v", my_data["username"])
useremail := fmt.Sprintf("%v", my_data["useremail"])
}
}
答案 3 :(得分:0)
我创建了一个自定义函数,它检索原始 json 主体,如果没有值则返回 nil 否则返回 map[string]interface{}
import (
"encoding/json"
"github.com/labstack/echo/v4"
"github.com/labstack/gommon/log"
)
func GetJSONRawBody(c echo.Context) map[string]interface{} {
jsonBody := make(map[string]interface{})
err := json.NewDecoder(c.Request().Body).Decode(&jsonBody)
if err != nil {
log.Error("empty json body")
return nil
}
return jsonBody
}