log.fatal和panic的区别
log.fatal(err)
panic(err)
简单来说就是: 第一种在报错之后会立即终止整个程序(不执行defer)。 第二种在报错之后会终止当前报错的协程,然后返回到调用此函数的入口处继续执行。
log.fatal方法首先看log.fatal方法的定义:
func Fatal(v ...any) {
std.Output(2, fmt.Sprint(v...))
os.Exit(1)
}
可以看到log.fatal主要做了以下三点:
- 打印输出内容。
- 退出应用程序。
- 不执行defer方法。
从源码中可以看出,log.fatal就是比os.Exit(1)多做了一步打印出错误内容。
panic方法再看一下panic方法的定义:
// The panic built-in function stops normal execution of the current
// goroutine. When a function F calls panic, normal execution of F stops
// immediately. Any functions whose execution was deferred by F are run in
// the usual way, and then F returns to its caller. To the caller G, the
// invocation of F then behaves like a call to panic, terminating G's
// execution and running any deferred functions. This continues until all
// functions in the executing goroutine have stopped, in reverse order. At
// that point, the program is terminated with a non-zero exit code. This
// termination sequence is called panicking and can be controlled by the
// built-in function recover.
func panic(v any)
从注释出看出panic是:
- 当前函数立刻会停止执行(不是主程序)。
- 执行defer方法。
- 返回给调用者caller。
- 调用函数假装也收到了panic方法,从而他们也会执行以上的操作。
- 递归执行,直到最上层函数,如果都没函数处理这个异常,应用程序就会停止。
panic类似于其他语言里面的 try catch。