GO语言函数介绍
main
func{
一个简单的示例:
package main import "fmt" func main(){ fmt.Println("调用函数前。。。") hello() fmt.Println("调用函数后。。。") } func hello() { fmt.Println("调用函数中...") }
输出为:
调用函数前。。。 调用函数中... 调用函数后。。。
GO语言函数参数与返回值
参数:可以传0个或多个值来供自己用
return
package main import "fmt" func main(){ a, b, c := 1, 2, 3 d, e, f := test(a, b, c) fmt.Println(a, b, c, d, e, f) } func test(a int, b int, c int) (d int, e int, f int) { d = a + 3 e = b + 3 f = c + 3 return d, e, f }
输出为:
1 2 3 4 5 6
上面就是一个典型的多参数传递与多返回值
对例子的说明:
a,b,c1,2,3test()函数d,e,ftestfunc test(a int, b int, c int)(d int, e int, f int) {testd,e,fa,b,c
按值传递与按引用传递
按值传递:是对某个变量进行复制,不能更改原变量的值
引用传递:相当于按指针传递,可以同时改变原来的值,并且消耗的内存会更少,只有4或8个字节的消耗
命名的返回值
(d int, e int, f int) {(int,int,int){
d,e,freturn d,e,freturn
返回空白符
_d,_,f := test(a,b,c)
GO语言函数传递可变长度的参数
变量 ... type
package main import "fmt" func main(){ ke("a", "b", "c", "d", "e") } func ke(a string, strs ...string) { fmt.Println(a) fmt.Println(strs) for _, v := range strs { fmt.Println(v) } }
输出为:
a [b c d e] b c d e
strs ...stringstrs
GO语言函数defer 的应用
deferdeferdefer
package main import "fmt" func main(){ defers("a", "b") } func defers(a string, b string) { fmt.Println(a) defer fmt.Println("最后调用...") fmt.Println(b) }
输出为
a b 最后调用...
defer
GO语言递归函数
一个函数在函数体内自己调用自己我们称之为递归函数,在做递归调用时,经常会将内存给占满,这是非常要注意的,常用的比如,快速排序就是用的递归调用
GO语言内置函数
append -- 用来追加元素到数组、slice中,返回修改后的数组、slice
close -- 主要用来关闭channel delete -- 从map中删除key对应的value
panic -- 停止常规的goroutine (panic和recover:用来做错误处理)
recover -- 允许程序定义goroutine的panic动作
imag -- 返回complex的实部 (complex、real imag:用于创建和操作复数)
real -- 返回complex的虚部 make -- 用来分配内存,返回Type本身(只能应用于slice, map, channel)
new -- 用来分配内存,主要用来分配值类型,比如int、struct。返回指向Type的指针
cap -- capacity是容量的意思,用于返回某个类型的最大容量(只能用于切片和 map)
copy -- 用于复制和连接slice,返回复制的数目 len -- 来求长度,比如string、array、slice、map、channel ,返回长度
print、println -- 底层打印函数,在部署环境中建议使用 fmt 包
本篇重点介绍了GO函数(func)的声明与使用,更多关于GO语言函数知识请查看下面的相关链接