Documentation
¶
Index ¶
- Constants
- Variables
- func CleanPath(p string) string
- func Has(t *Tree, method, path string) bool
- func Lookup(t *Tree, method, path string, lazy bool) (handler Handler, params *Params, tsr bool)
- func Reverse(t *Tree, method, path string) string
- func Walk(tree *Tree, fn WalkFunc) error
- type Handler
- type HandlerFunc
- type Iterator
- func (it *Iterator) Handler() Handler
- func (it *Iterator) Method() string
- func (it *Iterator) Next()
- func (it *Iterator) Path() string
- func (it *Iterator) Rewind()
- func (it *Iterator) SeekMethod(method string)
- func (it *Iterator) SeekMethodPrefix(method, key string)
- func (it *Iterator) SeekPrefix(key string)
- func (it *Iterator) Valid() bool
- type Option
- func WithHandleMethodNotAllowed(enable bool) Option
- func WithNotAllowedHandler(handler http.Handler) Option
- func WithNotFoundHandler(handler http.Handler) Option
- func WithPanicHandler(fn func(http.ResponseWriter, *http.Request, interface{})) Option
- func WithRedirectFixedPath(enable bool) Option
- func WithRedirectTrailingSlash(enable bool) Option
- func WithSaveMatchedRoute(enable bool) Option
- type Param
- type Params
- type RouteConflictError
- type Router
- func (fox *Router) Handler(method, path string, handler Handler) error
- func (fox *Router) NewTree() *Tree
- func (fox *Router) Remove(method, path string) error
- func (fox *Router) ServeHTTP(w http.ResponseWriter, r *http.Request)
- func (fox *Router) Swap(new *Tree) (old *Tree)
- func (fox *Router) Tree() *Tree
- func (fox *Router) Update(method, path string, handler Handler) error
- func (fox *Router) Use(new *Tree)
- type Tree
- type WalkFunc
Examples ¶
Constants ¶
const RouteKey = "$k/fox"
Variables ¶
var ( ErrRouteNotFound = errors.New("route not found") ErrRouteExist = errors.New("route already registered") ErrRouteConflict = errors.New("route conflict") ErrInvalidRoute = errors.New("invalid route") )
var ParamsKey = key{}
var SkipMethod = errors.New("skip method")
SkipMethod is used as a return value from WalkFunc to indicate that the method named in the call is to be skipped.
Functions ¶
func CleanPath ¶
CleanPath is the URL version of path.Clean, it returns a canonical URL path for p, eliminating . and .. elements.
The following rules are applied iteratively until no further processing can be done:
- Replace multiple slashes with a single slash.
- Eliminate each . path name element (the current directory).
- Eliminate each inner .. path name element (the parent directory) along with the non-.. element that precedes it.
- Eliminate .. elements that begin a rooted path: that is, replace "/.." by "/" at the beginning of a path.
If the result of this process is an empty string, "/" is returned
func Has ¶ added in v0.5.0
Has allows to check if the given method and path exactly match a registered route. This function is safe for concurrent use by multiple goroutine and while mutation on Tree are ongoing. This api is EXPERIMENTAL and is likely to change in future release.
func Lookup ¶ added in v0.5.0
Lookup allow to do manual lookup of a route and return the matched handler along with parsed params and trailing slash redirect recommendation. Note that you should always free Params if NOT nil by calling params.Free(t). If lazy is set to true, route params are not parsed. This function is safe for concurrent use by multiple goroutine and while mutation on Tree are ongoing.
Example ¶
This example demonstrates some important considerations when using the Lookup function.
r := New() _ = r.Handler(http.MethodGet, "/hello/:name", HandlerFunc(func(w http.ResponseWriter, r *http.Request, params Params) { _, _ = fmt.Fprintf(w, "Hello, %s\n", params.Get("name")) })) req := httptest.NewRequest(http.MethodGet, "/hello/fox", nil) // Each tree as its own sync.Pool that is used to reuse Params slice. Since the router tree may be swapped at // any given time, it's recommended to copy the pointer locally so when the params is released, // it returns to the correct pool. tree := r.Tree() handler, params, _ := Lookup(tree, http.MethodGet, req.URL.Path, false) // If not nit, Params should be freed to reduce memory allocation. if params != nil { defer params.Free(tree) } // Bad, instead make a local copy of the tree! handler, params, _ = Lookup(r.Tree(), http.MethodGet, req.URL.Path, false) if params != nil { defer params.Free(r.Tree()) } w := httptest.NewRecorder() handler.ServeHTTP(w, req, nil) fmt.Print(w.Body.String())
Output:
func Reverse ¶ added in v0.5.0
Reverse perform a lookup on the tree for the given method and path and return the matching registered route if any. This function is safe for concurrent use by multiple goroutine and while mutation on Tree are ongoing. This api is EXPERIMENTAL and is likely to change in future release.
func Walk ¶ added in v0.5.0
Walk allow to walk over all registered route in lexicographical order. If the function return the special value SkipMethod, Walk skips the current method. This function is safe for concurrent use by multiple goroutine and while mutation are ongoing. This api is EXPERIMENTAL and is likely to change in future release.
Types ¶
type Handler ¶
type Handler interface {
ServeHTTP(http.ResponseWriter, *http.Request, Params)
}
Handler respond to an HTTP request.
This interface enforce the same contract as http.Handler except that matched wildcard route segment are accessible via params. Params slice is freed once ServeHTTP returns and may be reused later to save resource. Therefore, if you need to hold params slice longer, you have to copy it (see Clone method).
As for http.Handler interface, to abort a handler so the client sees an interrupted response, panic with the value http.ErrAbortHandler.
func WrapF ¶
func WrapF(f http.HandlerFunc) Handler
WrapF is a helper function for wrapping http.HandlerFunc and returns a Fox Handler. Params are forwarded via the request context. See ParamsFromContext to retrieve parameters.
type HandlerFunc ¶
type HandlerFunc func(http.ResponseWriter, *http.Request, Params)
HandlerFunc is an adapter to allow the use of ordinary functions as HTTP handlers. If f is a function with the appropriate signature, HandlerFunc(f) is a Handler that calls f.
func (HandlerFunc) ServeHTTP ¶
func (f HandlerFunc) ServeHTTP(w http.ResponseWriter, r *http.Request, params Params)
ServerHTTP calls f(w, r, params)
type Iterator ¶ added in v0.3.0
type Iterator struct {
// contains filtered or unexported fields
}
func NewIterator ¶ added in v0.5.0
NewIterator returns an Iterator that traverses all registered routes in lexicographic order. An Iterator is safe to use when the router is serving request, when routing updates are ongoing or in parallel with other Iterators. Note that changes that happen while iterating over routes may not be reflected by the Iterator. This api is EXPERIMENTAL and is likely to change in future release.
Example ¶
r := New() it := NewIterator(r.Tree()) // Iterate over all routes for it.Rewind(); it.Valid(); it.Next() { fmt.Println(it.Method(), it.Path()) } // Iterate over all routes for the GET method for it.SeekMethod(http.MethodGet); it.Valid(); it.Next() { fmt.Println(it.Method(), it.Path()) } // Iterate over all routes starting with /users for it.SeekPrefix("/users"); it.Valid(); it.Next() { fmt.Println(it.Method(), it.Path()) } // Iterate over all route starting with /users for the GET method for it.SeekMethodPrefix(http.MethodGet, "/user"); it.Valid(); it.Next() { fmt.Println(it.Method(), it.Path()) }
Output:
func (*Iterator) Handler ¶ added in v0.3.0
Handler return the registered handler for the current route.
func (*Iterator) Next ¶ added in v0.3.0
func (it *Iterator) Next()
Next advance the iterator to the next route. Always check it.Valid() after a it.Next().
func (*Iterator) Rewind ¶ added in v0.3.0
func (it *Iterator) Rewind()
Rewind reset the iterator cursor all the way to zero-th position which is the first method and route. It does not keep track of whether the cursor started with SeekPrefix, SeekMethod or SeekMethodPrefix.
func (*Iterator) SeekMethod ¶ added in v0.3.0
SeekMethod reset the iterator cursor to the first route for the given method. It does not keep tracking of previous seek.
func (*Iterator) SeekMethodPrefix ¶ added in v0.3.0
SeekMethodPrefix reset the iterator cursor to the first route starting with key for the given method. It does not keep tracking of previous seek.
func (*Iterator) SeekPrefix ¶ added in v0.3.0
SeekPrefix reset the iterator cursor to the first route starting with key. It does not keep tracking of previous seek.
type Option ¶ added in v0.5.0
type Option interface {
// contains filtered or unexported methods
}
func WithHandleMethodNotAllowed ¶ added in v0.5.0
WithHandleMethodNotAllowed enable to returns 405 Method Not Allowed instead of 404 Not Found when the route exist for another http verb.
func WithNotAllowedHandler ¶ added in v0.5.0
WithNotAllowedHandler register a http.Handler which is called when the request cannot be routed, but the same route exist for other methods. The "Allow" header it automatically set before calling the handler. Mount WithHandleMethodNotAllowed to enable this option. By default, http.Error with http.StatusMethodNotAllowed is used.
func WithNotFoundHandler ¶ added in v0.5.0
WithNotFoundHandler register a http.Handler which is called when no matching route is found. By default, http.NotFound is used.
func WithPanicHandler ¶ added in v0.5.0
func WithPanicHandler(fn func(http.ResponseWriter, *http.Request, interface{})) Option
WithPanicHandler register a function to handle panics recovered from http handlers.
func WithRedirectFixedPath ¶ added in v0.5.0
WithRedirectFixedPath enable automatic redirection fallback when the current request does not match but another handler is found after cleaning up superfluous path elements (see CleanPath). E.g. /../foo/bar request does not match but /foo/bar would. The client is redirected with a http status code 301 for GET requests and 308 for all other methods.
func WithRedirectTrailingSlash ¶ added in v0.5.0
WithRedirectTrailingSlash enable automatic redirection fallback when the current request does not match but another handler is found with/without an additional trailing slash. E.g. /foo/bar/ request does not match but /foo/bar would match. The client is redirected with a http status code 301 for GET requests and 308 for all other methods.
func WithSaveMatchedRoute ¶ added in v0.5.0
WithSaveMatchedRoute configure the router to make the matched route accessible as a Handler parameter. Usage: p.Get(fox.RouteKey)
type Params ¶
type Params []Param
func ParamsFromContext ¶
ParamsFromContext is a helper function to retrieve parameters from the request context.
type RouteConflictError ¶
type RouteConflictError struct { Method string Path string Matched []string // contains filtered or unexported fields }
func (*RouteConflictError) Error ¶
func (e *RouteConflictError) Error() string
func (*RouteConflictError) Unwrap ¶
func (e *RouteConflictError) Unwrap() error
type Router ¶
type Router struct {
// contains filtered or unexported fields
}
Router is a lightweight high performance HTTP request router that support mutation on its routing tree while handling request concurrently.
func New ¶
New returns a ready to use Router.
Example ¶
When WithSaveMatchedRoute is enabled, the route matching the current request will be available in parameters.
r := New(WithSaveMatchedRoute(true)) metrics := func(next HandlerFunc) Handler { return HandlerFunc(func(w http.ResponseWriter, r *http.Request, params Params) { start := time.Now() next.ServeHTTP(w, r, params) log.Printf("url=%s; route=%s; time=%d", r.URL, params.Get(RouteKey), time.Since(start)) }) } _ = r.Handler(http.MethodGet, "/hello/:name", metrics(func(w http.ResponseWriter, r *http.Request, params Params) { _, _ = fmt.Fprintf(w, "Hello %s\n", params.Get("name")) }))
Output:
func (*Router) Handler ¶
Handler registers a new handler for the given method and path. This function return an error if the route is already registered or conflict with another. It's perfectly safe to add a new handler while the tree is in use for serving requests. This function is safe for concurrent use by multiple goroutine. To override an existing route, use Update.
func (*Router) NewTree ¶ added in v0.5.0
NewTree returns a fresh routing Tree which allow to register, update and delete route. It's safe to create multiple Tree concurrently. However, a Tree itself is not thread safe and all its APIs should be run serially. Note that a Tree give direct access to the underlying sync.Mutex. This api is EXPERIMENTAL and is likely to change in future release.
func (*Router) Remove ¶
Remove delete an existing handler for the given method and path. If the route does not exist, the function return an ErrRouteNotFound. It's perfectly safe to remove a handler while the tree is in use for serving requests. This function is safe for concurrent use by multiple goroutine.
func (*Router) Swap ¶ added in v0.5.0
Swap atomically replaces the currently in-use routing tree with the provided new tree, and returns the previous tree. This API is EXPERIMENTAL and is likely to change in future release.
func (*Router) Tree ¶ added in v0.5.0
Tree atomically loads and return the currently in-use routing tree. This API is EXPERIMENTAL and is likely to change in future release.
Example ¶
This example demonstrates some important considerations when using the Tree API.
r := New() // Each tree as its own sync.Mutex that is used to lock write on the tree. Since the router tree may be swapped at // any given time, you MUST always copy the pointer locally, This ensures that you do not inadvertently cause a // deadlock by locking/unlocking the wrong tree. tree := r.Tree() upsert := func(method, path string, handler Handler) error { tree.Lock() defer tree.Unlock() if Has(tree, method, path) { return tree.Update(method, path, handler) } return tree.Handler(method, path, handler) } _ = upsert(http.MethodGet, "/foo/bar", HandlerFunc(func(w http.ResponseWriter, r *http.Request, params Params) { _, _ = fmt.Fprintln(w, "foo bar") })) // Bad, instead make a local copy of the tree! upsert = func(method, path string, handler Handler) error { r.Tree().Lock() defer r.Tree().Unlock() if Has(r.Tree(), method, path) { return r.Tree().Update(method, path, handler) } return r.Tree().Handler(method, path, handler) }
Output:
func (*Router) Update ¶
Update override an existing handler for the given method and path. If the route does not exist, the function return an ErrRouteNotFound. It's perfectly safe to update a handler while the tree is in use for serving requests. This function is safe for concurrent use by multiple goroutine. To add new handler, use Handler method.
type Tree ¶ added in v0.5.0
Tree implements a Concurrent Radix Tree that supports lock-free reads while allowing concurrent writes. The caller is responsible for ensuring that all writes are run serially.
IMPORTANT: Each tree as its own sync.Mutex and sync.Pool that may be used to serialize write and reduce memory allocation. Since the router tree may be swapped at any given time, you MUST always copy the pointer locally to avoid inadvertently releasing Params to the wrong pool or worst, causing a deadlock by locking/unlocking the wrong Tree.
Good: t := r.Tree() t.Lock() defer t.Unlock()
Dramatically bad, may cause deadlock r.Tree().Lock() defer r.Tree().Unlock()
This principle also applies to the Lookup function, which requires releasing the Params slice, if not nil, by calling params.Free(tree). Always ensure that the Tree pointer passed as a parameter to params.Free is the same as the one passed to the Lookup function.
func (*Tree) Handler ¶ added in v0.5.0
Handler registers a new handler for the given method and path. This function return an error if the route is already registered or conflict with another. It's perfectly safe to add a new handler while the tree is in use for serving requests. However, this function is NOT thread safe and should be run serially, along with all other Tree's APIs. To override an existing route, use Update.
func (*Tree) Remove ¶ added in v0.5.0
Remove delete an existing handler for the given method and path. If the route does not exist, the function return an ErrRouteNotFound. It's perfectly safe to remove a handler while the tree is in use for serving requests. However, this function is NOT thread safe and should be run serially, along with all other Tree's APIs.
func (*Tree) Update ¶ added in v0.5.0
Update override an existing handler for the given method and path. If the route does not exist, the function return an ErrRouteNotFound. It's perfectly safe to update a handler while the tree is in use for serving requests. However, this function is NOT thread safe and should be run serially, along with all other Tree's APIs. To add new handler, use Handler method.