作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
前几天刚开始学习 Go。今天,我们在调试一段代码时,发现了一些似乎违反 Go 直觉的事情。
首先,我们定义了一个接口(interface)和一个实现它的数据结构。
type Executer interface {
Execute()
}
type whatever struct {
name string
}
func (this *whatever) Execute() {
log.Println(this.name)
}
现在考虑我有一个指向
whatever
的 nil 指针。我尝试调用方法
Execute
.在我迄今为止使用的其他面向对象语言中,这将在调用方法时调用空指针错误(即
w.Execute()
),因为对象指针为空。有趣的是,在 Go 中,方法被调用,空指针错误发生在
Execute
当我尝试取消引用
this.name
时的方法.为什么不在调用方法的时候呢?
func main() {
var w *whatever
w.Execute()
}
那么,我现在想要了解的是这怎么可能?这是否意味着 Go 仅在编译时进行早期方法绑定(bind),而在运行时没有方法与特定对象的绑定(bind)?
最佳答案
接收者只是函数的“普通”参数。普通参数可以是指针类型。届时,您可以通过nil
作为论据,这是完全有效的。您需要记住的是不要取消引用 nil
指针参数。这同样适用于特殊的接收器参数。如果是指针,可能是nil
,你只是不能取消引用它。
Spec: Method declarations:
The receiver is specified via an extra parameter section preceding the method name.
... The method is said to be bound to its receiver base type and the method name is visible only within selectors for type
T
or*T
.
nil
接收器值不仅仅是不被禁止的东西,它还有实际用途。例如,见
Test for nil values in nested stucts .
null
上的静态方法。对象也是。确实你不能在 Go 中做同样的事情,因为 Go 没有像
static
这样的修饰符。 ,
public
,
private
等等。在 Go 中只有导出的和非导出的方法(由它们的名字的后一个暗示)。
m
与
T
接收器类型,表达式
T.m
将是一个函数值,其签名包含
m
的参数和结果类型带有接收器类型的“前缀”。
type Foo int
func (f Foo) Bar(s string) string { return fmt.Sprint(s, f) }
func main() {
fooBar := Foo.Bar // A function of type: func(Foo, string) string
res := fooBar(1, "Go")
fmt.Println(res)
}
Foo.Bar
将是一个类型为
func (Foo, string) string
的函数, 你可以像任何其他普通函数一样调用它;而且您还必须将接收器作为第一个参数传递。上述应用程序输出(在
Go Playground 上尝试):
Go1
稍微“前进”,我们不需要存储
Foo.Bar
在变量中,我们可以直接调用
Foo.Bar
:
fmt.Println(Foo.Bar(1, "Go"))
哪个输出相同(在
Go Playground 上尝试)。现在这几乎看起来像
static
Java中的方法调用。
Foo
的值使用上述表达式时本身(而不是类型标识符),我们到达方法值,它保存了接收者,因此方法值的类型不包括接收者,它的签名将是方法的签名,我们可以调用它而无需通过接收器:
var f Foo = Foo(1)
bar := f.Bar
fmt.Println(bar("Go"))
这将再次输出相同的结果,请在
Go Playground 上尝试.
关于go - Go 如何将方法绑定(bind)到对象?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/64341938/
我是一名优秀的程序员,十分优秀!