在线时间:8:00-16:00
迪恩网络APP
随时随地掌握行业动态
扫描二维码
关注迪恩网络微信公众号
0x01 前言Go 语言的语法实在有些不一样,与其它面向对象语言相比,Go 的方法似乎有些晦涩。 0x02 方法的定义在 Go 语言里,方法和函数只差了一个,那就是方法在 type user struct { name string, email string, } //这是函数的定义 func notify(email string) { fmt.Println("Email is %s", email) } //这是方法的定义 func (u user) notify(email string) { fmt.Println("Email is %d", email) } 我们可以看到,方法是在 0x03 接收者接收者有两种,一种是值接收者,一种是指针接收者。顾名思义,值接收者,是接收者的类型是一个值,是一个副本,方法内部无法对其真正的接收者做更改;指针接收者,接收者的类型是一个指针,是接收者的引用,对这个引用的修改之间影响真正的接收者。像上面一样定义方法,将 接收者与对象相信有很多人看到这个接收者之后都很苦恼,到底这个接收者是什么,是干什么用的。我们在学习一门新的语言的时候,都讲究触类旁通,和我们已经了解的语言作对比。那么我们就通过拿 Go 和其它带有类的面向对象的语言做对比来搞清楚接收者是什么。这里我们用 在 class User { protected $email; protected $name; poublic function __construct($name, $email) { $this->email = $email; $this->name = $name; } public function notify() { echo "Email is {$email}.\n"; } public function changeEmail($email) { $this->email = $email; } } 然后再实例化一个对象,进行操作,像这样。 $user = new User('daryl', 'daryl@example'); $user->changeEmail('[email protected]'); $user->notify();
接下来,我们参照着来写一下 Go 的方法定义。 首先,我们是先要定义一个类型,比如就是 type user struct { name string email string } func (u user) notify() { fmt.Println("Email is %d", u.email) } func (u *user) changeEmail(email string) { u.email = email }
我们定义了两个方法,一个是 我们再来看一下调用。 daryl := {"daryl", "[email protected]"} daryl.changeEmail("[email protected]") daryl.notify()
看看,是不是很熟悉!对,就像我们刚刚写过的 关于值接收者和指针接收者,其实 Go 在编译的时候有一个隐式转换,将其转换为正确的接收者类型。就像下面这样。 //daryl.changeEmail("[email protected]") (&daryl).changeEmail("[email protected]") wife := &daryl //wife.notify() (*wife).notify()
0x04 后记最近在学习 Go 语言,看到有很多人评价 Go 的语法很丑陋,这一点确实不可否认。但是,它的语法有很简单,对于熟悉 C 的人、熟悉含有类的面向对象的语言的人,稍加对比,就能发现其很多相似之处。
|
请发表评论