func getLatestTxs() map[string]interface{}{} {
fmt.Println("hello")
resp, err := http.Get("http://api.etherscan.io/api?module=account&action=txlist&address=0x266ac31358d773af8278f625c4d4a35648953341&startblock=0&endblock=99999999&sort=asc&apikey=5UUVIZV5581ENPXKYWAUDGQTHI956A56MU")
defer resp.Body.Close()
body, _ := ioutil.ReadAll(resp.Body)
if err != nil {
fmt.Errorf("etherscan访问失败")
}
ret := map[string]interface{}{}
json.Unmarshal(body, &ret)
if ret["status"] == 1 {
return ret["result"]
}
}
我想在我的代码中返回map[string]interface{}{}
。
但是我得到了编译错误syntax error: unexpected [ after top level declaration
如果我将map[string]interface{}{}
更改为interface{}
,则不再有编译错误。
注意我使用map[string]interface{}{}
因为我想返回地图列表。
代码map[string]interface{}{}
是空映射的复合文本值。函数是用类型而不是值声明的。看起来您想返回切片类型[]map[string]interface{}
. 使用以下函数:
func getLatestTxs() []map[string]interface{} {
fmt.Println("hello")
resp, err := http.Get("http://api.etherscan.io/api?module=account&action=txlist&address=0x266ac31358d773af8278f625c4d4a35648953341&startblock=0&endblock=99999999&sort=asc&apikey=5UUVIZV5581ENPXKYWAUDGQTHI956A56MU")
defer resp.Body.Close()
body, _ := ioutil.ReadAll(resp.Body)
if err != nil {
fmt.Errorf("etherscan访问失败")
}
var ret struct {
Status string
Result []map[string]interface{}
}
json.Unmarshal(body, &ret)
if ret.Status == "1" {
return ret.Result
}
return nil
}
创建返回类型以map[string]interface{}
。因为从请求返回GET
响应的类型是map[string]interface{}
而不是map[string]interface{}{}
这是一个复合文本。所以你可以像使用它一样
func getLatestTxs() map[string]interface{} {
fmt.Println("hello")
// function body code ....
return ret
}
对于此行
如果我将 map[string]interface{}{} 更改为 interface{},则没有 编译错误了。
我们可以将任何东西转换为interface{}
因为它可以作为一个包装器,可以包装任何类型的,并将保存底层类型及其值。可以使用基础类型的类型断言来接收该值。因此,在您的情况下,当您使用接口时,它将包装map[string]interface{}
值。为了获取值,需要键入断言,如下所示。
func getLatestTxs() interface{} {
fmt.Println("hello")
// function code .....
//fmt.Println(ret["result"])
return ret
}
ret["result"].(interface{}).([]interface{})
打印基础map[string]interface{}
以获取结果中单个对象的值
fmt.Println(ret["result"].(interface{}).([]interface{})[0].(map[string]interface{})["from"])