Go类型别名和自定义类型

Go类型别名和自定义类型

自定义类型

在Go语言中有一些基本的数据类型,如string,整型,浮点型,布尔等数据类型,Go语言可以使用type关键字来定义自定义类型

自定义类型是定义了一个全新的类型。我们可以给予内置的基本

//将MyInt定义为int类型
type MyInt int

通过type关键字的定义,MyInt就是一种新的类型,它具有int的特性。

类型别名

类型别名规定:TypeAlias只是Type的别名,本质上TypeAlias与Type是同一个类型。就像一个孩子小时候有小名、乳名,上学后用学名,英语老师又会给他起英文名,但这些名字都指的是他本人。

type TypeAlias = Type

我们之前见过的runebyte就是类型别名,他们的定义如下:

type byte = uint8
type rune = int32

类型定义和类型别名的区别

类型别名与类型定义表面上看只有一个等号的差异,我们通过下面的这段代码来理解它们之间的区别。

//类型定义
type NewInt int

//类型别名
type MyInt = int

func main() {
     
	var a NewInt
	var b MyInt
	
	fmt.Printf("type of a:%T\n", a) //type of a:main.NewInt
	fmt.Printf("type of b:%T\n", b) //type of b:int
}

结果显示a的类型是main.NewInt,表示main包下定义的NewInt类型。b的类型是intMyInt类型只会在代码中存在,编译完成时并不会有MyInt类型。

package main

import "fmt"

//类型别名,与自定义类型的区别

//1.自定义类型

// MyInt 基于int类型的自定义类型
type MyInt int

//2.类型别名

// NewInt int类型别名
type NewInt = int

func main()  {
     
   var i MyInt
   fmt.Printf("type:%T value:%v\n",i,i)

   var x NewInt
   fmt.Printf("type:%T value:%v\n",x,x)
}

你可能感兴趣的:(golang,go)