重写 Golang 中的嵌入结构体方法
在 Golang 中,当一个结构体嵌入另一个结构体(称为嵌入)时,嵌入结构体的字段嵌入结构可以直接访问方法。但是,如果嵌入结构体从嵌入结构体中重新定义了方法,则它可以覆盖原始方法。
考虑以下代码:
<code class="go">type Base struct { val int } func (b *Base) Set(i int) { b.val = i } type Sub struct { Base changed bool }</code>
我们已将 Base 嵌入到 Sub 中。现在,如果我们尝试从 Sub 访问 Base 的 Set 方法,它将被 Sub 自己的 Set 方法隐藏:
<code class="go">func t16() { s := &Sub{} // This calls Base's Set method s.Base.Set(1) // This causes an error, as s.Set hides Base's Set s.Set(10) }</code>
要覆盖此行为,我们可以重新定义 Sub 的 Set 方法以显式调用 Base 的 Set 方法:
<code class="go">func (b *Sub) Set(i int) { b.Base.Set(i) b.changed = true }</code>
现在,当我们调用 s.Set() 时,它将调用 Base 的 Set 方法,同时仍然允许我们跟踪 Sub 中的更改。
<code class="go">func t16() { s := &Sub{} // Calls Sub's overridden Set method s.Set(10) fmt.Printf("%+v\n", s) // Output: {Base:{val:10} changed:true} }</code>
此方法允许您覆盖嵌入结构的方法,同时通过嵌入结构字段保持对原始方法的访问。
以上是如何重写 Golang 中的嵌入式结构体方法?的详细内容。更多信息请关注PHP中文网其他相关文章!