今天给大家说一说Go语言方法和接收器,go语言的方法中会定义一个接受器,接收器可以是值类型或者是指针类型。但是无论是方法的接收器是指针类型或者是非指针类型,都可以通过值类型或者指针类型进行调用。
下面通过一个例子进行演示:
package main
import (
"fmt"
)
type Point struct {
x float64
y float64
}
func (p Point)ScaleByValue(factor float64) {
fmt.Println("call ScaleByValue")
p.x *=factor
p.y *=factor
}
func (p *Point)ScaleByPointor(factor float64) {
fmt.Println("call ScaleByPointor")
p.x *= factor
p.y *= factor
}
func main(){
p := Point{1,2}
p.ScaleByValue(2)
fmt.Println(p)
(&p).ScaleByValue(2)
fmt.Println(p)
q1 := Point{2,4}
q1.ScaleByPointor(2)
fmt.Println(q1)
q2 := Point{2,4}
(&q2).ScaleByPointor(2)
fmt.Println(q2)
}
程序的结果:
call ScaleByValue
{1 2}
call ScaleByValue
{1 2}
call ScaleByPointor
{4 8}
call ScaleByPointor
{4 8}
程序分析:
首先定义了结构体变量p,它的值是{1,2},接着使用指针和值传递调用ScaleByValue 函数,发现最终结果都是{1,2},编译器允许接受器和类型和调用方法的类型不一致,会自动将其转成接收器的类型。因此虽然 (&p).ScaleByValue(2)使用了指针进行调用,但是并没有改变p的值。
接着向下看,使用指针和值传递调用ScaleByPointor 函数,发现最终结果都是{4,8},其原因在于接受器的类型是指针,无论调用方法的类型是值类型还是指针类型,最终都会被转成指针类型。
最后总结出一句话,值类型或者是指针类型只和接受器的类型相关
func (p *Point)ScaleByPointor(factor float64)
接收器是Pointor指针,它就是指针类型传递
func (p Point)ScaleByValue(factor float64)
接收器是Pointor类型,它就是值类型传递
以上便是Go语言方法和接收器,示例展示的全部内容,更多内容可关注慕课网其他文章~
共同学习,写下你的评论
评论加载中...
作者其他优质文章