# Golang 关键字 type
type 是 Go 语法里的重要而且常用的关键字,type 绝不只是对应于 C/C++ 中的 typedef。搞清楚 type 的使用,就容易理解 Go 语言中的核心概念 struct、interface、函数等的使用。
# 一、Golang 类型定义
# 1. 定义结构体
使用 type 可以定义结构体类型:
// 定义结构体
type person struct {
name string // 注意后面不能有逗号
age int
}
# 2. 定义接口
使用 type 可以定义接口类型:
// 定义接口
type USB interface {
start()
end()
}
# 3. 定义函数
Go 语言支持函数式编程,可以使用高阶编程语法。一个函数可以作为另一个函数的参数,也可以作为另一个函数的返回值,那么在定义这个高阶函数的时候,如果函数的类型比较复杂,我们可以使用 type 来定义这个函数的类型:
package main
import (
"fmt"
"strconv"
)
func main() {
res1 := fun1()
fmt.Println(res1(10,20))
}
// 定义函数
type my_fun func (int,int)(string)
// fun1() 函数的返回值是 my_fun 类型
func fun1 () my_fun{
fun := func(a,b int) string {
s := strconv.Itoa(a) + strconv.Itoa(b)
return s
}
return fun
}
# 二、Golang 类型别名
类型别名的写法为:
type TypeAlias = Type
类型别名规定:TypeAlias 只是 Type 的别名,本质上 TypeAlias 与 Type 是同一个类型。就像一个孩子小时候有小名、乳名,上学后用学名,英语老师又会给他起英文名,但这些名字都指的是他本人。
类型别名是 Go 1.9 版本添加的新功能。主要用于代码升级、迁移中类型的兼容性问题。在 C/C++语言中,代码重构升级可以使用宏快速定义新的一段代码。Go 语言中没有选择加入宏,而是将解决重构中最麻烦的类型名变更问题。
在 Go 1.9 版本之前的内建类型定义的代码是这样写的:
type byte uint8
type rune int32
而在 Go 1.9 版本之后变为:
type byte = uint8
type rune = int32
这个修改就是配合类型别名而进行的修改。
示例:
package main
import (
"fmt"
)
func main() {
var i1 myint
var i2 = 100
i1 = 100
i1 = i2 //错误用法,虽然 i1 和 i2 本质上都是 int,但是它们的显式类型的不一样的,不能互相赋值
}
type myint int // 定义新类型 myint
type myint2 = int // 不是重新定义类型,只是给 int 起别名
注意:非自定义类型不能定义方法
// 定义 time.Duration 的别名为 MyDuration type MyDuration = time.Duration // 为 MyDuration 添加一个函数 func (m MyDuration) EasySet(a string) { //cannot define new methods on non-local type time.Duration }
以上代码报错。报错信息:cannot define new methods on non-local type time.Duration
编译器提示:不能在一个非本地的类型 time.Duration 上定义新方法。非本地方法指的就是使用 time.Duration 的代码所在的包,也就是 main 包。因为 time.Duration 是在 time 包中定义的,在 main 包中使用。time.Duration 包与 main 包不在同一个包中,因此不能为不在一个包中的类型定义方法。
解决这个问题有下面两种方法:
- 将类型别名改为类型定义: type MyDuration time.Duration,也就是将 MyDuration 从别名改为类型。
- 将 MyDuration 的别名定义放在 time 包中。
← Golang 接口 Golang 异常处理 →