最近看網站有同窗提問golang中方法的receiver爲指針和不爲指針有什麼區別,在這裏我以簡單易懂的方法進行說明,幫助剛剛學習golang的同窗.git
其實只要明白這個原理,基本就能理解上面提到的問題.github
方法其實就是一種特殊的函數,receiver就是隱式傳入的第一實參.golang
舉個例子編程
type test struct{ name string } func (t test) TestValue() { } func (t *test) TestPointer() { } func main(){ t := test{} m := test.TestValue m(t) m1 := (*test).TestPointer m1(&t) }
是否是很簡單就明白了呢?如今咱們來加入代碼,來看看指針和非指針有什麼區別.函數
type test struct{ name string } func (t test) TestValue() { fmt.Printf("%p\n", &t) } func (t *test) TestPointer() { fmt.Printf("%p\n", t) } func main(){ t := test{} //0xc42000e2c0 fmt.Printf("%p\n", &t) //0xc42000e2e0 m := test.TestValue m(t) //0xc42000e2c0 m1 := (*test).TestPointer m1(&t) }
估計有的同窗已經明白了,當不是指針時傳入實參後值發生了複製.因此每調用一次TestValue()值就發生一次複製.
那若是涉及到修改值的操做,結果會是怎樣呢?學習
type test struct{ name string } func (t test) TestValue() { fmt.Printf("%s\n",t.name) } func (t *test) TestPointer() { fmt.Printf("%s\n",t.name) } func main(){ t := test{"wang"} //這裏發生了複製,不受後面修改的影響 m := t.TestValue t.name = "Li" m1 := (*test).TestPointer //Li m1(&t) //wang m() }
因此各位同窗在編程遇到此類問題必定要注意了.
那這些方法集之間究竟是什麼關係呢?這裏借用了qyuhen在golang讀書筆記的話,這裏也推薦喜歡golang的朋友去閱讀這本書,對加深理解golang有很大的幫助.網站
• 類型 T 法集包含所有 receiver T 法。
• 類型 T 法集包含所有 receiver T + T 法。
• 如類型 S 包含匿名字段 T,則 S 法集包含 T 法。
• 如類型 S 包含匿名字段 T,則 S 法集包含 T + T 法。
• 無論嵌 T 或 T,S 法集老是包含 T + *T 法。指針
golang雖然上手簡單易用,可是仍是有不少坑.做者在使用golang過程當中就遇到不少坑,後面會在博客中提出,歡迎你們一塊兒討論.code