英文:
Go basics: What is the diference between calling a method on struct and calling it on a pointer to that struct?
问题
假设我有一个Vertex
类型:
type Vertex struct {
X, Y float64
}
并且我定义了一个方法:
func (v *Vertex) Abs() float64 {
return math.Sqrt(v.X*v.X + v.Y*v.Y)
}
这两个调用有什么区别?(它们都返回相同的结果)
v1 := Vertex{3, 4}
fmt.Println(v1.Abs())
v2 := &Vertex{3, 4}
fmt.Println(v2.Abs())
v1是一个Vertex
类型的变量,v2是一个指向Vertex
类型的指针。在调用Abs()
方法时,v1会被自动解引用为指针,而v2则直接使用指针调用方法。两者都会返回相同的结果。
英文:
Supoose that I have a Vertex
type
type Vertex struct {
X, Y float64
}
and I've defined a method
func (v *Vertex) Abs() float64 {
return math.Sqrt(v.X*v.X + v.Y*v.Y)
}
What's the difference between those two calls ? (both of them return the same result)
v1 := Vertex{3, 4}
fmt.Println(v1.Abs())
v2 := &Vertex{3, 4}
fmt.Println(v2.Abs())
答案1
得分: 2
第一个版本相当于
var v1 Vertex
v1.X = 3
v1.y = 4
fmt.Println((&v1).Abs)
第二个版本相当于
var v2 *Vertex
v2 = new(Vertex)
v2.X = 3
v2.y = 4
fmt.Println(v2.Abs)
所以唯一的实质性区别是 v1
是一个值,而 v2
是指向类型为 Vertex
的值的指针。
英文:
The first version is the equivalent of
var v1 Vertex
v1.X = 3
v1.y = 4
fmt.Println((&v1).Abs)
The second version is the equivalent of
var v2 *Vertex
v2 = new(Vertex)
v2.X = 3
v2.y = 4
fmt.Println(v2.Abs)
So the only substantial difference is that v1
is a value and v2
is a pointer to a value of type Vertex
.
通过集体智慧和协作来改善编程学习和解决问题的方式。致力于成为全球开发者共同参与的知识库,让每个人都能够通过互相帮助和分享经验来进步。
评论