这是 Golang 教程系列的第六篇教程。

什么是函数?

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

函数声明

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

  1. func functionname(parametername type) returntype {
  2. //function body
  3. }

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

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

  1. func functionname() {
  2. }

函数示例

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

  1. func calculateBill(price int, no int) int {
  2. var totalPrice = price * no
  3. return totalPrice
  4. }

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

如果连续参数属于同一类型,我们可以避免每次都写入类型,并且最终可以只写入一次。

price int, no int 可写成 price, no int**。因此,上面的程序可以改写成:

  1. func calculateBill(price, no int) int {
  2. var totalPrice = price * no
  3. return totalPrice
  4. }

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

  1. calculateBill(10, 5)

这是完整的程序,它使用上面的函数并输出结果。

  1. package main
  2. import (
  3. "fmt"
  4. )
  5. func calculateBill(price, no int) int {
  6. var totalPrice = price * no
  7. return totalPrice
  8. }
  9. func main() {
  10. price, no := 90, 6
  11. totalPrice := calculateBill(price, no)
  12. fmt.Println("Total price is", totalPrice)
  13. }

Run in playground

程序将输出

  1. Total price is 540

多个返回值

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

  1. package main
  2. import (
  3. "fmt"
  4. )
  5. func rectProps(length, width float64)(float64, float64) {
  6. var area = length * width
  7. var perimeter = (length + width) * 2
  8. return area, perimeter
  9. }
  10. func main() {
  11. area, perimeter := rectProps(10.8, 5.6)
  12. fmt.Printf("Area %f Perimeter %f", area, perimeter)
  13. }

Run in playground

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

  1. Area 60.480000 Perimeter 32.800000

返回命名值

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

可以使用返回命名值重写 rectProps 函数

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

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

空白标识符

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

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

下面的程序 rectProps 函数中只返回 area

  1. package main
  2. import (
  3. "fmt"
  4. )
  5. func rectProps(length, width float64) (float64, float64) {
  6. var area = length * width
  7. var perimeter = (length + width) * 2
  8. return area, perimeter
  9. }
  10. func main() {
  11. area, _ := rectProps(10.8, 5.6) // perimeter is discarded
  12. fmt.Printf("Area %f ", area)
  13. }

Run in playground

在 13 行我们只用了 area 和 _ ,后者用于丢弃参数。

原文链接


https://golangbot.com/functions/