我正在尝试创建一个函数,该函数以map
为参数,其中映射使用string
键,但值可以是任何类型。
我如何使它在go中工作?我尝试使用map[string]interface{}
作为函数的参数类型,但这似乎不起作用,例如在传递map[string]int
作为参数时。
关于这种方法的问题是什么,如果有办法在go中实现这一点,有什么解释吗?
如果一个函数参数是map[string]interface{}
类型,那么你需要传递一个map[string]interface{}
(map[string]int
不是map[string]interface{}
)。
这是一个常见的问题,在FAQ中有介绍(主要关注切片,但同样的原则也适用于映射)。
最好的方法取决于你想要完成什么。您可以执行以下操作(playground):
package main
import (
"fmt"
)
func main() {
v := make(map[string]interface{})
v["blah"] = 3
test(v)
v["panic"] = "string"
test(v)
}
func test(in map[string]interface{}) {
var ok bool
converted := make(map[string]int)
for k, v := range in {
converted[k], ok = v.(int)
if !ok {
panic("Unexpected type in map")
}
}
fmt.Println(converted)
}
或接受允许任何内容传入(playground)的interface{}
:
package main
import (
"fmt"
)
func main() {
v := make(map[string]int)
v["blah"] = 3
test(v)
w := make(map[string]string)
w["next"] = "string"
test(w)
x := make(map[string]bool)
x["panic"] = true
test(x)
}
func test(in interface{}) {
switch z := in.(type) {
case map[string]int:
fmt.Printf("dealing with map[string]int: %vn", z)
case map[string]string:
fmt.Printf("dealing with map[string]string: %vn", z)
default:
panic(fmt.Sprintf("unsupported type: %T", z))
}
// You could also use reflection here...
}