mirror of
https://gitlab.com/ric_harvey/MailHog.git
synced 2024-11-24 23:04:03 +00:00
79 lines
2.2 KiB
Go
79 lines
2.2 KiB
Go
package router;
|
|
|
|
import (
|
|
"regexp"
|
|
"net/http"
|
|
)
|
|
|
|
// http://stackoverflow.com/questions/6564558/wildcards-in-the-pattern-for-http-handlefunc
|
|
|
|
type Route struct {
|
|
Methods map[string]int
|
|
Pattern *regexp.Regexp
|
|
Handler HandlerFunc
|
|
}
|
|
|
|
type HandlerFunc func(http.ResponseWriter, *http.Request, *Route)
|
|
|
|
//type Handler http.Handler
|
|
func (f HandlerFunc) ServeHTTP(w http.ResponseWriter, r *http.Request, route *Route) {
|
|
f(w, r, route)
|
|
}
|
|
|
|
type Router struct {
|
|
routes []*Route
|
|
}
|
|
|
|
func (h *Router) Get(pattern string, handler HandlerFunc) {
|
|
h.Handler([]string{"GET"}, regexp.MustCompile(pattern), handler)
|
|
}
|
|
|
|
func (h *Router) Post(pattern string, handler HandlerFunc) {
|
|
h.Handler([]string{"POST"}, regexp.MustCompile(pattern), handler)
|
|
}
|
|
|
|
func (h *Router) Put(pattern string, handler HandlerFunc) {
|
|
h.Handler([]string{"PUT"}, regexp.MustCompile(pattern), handler)
|
|
}
|
|
|
|
func (h *Router) Delete(pattern string, handler HandlerFunc) {
|
|
h.Handler([]string{"DELETE"}, regexp.MustCompile(pattern), handler)
|
|
}
|
|
|
|
func (h *Router) Patch(pattern string, handler HandlerFunc) {
|
|
h.Handler([]string{"PATCH"}, regexp.MustCompile(pattern), handler)
|
|
}
|
|
|
|
func (h *Router) Options(pattern string, handler HandlerFunc) {
|
|
h.Handler([]string{"OPTIONS"}, regexp.MustCompile(pattern), handler)
|
|
}
|
|
|
|
func (h *Router) Handler(methods []string, pattern *regexp.Regexp, handler HandlerFunc) {
|
|
m := make(map[string]int,0)
|
|
for _, v := range methods {
|
|
m[v] = 1
|
|
}
|
|
h.routes = append(h.routes, &Route{m, pattern, handler})
|
|
}
|
|
|
|
func (h *Router) HandleFunc(methods []string, pattern *regexp.Regexp, handler func(http.ResponseWriter, *http.Request, *Route)) {
|
|
m := make(map[string]int,0)
|
|
for _, v := range methods {
|
|
m[v] = 1
|
|
}
|
|
h.routes = append(h.routes, &Route{m, pattern, HandlerFunc(handler)})
|
|
}
|
|
|
|
func (h *Router) ServeHTTP(w http.ResponseWriter, r *http.Request) {
|
|
for _, route := range h.routes {
|
|
if route.Pattern.MatchString(r.URL.Path) {
|
|
_, ok := route.Methods[r.Method]
|
|
if ok {
|
|
route.Handler.ServeHTTP(w, r, route)
|
|
return
|
|
}
|
|
}
|
|
}
|
|
// no pattern matched; send 404 response
|
|
http.NotFound(w, r)
|
|
}
|