猿问

没有处理程序的 Mux 中间件

我正在使用微服务架构构建应用程序。在网关上,我确实想将请求路由到正确的端点。


但是,端点现在在运行时已知,需要在数据库中进行配置。


下面是获取路由器的代码。


func getRouter() *mux.Router {

    r := mux.NewRouter()


    r.Use(dynamicRouteMiddleware)


    return r

}

中间件本身是这样的:


func dynamicRouteMiddleware(next http.Handler) http.Handler {

    return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {

        fmt.Println("Error")

    })

}

但是,永远不会打印“错误”。仅当我为“/”放置处理程序时才会打印


如何创建没有处理程序的中间件?


元芳怎么了
浏览 127回答 2
2回答

当年话下

它被称为“中间件”,因为它应该把你Handler放在“中间”。它在您的之前接收输入Handler,并接收您的输出Handler。本质上,要让你的中间件工作,你需要至少有一个处理程序。最好你可以只使用你在处理程序而不是中间件中需要的这个功能。

萧十郎

在中间件上,您需要调用处理程序next,以便所有传入请求都将继续到目标路由。func dynamicRouteMiddleware(next http.Handler) http.Handler {&nbsp; &nbsp; return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {&nbsp; &nbsp; &nbsp; &nbsp; fmt.Println("Error")&nbsp; &nbsp; &nbsp; &nbsp; next.ServeHTTP(w, r) // <------- this one&nbsp; &nbsp; })}您可以根据需要注册任何路由,但最后要确保该r对象用作/路由的处理程序。r.HandleFunc("/test", func(w http.ResponseWriter, r *http.Request) {&nbsp; &nbsp; w.Write([]byte("test"))})r.HandleFunc("/test/12", func(w http.ResponseWriter, r *http.Request) {&nbsp; &nbsp; w.Write([]byte("test 12"))})r.HandleFunc("/about-us", func(w http.ResponseWriter, r *http.Request) {&nbsp; &nbsp; w.Write([]byte("about us"))})http.Handle("/", r)http.ListenAndServe(":8080", nil)当您访问/test, /test/12, 或/about-us; 仍将Error打印。以前它不会打印,因为您不会继续执行下一个处理程序。该代码next.ServeHTTP(w, r)在您的情况下是强制性的。
随时随地看视频慕课网APP

相关分类

Go
我要回答