// The error built-in interface type is the conventional interface for // representing an error condition, with the nil value representing no error. type error interface { Error() string }error 接口有一个签名为 Error() string 的方法,所有实现该接口的类型都可以当作一个错误类型。Error() 方法给出了错误的描述,在使用 fmt.Println 打印错误时,会在内部调用 Error() string 方法来得到该错误的描述。
package main import ( "errors" "fmt" "math" ) func Sqrt(f float64) (float64, error) { if f < 0 { return -1, errors.New("math: square root of negative number") } return math.Sqrt(f), nil } func main() { result, err := Sqrt(-13) if err != nil { fmt.Println(err) } else { fmt.Println(result) } }运行结果如下:
math: square root of negative number
上面代码中简单介绍了使用 errors.New 来返回一个错误信息,与其他语言的异常相比,Go语言的方法相对更加容易、直观。package main import ( "fmt" "math" ) type dualError struct { Num float64 problem string } func (e dualError) Error() string { return fmt.Sprintf("Wrong!!!,because \"%f\" is a negative number", e.Num) } func Sqrt(f float64) (float64, error) { if f < 0 { return -1, dualError{Num: f} } return math.Sqrt(f), nil } func main() { result, err := Sqrt(-13) if err != nil { fmt.Println(err) } else { fmt.Println(result) } }运行结果如下:
Wrong!!!,because "-13.000000" is a negative number
本文链接:http://task.lmcjl.com/news/16998.html