如何在 Golang 中捕获匿名函数中的异常?

golang 中捕获匿名函数中的异常方法有:使用 defer 和 recover:利用 defer 在函数返回前执行语句,配合 recover 从恐慌的函数调用中恢复执行。

如何在 Golang 中捕获匿名函数中的异常?

如何在 Golang 中捕获匿名函数中的异常?

Golang 中,匿名函数是未附有名称的函数,可作为其他函数的输入、输出或闭包的一部分。虽然匿名函数非常方便,但捕获其中发生的异常却并非易事。

使用 defer 和 recover

要捕获匿名函数中的异常,可以使用 defer 和 recover 机制。defer 会在函数返回前执行附加的语句,而 recover 会从引起恐慌的函数调用中恢复执行。

代码示例:

import (
    "fmt"
    "runtime"
)

func tryCatch(f func()) {
    defer func() {
        if r := recover(); r != nil {
            fmt.Printf("Caught panic: %v\n", r)
            for entry := runtime.CallersFrames(2); !entry.Next(); {
                fmt.Printf("%v: %s [%s:%d]\n", entry.Function, entry.Args[0], entry.File, entry.Line)
            }
        }
    }()
    f()
}

func main() {
    tryCatch(func() { panic("oh no!") })
    fmt.Println("Exiting...")
}

实战案例:从 HTTP 处理程序恢复

HTTP 处理程序中,可以使用此技术从异常中恢复,并返回适当的响应,而不是让服务器崩溃。

代码示例:

import (
    "fmt"
    "net/http"
)

func handlePanic(w http.ResponseWriter, r *http.Request, next http.HandlerFunc) {
    defer func() {
        if r := recover(); r != nil {
            http.Error(w, "Internal Server Error", http.StatusInternalServerError)
            fmt.Printf("Caught panic: %v\n", r)
        }
    }()
    next(w, r)
}

以上就是如何在 Golang 中捕获匿名函数中的异常?的详细内容,更多请关注www.sxiaw.com其它相关文章!