Golang基础_08-方法method

Posted leafs99

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Golang基础_08-方法method相关的知识,希望对你有一定的参考价值。

目录

@

方法的声明和使用

receiver

  • Go中虽没有class,但依旧有method
  • 通过显示说明receiver来实现与某个类型的组合
type A struct 
    Name string

type B struct 
    Name string


func main()
    a := A
    a.Print()

    b := B
    b.Print()

func (a A) Print()
    fmt.Println("A")

func (b B) Print()
    fmt.Println("B")

//就像重载一样,但是不是(a A)(b B)就是receiver
/*
> Output:
command-line-arguments
A
B
*/

不存在方法重载

  • 不存在方法重载,像下面这样的情况是不存在的
func (a A) Print()
    fmt.Println("A")

func (a A) Print(b int)
    fmt.Println("A")
  • 只能为同一个包中的类型定义方法
  • receiver可以是类型的值或者指针
type A struct 
    Name string

type B struct 
    Name string


func main()
    a := A
    a.Print()
    fmt.Println(a.Name)

    b := B
    b.Print()
    fmt.Println(b.Name)

//指针传递
func (a *A) Print()
    a.Name="AA"
    fmt.Println("A")

//值传递
func (b B) Print()
    b.Name="BB"
    fmt.Println("B")

/*
> Output:
command-line-arguments
A
AA
B
<空格>
> Elapsed: 6.294s
*/
  • 可以使用值或者指针来调用方法,a.Print()编译器会自动完成转换

类型别名和方法

  • go语言中需要强制类型转换,也是因为有这个
  • 类型别名不会拥有底层类型所附带的方法
type TZ int
func main()
    var a TZ
    a.Print()

func (a *TZ) Print()
    fmt.Println("TZ")

/*
> Output:
command-line-arguments
TZ
*/

Method Value与Method Expression

  • 从某种意义上来说,方法是函数的语法糖,因为receiver其实就是方法所接收的第1个参数(Method Value vs. Method Expression)
    //method value
    a.Print()
    //method expression
    (*TZ).Print(&a)

二者输出结果一样

  • 如果外部结构和嵌入结构存在同名方法,则优先调用外部结构的方法

方法名称冲突与字段访问权限

  • 方法可以调用结构中的非公开字段(private的),在main()函数都可以访问,权限是当前的这个包都可见的
type A struct
    name string

func main()
    a := A
    a.Print()
    fmt.Println(a.name)

func (a *A) Print()
    a.name="123"
    fmt.Println(a.name)

/*
> Output:
command-line-arguments
123
123
*/

例子

type A int
func (a *A) Increase()
    *a += 100

func (a *A)Increase2(num A) 
    *a += num

func main()
//显示类型声明,不要用a := 0,这样就是int了
    var a A
    a=0
    a.Increase()
    fmt.Println(a)
    a.Increase2(100)
    fmt.Println(a)

/*
> Output:
command-line-arguments
100
200
*/

tips

方法和函数的区别

方法:func (a A) add(num int) int
函数:func add(num1 int,num2 int) int

方法和函数的区别,方法在func关键字后是接收者而不是函数名,接收者可以是自己定义的一个类型,这个类型可以是struct,interface,甚至我们可以重定义基本数据类型。

以上是关于Golang基础_08-方法method的主要内容,如果未能解决你的问题,请参考以下文章

p24 map 之 golang基础

Golang基础_12-基础小结

Golang基础_09-接口interface

Golang基础_05-map

Golang基础_11-并发concurrency

Golang基础_07-结构struct