Go语言中结构体方法副本传参与指针传参的区别介绍
程序员文章站
2022-04-09 20:57:46
go语言结构体方法跟结构体指针方法的区别
首先,我定了三个接口、一个结构和三个方法:
type deptmodea interface {
name() st...
go语言结构体方法跟结构体指针方法的区别
首先,我定了三个接口、一个结构和三个方法:
type deptmodea interface { name() string setname(name string) } type deptmodeb interface { relocate(building string, floor uint8) } type dept struct { name string building string floor uint8 key string } func (self dept) name() string { return self.name } func (self dept) setname(name string) { self.name = name } func (self *dept) relocate(building string, floor uint8) { self.building = building self.floor = floor }
而后我写了一些测试代码:
dept1 := dept{ name: "mysohu", building: "internet", floor: 7} switch v := interface{}(dept1).(type) { case deptmodefull: fmt.printf("the dept1 is a deptmodefull.\n") case deptmodeb: fmt.printf("the dept1 is a deptmodeb.\n") case deptmodea: fmt.printf("the dept1 is a deptmodea.\n") default: fmt.printf("the type of dept1 is %v\n", v) } deptptr1 := &dept1 if _, ok := interface{}(deptptr1).(deptmodefull); ok { fmt.printf("the deptptr1 is a deptmodefull.\n") } if _, ok := interface{}(deptptr1).(deptmodea); ok { fmt.printf("the deptptr1 is a deptmodea.\n") } if _, ok := interface{}(deptptr1).(deptmodeb); ok { fmt.printf("the deptptr1 is a deptmodeb.\n") }
打印出的内容:
the dept1 is a deptmodea. the deptptr1 is a deptmodefull. the deptptr1 is a deptmodea. the deptptr1 is a deptmodeb.
假设t是struct,那么go里面遵循下面几个原则:
- t的方法集仅拥有 t receiver (方法中的接受者)方法。
- *t 方法集则包含全部方法 (t + *t)。
所以你上面的例子dept1应该是拥有方法:name和setname
而&dept1拥有方法:name、setname和relocate
这个就是go里面在设计方法的时候需要注意receiver的类型
go语言中结构体方法副本传参与指针传参的区别
我们来看个例子:
package main import ( "fmt" ) type b struct { name string } func(b b) test1() { fmt.printf("test1 addr:%p\n", &b) fmt.printf("test1 name:%s\n", b.name) b.name = "john" } func(b *b) test2() { fmt.printf("test2 addr:%p\n", b) fmt.printf("test2 name:%s\n", b.name) b.name = "john" } func main() { b := b{} b.test1() b.test1() b.test2() b.test2() }
执行后结果如下:
test1 addr:0xc42000e1e0 test1 name: test1 addr:0xc42000e1f0 test1 name: test2 addr:0xc42000e1d0 test2 name: test2 addr:0xc42000e1d0 test2 name:john
可以看到test1中打印出b结构体的地址在变化,而test2中没有变化,这说明每一次test1的调用,都是传入的结构体b的一个副本(拷贝),当在test1中对内部变量的任何改动,都将会失效(因为下一次访问的时候传入的是b结构体新的副本)。而test2方法作为指针传参时,每一次传入的都是b结构体的指针,指向的是同一个结构体,因此地址没有变化,且对内部变量做改动时,都是改动的b结构体内容。
在go语言中的这个差别可能是对oop设计的一个坑,在go语言中要想实现oop的设计,在进行方法封装时,都采用test2的写法。
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作具有一定的参考学习价值,如果有疑问大家可以留言交流,谢谢大家对的支持。
上一篇: 洛谷P4012 深海机器人问题(费用流)
下一篇: Vue实现购物车场景下的应用