欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

golang教程之函数

程序员文章站 2022-03-04 20:09:40
...

函数

原文:https://golangbot.com/functions/

什么是函数?

函数是执行特定任务的代码块。 函数接受输入,对输入执行一些计算并生成输出。

函数声明

在go中声明函数的一般语法是

func functionname(parametername type) returntype {  
 //function body
}

函数声明以func关键字开头,后跟functionname。 参数在之后指定,后跟函数的返回类型。 指定参数的语法是参数名称,后跟类型。 可以指定任意数量的参数,如(parameter1 type,parameter2 type)。 然后在{}之间有一段代码,它是函数的主体。

参数和返回类型在函数中是可选的。 因此,以下语法也是有效的函数声明。

func functionname() {  
}

简单函数

让我们编写一个函数,它将单个产品的价格和产品数量作为输入参数,并通过乘以这两个值计算总价格并返回输出。

func calculateBill(price int, no int) int {  
    var totalPrice = price * no
    return totalPrice
}

上面的函数有两个int类型输入参数price和no,它返回totalPrice,它是price和no的乘积。 返回值也是int类型。

如果连续的参数是相同类型的,我们可以避免每次写入类型,并且最终可以写入一次,例如: price int, no int可以改写为price, no int。 因此,上述功能可以改写为,

func calculateBill(price, no int) int {  
    var totalPrice = price * no
    return totalPrice
}

现在我们已准备好一个函数,让我们从代码中的某个地方调用它。 调用函数的语法是functionname(parameters)。 可以使用代码调用上述函数。

calculateBill(10, 5)  

这是完整的程序,它使用上述功能并打印总价。

package main

import (  
    "fmt"
)

func calculateBill(price, no int) int {  
    var totalPrice = price * no
    return totalPrice
}
func main() {  
    price, no := 90, 6
    totalPrice := calculateBill(price, no)
    fmt.Println("Total price is", totalPrice)
}

上面的程序将打印出来

Total price is 540

多个返回值

可以从函数返回多个值。 让我们编写一个函数rectProps,它取矩形的长度和宽度,并返回矩形的面积和周长。 矩形的面积是长度和宽度的乘积,周长是长度和宽度之和的两倍。

package main

import (  
    "fmt"
)

func rectProps(length, width float64)(float64, float64) {  
    var area = length * width
    var perimeter = (length + width) * 2
    return area, perimeter
}

func main() {  
    area, perimeter := rectProps(10.8, 5.6)
    fmt.Printf("Area %f Perimeter %f", area, perimeter) 
}

如果函数返回多个返回值,则应在之间指定它们。 func rectProps(length,width float64)(float64,float64)有两个float64参数的 length and width,并且还返回两个float64值。 上述程序输出

Area 60.480000 Perimeter 32.800000  

命名的返回值

可以从函数返回命名值。 如果命名了返回值,则可以将其视为在函数的第一行中声明为变量。

可以使用命名返回值重写上述rectProps

func rectProps(length, width float64)(area, perimeter float64) {  
    area = length * width
    perimeter = (length + width) * 2
    return //no explicit return value
}

area和perimeter是上述函数中的命名返回值。 请注意,函数中的return语句不会显式返回任何值。 由于区域和周长在函数声明中指定为返回值,因此在遇到return语句时会自动从函数返回它们。

空白标识符

_被称为Go中的空白标识符。 它可以用来代替任何类型的任何值。 让我们看看这个空白标识符的用途。

rectProps函数返回矩形的面积和周长。 如果我们只需要area 并想要丢弃perimeter怎么办? 这是_有用的地方。

下面的程序仅使用rectProps函数返回的area。

package main

import (  
    "fmt"
)

func rectProps(length, width float64) (float64, float64) {  
    var area = length * width
    var perimeter = (length + width) * 2
    return area, perimeter
}
func main() {  
    area, _ := rectProps(10.8, 5.6) // perimeter is discarded
    fmt.Printf("Area %f ", area)
}

第13行我们只使用area,_ identifier用于丢弃参数。

相关标签: go