我正在使用REST API并获取了一些数据。昨天我遇到了一个有趣的行为。我还不了解它背后的确切原因。这就是我要在这里寻求的。 对于类似于-
的有效负载{
"id": 2091967,
"first_name": "",
"last_name": "",
"email": "",
"telephone": "",
"timezone": "",
"weekly_capacity": "",
"has_access_to_all_future_projects": false,
"is_contractor": false,
"is_admin": false,
"is_project_manager": false,
"can_see_rates": false,
"can_create_projects": false,
"can_create_invoices": false,
"is_active": false,
"created_at": "2018-04-16T00:48:30Z",
"updated_at": "2018-11-07T22:47:43Z",
"default_hourly_rate": null,
"cost_rate": null,
"roles": [
"blah"
],
"avatar_url": ""
}
我使用了如下所示的功能来获取电子邮件-
func GetUserEmail(userID int) string {
resp := getFromSomething("https://something/users/" + strconv.Itoa(userID))
var result map[string]string
json.NewDecoder(resp.Body).Decode(&result)
log.Printf("userEmail: %s", result["email"])
return result["email"]
}
该代码在我正在构建它的Mac上完美运行-env GOOS=linux go build -ldflags="-s -w" -o bin/something cmd/main.go
但是,它无法反序列化,并且在使用相同的构建命令时也没有在EC2实例上打印任何内容。
但是随后,我将var result map[string]string
更改为var result map[string]interface{}
,它在我的EC2实例和mac上都可以使用。
在返回interface{}
对象之前,我还必须进行类型转换。
func GetUserEmail(userID int) string {
resp := getFromSomething("https://something/users/" + strconv.Itoa(userID))
var result map[string]interface{}
json.NewDecoder(resp.Body).Decode(&result)
log.Printf("userEmail: %s", result["email"])
return result["email"].(string)
}
以前有没有人看过这样的东西?或者,有人知道为什么会这样吗?
我知道var result map[string]interface{}
总是可以更好地表示有效负载,但是我的问题是-为什么var result map[string]string
的早期表示形式在Mac而不是EC2上可以工作?
在Mac上为Go版本-go version go1.11.2 darwin/amd64
,在EC2上为go version go1.10.3 linux/amd64
答案 0 :(得分:3)
始终检查并处理错误。
从解码返回的错误说明了问题。该应用程序正在尝试将数字,布尔值和数组解码为字符串值。
var v map[string]string
err := json.NewDecoder(data).Decode(&v) // data is the JSON document from the question
fmt.Println(err) // prints json: cannot unmarshal number into Go value of type string
此问题并非特定于平台。我有几个猜测,为什么您会看到不同的结果:
env GOOS=linux go build -ldflags="-s -w" -o bin/something cmd/main.go
用于构建Mac版本,但是此命令并未构建可在Mac上执行的二进制文件。也许您没有运行您认为正在运行的代码。 根据您发现的内容解码为map[string]interface{}
或使用您想要的一个字段解码为结构:
var v struct{ Email string }
if err := json.NewDecoder(data).Decode(&v); err != nil {
// handle error
}
fmt.Println(v.Email) // prints the decoded email value.