Go內建支援多個返回值。此功能經常用於通用的Go中,例如從函式返回結果和錯誤值。
所有的範例程式碼,都放在
F:\worksp\golang
目錄下。安裝Go程式設計環境請參考:/2/23/798.html
此函式簽名中的(int,int)
表示函式返回2
個int
型別值。
這裡使用從多個賦值的呼叫返回2
個不同的值。如果只想要返回值的一個子集,請使用空白識別符號_
。
接受可變數量的引數是Go函式的另一個不錯的功能; 在接下來範例中可以來了解和學習。
multiple-return-values.go
的完整程式碼如下所示 -
package main
import "fmt"
// The `(int, int)` in this function signature shows that
// the function returns 2 `int`s.
func vals() (int, int) {
return 3, 7
}
func main() {
// Here we use the 2 different return values from the
// call with _multiple assignment_.
a, b := vals()
fmt.Println(a)
fmt.Println(b)
// If you only want a subset of the returned values,
// use the blank identifier `_`.
_, c := vals()
fmt.Println(c)
}
執行上面程式碼,將得到以下輸出結果 -
F:\worksp\golang>go run multiple-return-values.go
3
7
7