Differences
This shows you the differences between two versions of the page.
| Both sides previous revision Previous revision Next revision | Previous revision | ||
| go_tour_notes [2018/04/13 10:35] – [Basic method] rpjday | go_tour_notes [2018/04/14 08:57] (current) – [Refresher: pointer-based function] rpjday | ||
|---|---|---|---|
| Line 684: | Line 684: | ||
| You can only declare a method with a receiver whose type is defined in the same package as the method. You //cannot// declare a method with a receiver whose type is defined in another package (which includes the built-in types such as '' | You can only declare a method with a receiver whose type is defined in the same package as the method. You //cannot// declare a method with a receiver whose type is defined in another package (which includes the built-in types such as '' | ||
| - | ==== Pointer | + | ===== Methods with pointer | 
| + | |||
| + | ==== Refresher: call-by-value ==== | ||
| + | |||
| + | Call-by-value function, which makes a //copy// of the argument: | ||
| < | < | ||
| + | package main | ||
| + | |||
| + | import ( | ||
| + | " | ||
| + | ) | ||
| + | |||
| type Vertex struct { | type Vertex struct { | ||
| - | X, Y float64 | + |  | 
| } | } | ||
| - | func (v Vertex) | + | func Scale(v Vertex, f float64) Vertex | 
| - | return math.Sqrt(v.X*v.X + v.Y*v.Y) | + | v.X = v.X * f | 
| + |  | ||
| + | return | ||
| } | } | ||
| - | func (v *Vertex) Scale(f float64) { | + | func main() { | 
| - | v.X = v.X * f | + | v := Vertex{3, 4} | 
| - | v.Y = v.Y * f | + |  | 
| + | fmt.Println(Scale(v, 10)) | ||
| + | fmt.Println(v) | ||
| } | } | ||
| + | |||
| + | {3 4} | ||
| + | {30 40} | ||
| + | {3 4} | ||
| </ | </ | ||
| + | |||
| + | ==== Refresher: pointer-based function ==== | ||
| + | |||
| + | Pointer-based call: | ||
| + | |||
| + | < | ||
| + | package main | ||
| + | |||
| + | import ( | ||
| + | " | ||
| + | ) | ||
| + | |||
| + | type Vertex struct { | ||
| + | X, Y float64 | ||
| + | } | ||
| + | |||
| + | func Scale(v *Vertex, f float64) { | ||
| + | v.X = v.X * f | ||
| + | v.Y = v.Y * f | ||
| + | } | ||
| + | |||
| + | func main() { | ||
| + | v := Vertex{3, 4} | ||
| + | fmt.Println(v) | ||
| + | Scale(& | ||
| + | fmt.Println(v) | ||
| + | } | ||
| + | |||
| + | {3 4} | ||
| + | {30 40} | ||
| + | </ | ||
| + | |||
| + | Notes about the above: | ||
| + | |||
| + | * Even if the arg is a pointer, Go allows you to use " | ||
| + | * You cannot support both variations of that function | ||