我想定义一个这样的类型:
type S map[string]interface{}
我想向这样的类型添加一个方法:
func (s *S) Get( k string) (interface {}){
return s[k]
}
程序运行时,出现如下错误:
invalid operation: s[k] (index of type *S)
那么,如何定义类型并将方法添加到类型中呢?
最佳答案
例如,
package main
import "fmt"
type S map[string]interface{}
func (s *S) Get(k string) interface{} {
return (*s)[k]
}
func main() {
s := S{"t": int(42)}
fmt.Println(s)
t := s.Get("t")
fmt.Println(t)
}
输出:
map[t:42]
42
映射是引用类型,其中包含指向基础映射的指针,因此通常不需要为
s
使用指针。我添加了(s S) Put
方法来强调这一点。例如,package main
import "fmt"
type S map[string]interface{}
func (s S) Get(k string) interface{} {
return s[k]
}
func (s S) Put(k string, v interface{}) {
s[k] = v
}
func main() {
s := S{"t": int(42)}
fmt.Println(s)
t := s.Get("t")
fmt.Println(t)
s.Put("K", "V")
fmt.Println(s)
}
输出:
map[t:42]
42
map[t:42 K:V]
关于methods - 无效操作: s[k] (index of type *S),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/15939734/