我想知道是否有可能从恐慌中恢复过来。似乎GAE拥有它自己的panic recovery机制,但我无法在我的应用程序中找到任何钩子来处理它。
答案 0 :(得分:1)
AppEngine webapp中的处理程序的注册方式与普通Go应用程序中的处理程序相同。您不必明确地调用http.ListenAndServe()
(因为它将由平台调用),并且处理程序注册发生在init()
函数中(不在main()
中)。
话虽如此,同样的恐慌恢复包装也适用于AppEngine,不幸的是没有其他更好的方法。
看一下这个例子:它使用一个注册了HandleFunc()
的函数和一个注册Handler
的Handle()
来处理2个URL模式,但两者都故意恐慌(他们拒绝提供服务) ):
func myHandleFunc(w http.ResponseWriter, r *http.Request) {
panic("I'm myHandlerFunc and I refuse to serve!")
}
type MyHandler int
func (m *MyHandler) ServeHTTP(w http.ResponseWriter, r *http.Request) {
panic("I'm MyHandler and I refuse to serve!")
}
func main() {
http.HandleFunc("/myfunc", myHandleFunc)
http.Handle("/myhandler", new(MyHandler))
panic(http.ListenAndServe(":8080", nil))
}
将浏览器定向到http://localhost:8080/myfunc
和http://localhost:8080/myhandler
会导致HTTP 500状态:内部服务器错误(或根据您检查位置的空响应)。
一般的想法是使用recover
来“抓住”处理程序中的恐慌(spec: Handling panics)。我们可以以一种方式“包装”句柄函数或处理程序,即使函数的其余部分发生混乱,我们首先注册一个被调用的defer
语句,并且我们从panicing状态中恢复。
见这两个功能:
func protectFunc(hf func(http.ResponseWriter,
*http.Request)) func(http.ResponseWriter, *http.Request) {
return func(w http.ResponseWriter, r *http.Request) {
defer func() {
r := recover()
if r != nil {
// hf() paniced, we just recovered from it.
// Handle error somehow, serve custom error page.
w.Write([]byte("Something went bad but I recovered and sent this!"))
}
}()
hf(w, r)
}
}
func protectHandler(h http.Handler) http.Handler {
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
defer func() {
r := recover()
if r != nil {
// h.ServeHTTP() paniced, we just recovered from it.
// Handle error somehow, serve custom error page.
w.Write([]byte("Something went bad but I recovered and sent this!"))
}
}()
h.ServeHTTP(w, r)
})
}
第一个接受一个函数并返回一个函数,该函数调用我们传递的函数,但是如果启动了函数则从panicing状态恢复。
第二个接受Handler
并返回另一个Handler
,它同样调用传递的一个,但也处理恐慌并恢复正常执行。
现在,如果我们注册处理程序函数和受这些方法保护的Handler
,注册的处理程序将永远不会出现恐慌(假设恢复正常执行后的代码不会出现紧急情况):
http.HandleFunc("/myfunc-protected", protectFunc(myHandleFunc))
http.Handle("/myhandler-protected", protectHandler(new(MyHandler)))
访问http://localhost:8080/myfunc-protected
和http://localhost:8080/myhandler-protected
网址会产生HTTP 200状态(确定),并显示以下消息:
Something went bad but I recovered and sent this!