errors包一般只在demo程序上用来创建一个简单的error返回
(1) errors.New()
创建满足error接口的实例
import "errors"
func Foo(param int)(n int, err error) {
// ...
// 可以通过errors.New()来创建error实例
return nil, errors.New("出错了")
}
func main() {
n, err := Foo(0) // 调用时的代码建议按如下方式处理错误情况:
if err != nil {
fmt.Println(err)
return
}
// ...
}
(2) 自定义Error
package main
import (
"fmt"
"os"
"time"
)
type PathError struct {
path string
op string
createTime string
message string
}
// 定义Error方法, 就实现了error接口
func (p *PathError) Error() string {
return fmt.Sprintf("path=%s \nop=%s \ncreateTime=%s \nmessage=%s", p.path,
p.op, p.createTime, p.message)
}
func Open(filename string) error {
file, err := os.Open(filename)
if err != nil {
return &PathError{
path: filename,
op: "read",
message: err.Error(),
createTime: fmt.Sprintf("%v", time.Now()),
}
}
defer file.Close()
return nil
}
func main() {
err := Open("/Users/5lmh/Desktop/go/src/test.txt")
switch v := err.(type) {
case *PathError:
fmt.Println("get path error,", v)
default:
}
}