Golang Go语言结构体中匿名字段暴露方法的优先级
Go语言的结构体中可以包含匿名的字段,比如:
如果包含的匿名字段为 *T,那么这个结构体 S 就有了 *T 的方法。
如果S包含的匿名字段为 T或*T,那么 *S就有了 *T的方法。
比如
var g gzipResponseWriter
g.Write(数据)
此处的 g.Write 就相当于 g.Writer.Write(数据)。
那么如果两个匿名字段都有同一个方法的时候,会怎么样呢?
怎么解决这个问题?
其一:就是重写 gzipResponseWriter的 Write方法,指明要写到哪一方。
func (w gzipResponseWriter) Write(b []byte) (int,os.Error) {
returnw.Writer.Write(b)
}
上面这里就是指定使用 io.Writer里面的 Write方法。
其二:使用匿名字段暴露方法优先级来确定重复方法的时候使用哪一个方法,原则就是【简单优先】。所以我们这里把 http.ResponseWriter弄复杂一点,使用另一个结构体先包裹一次。
type gzipResponseWriterstruct {
io.Writer
responseWriter
}
这样就是 io.Writer的方法是会优先暴露出来的。这样就省去了上面那样的麻烦,而且当有多个重复方法的时候,还得一个一个来改写。记得使用 gzipResponseWriter 的时候原来的 类型为 http.ResponseWriter 的对象比如 w,要用 responseWriter{w},包装一下就可以使用到 gzipResponseWriter里面了,比如:创建 gzipResponseWriter 结构体变量的时候,原来比如使用 gzipResponseWriter{w,x} 就行,现在得使用 gzipResponseWriter{responseWriter{w},x},这其中 w是一个 http.ResponseWriter对象。
转and整理自:http://kejibo.com/golang-struct-anonymous-field-expose-method/
原文链接:https://www.f2er.com/go/190669.html