调用结构体上的方法和调用指向该结构体的指针上的方法有什么区别?

huangapple go评论141阅读模式
英文:

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.

huangapple
  • 本文由 发表于 2013年9月1日 18:32:16
  • 转载请务必保留本文链接:https://go.coder-hub.com/18557537.html
匿名

发表评论

匿名网友

:?: :razz: :sad: :evil: :!: :smile: :oops: :grin: :eek: :shock: :???: :cool: :lol: :mad: :twisted: :roll: :wink: :idea: :arrow: :neutral: :cry: :mrgreen:

确定