在Go語言程式設計中,它習慣於通過一個顯式的,單獨的返回值來傳達錯誤。這與Java和Ruby等語言中使用的異常,以及有時在C語言中使用的過載的單個結果/錯誤值形成對比。Go語言程式設計的方法使得很容易看到哪些函式返回錯誤,並使用用於任何其他語言的相同語言構造來處理它們,非錯誤任務。
按照慣例,錯誤是最後一個返回值,並有型別:error
,它是一個內建介面。通過對它們實現Error()
方法,可以使用自定義型別作為錯誤。上面的例子使用自定義型別來顯式地表示一個引數錯誤。
errors.New
使用給定的錯誤訊息構造基本錯誤值。錯誤位置中的nil
值表示沒有錯誤。
在這種情況下,使用&argError
語法構建一個新的結構,為兩個欄位arg
和prob
提供值。
下面的兩個迴圈測試每個錯誤返回函式。注意,使用if
語句內聯錯誤檢查是Go
程式碼中的常見作法。
如果要以程式設計方式使用自定義錯誤中的資料,則需要通過型別斷言將錯誤作為自定義錯誤型別的範例。
所有的範例程式碼,都放在
F:\worksp\golang
目錄下。安裝Go程式設計環境請參考:/2/23/798.html
errors.go
的完整程式碼如下所示 -
package main
import "errors"
import "fmt"
// By convention, errors are the last return value and
// have type `error`, a built-in interface.
func f1(arg int) (int, error) {
if arg == 42 {
// `errors.New` constructs a basic `error` value
// with the given error message.
return -1, errors.New("can't work with 42")
}
// A nil value in the error position indicates that
// there was no error.
return arg + 3, nil
}
// It's possible to use custom types as `error`s by
// implementing the `Error()` method on them. Here's a
// variant on the example above that uses a custom type
// to explicitly represent an argument error.
type argError struct {
arg int
prob string
}
func (e *argError) Error() string {
return fmt.Sprintf("%d - %s", e.arg, e.prob)
}
func f2(arg int) (int, error) {
if arg == 42 {
// In this case we use `&argError` syntax to build
// a new struct, supplying values for the two
// fields `arg` and `prob`.
return -1, &argError{arg, "can't work with it"}
}
return arg + 3, nil
}
func main() {
// The two loops below test out each of our
// error-returning functions. Note that the use of an
// inline error check on the `if` line is a common
// idiom in Go code.
for _, i := range []int{7, 42} {
if r, e := f1(i); e != nil {
fmt.Println("f1 failed:", e)
} else {
fmt.Println("f1 worked:", r)
}
}
for _, i := range []int{7, 42} {
if r, e := f2(i); e != nil {
fmt.Println("f2 failed:", e)
} else {
fmt.Println("f2 worked:", r)
}
}
// If you want to programmatically use the data in
// a custom error, you'll need to get the error as an
// instance of the custom error type via type
// assertion.
_, e := f2(42)
if ae, ok := e.(*argError); ok {
fmt.Println(ae.arg)
fmt.Println(ae.prob)
}
}
執行上面程式碼,將得到以下輸出結果 -
F:\worksp\golang>go run errors.go
f1 worked: 10
f1 failed: can't work with 42
f2 worked: 10
f2 failed: 42 - can't work with it
42
can't work with it