Documentation
¶
Index ¶
- Constants
- Variables
- func CleanPath(p string) string
- func Has(t *Tree, method, path string) bool
- func NewTestContext(w http.ResponseWriter, r *http.Request) (*Router, Context)
- func Reverse(t *Tree, method, path string) string
- func Walk(tree *Tree, fn WalkFunc) error
- type Context
- type ContextCloser
- type ErrorHandlerFunc
- type HTTPError
- type HandlerFunc
- type Iterator
- func (it *Iterator) Handler() HandlerFunc
- 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 MiddlewareFunc
- type Option
- func DefaultOptions() Option
- func WithHandleMethodNotAllowed(enable bool) Option
- func WithMethodNotAllowed(handler HandlerFunc, m ...MiddlewareFunc) Option
- func WithMiddleware(m ...MiddlewareFunc) Option
- func WithRedirectFixedPath(enable bool) Option
- func WithRedirectTrailingSlash(enable bool) Option
- func WithRouteError(handler ErrorHandlerFunc) Option
- func WithRouteNotFound(handler HandlerFunc, m ...MiddlewareFunc) Option
- type Param
- type Params
- type RecoveryFunc
- type ResponseWriter
- type RouteConflictError
- type Router
- func (fox *Router) Handle(method, path string, handler HandlerFunc) error
- func (fox *Router) MustHandle(method, path string, handler HandlerFunc)
- 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 HandlerFunc) error
- type Tree
- type WalkFunc
Examples ¶
Constants ¶
const ( MIMEApplicationJSON = "application/json" MIMEApplicationJSONCharsetUTF8 = MIMEApplicationJSON + "; " + charsetUTF8 MIMEApplicationJavaScript = "application/javascript" MIMEApplicationJavaScriptCharsetUTF8 = MIMEApplicationJavaScript + "; " + charsetUTF8 MIMEApplicationXML = "application/xml" MIMEApplicationXMLCharsetUTF8 = MIMEApplicationXML + "; " + charsetUTF8 MIMETextXML = "text/xml" MIMETextXMLCharsetUTF8 = MIMETextXML + "; " + charsetUTF8 MIMEApplicationForm = "application/x-www-form-urlencoded" MIMEApplicationProtobuf = "application/protobuf" MIMEApplicationMsgpack = "application/msgpack" MIMETextHTML = "text/html" MIMETextHTMLCharsetUTF8 = MIMETextHTML + "; " + charsetUTF8 MIMETextPlain = "text/plain" MIMETextPlainCharsetUTF8 = MIMETextPlain + "; " + charsetUTF8 MIMEMultipartForm = "multipart/form-data" MIMEOctetStream = "application/octet-stream" )
MIME types
const ( HeaderAccept = "Accept" HeaderAcceptEncoding = "Accept-Encoding" // HeaderAllow is the name of the "Allow" header field used to list the set of methods // advertised as supported by the target resource. Returning an Allow header is mandatory // for status 405 (method not found) and useful for the OPTIONS method in responses. // See RFC 7231: https://datatracker.ietf.org/doc/html/rfc7231#section-7.4.1 HeaderAllow = "Allow" HeaderAuthorization = "Authorization" HeaderContentDisposition = "Content-Disposition" HeaderContentEncoding = "Content-Encoding" HeaderContentLength = "Content-Length" HeaderContentType = "Content-Type" HeaderCookie = "Cookie" HeaderSetCookie = "Set-Cookie" HeaderIfModifiedSince = "If-Modified-Since" HeaderLastModified = "Last-Modified" HeaderLocation = "Location" HeaderRetryAfter = "Retry-After" HeaderUpgrade = "Upgrade" HeaderVary = "Vary" HeaderWWWAuthenticate = "WWW-Authenticate" HeaderXForwardedFor = "X-Forwarded-For" HeaderXForwardedProto = "X-Forwarded-Proto" HeaderXForwardedProtocol = "X-Forwarded-Protocol" HeaderXForwardedSsl = "X-Forwarded-Ssl" HeaderXUrlScheme = "X-Url-Scheme" HeaderXHTTPMethodOverride = "X-HTTP-Method-Override" HeaderXRealIP = "X-Real-Ip" HeaderXRequestID = "X-Request-Id" HeaderXCorrelationID = "X-Correlation-Id" HeaderXRequestedWith = "X-Requested-With" HeaderServer = "Server" HeaderOrigin = "Origin" HeaderCacheControl = "Cache-Control" HeaderConnection = "Connection" // Access control HeaderAccessControlRequestMethod = "Access-Control-Request-Method" HeaderAccessControlRequestHeaders = "Access-Control-Request-Headers" HeaderAccessControlAllowOrigin = "Access-Control-Allow-Origin" HeaderAccessControlAllowMethods = "Access-Control-Allow-Methods" HeaderAccessControlAllowHeaders = "Access-Control-Allow-Headers" HeaderAccessControlAllowCredentials = "Access-Control-Allow-Credentials" HeaderAccessControlExposeHeaders = "Access-Control-Expose-Headers" HeaderAccessControlMaxAge = "Access-Control-Max-Age" // Security HeaderStrictTransportSecurity = "Strict-Transport-Security" HeaderXContentTypeOptions = "X-Content-Type-Options" HeaderXXSSProtection = "X-XSS-Protection" HeaderXFrameOptions = "X-Frame-Options" HeaderContentSecurityPolicy = "Content-Security-Policy" HeaderContentSecurityPolicyReportOnly = "Content-Security-Policy-Report-Only" // nolint:gosec HeaderXCSRFToken = "X-CSRF-Token" HeaderReferrerPolicy = "Referrer-Policy" )
Headers
Variables ¶
var ( ErrRouteNotFound = errors.New("route not found") ErrRouteExist = errors.New("route already registered") ErrRouteConflict = errors.New("route conflict") ErrInvalidRoute = errors.New("invalid route") ErrDiscardedResponseWriter = errors.New("discarded response writer") ErrInvalidRedirectCode = errors.New("invalid redirect code") )
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 NewTestContext ¶ added in v0.7.0
NewTestContext returns a new Router and its associated Context, designed only for testing purpose.
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 Context ¶ added in v0.7.0
type Context interface { // Done returns a channel that closes when the request's context is // cancelled or times out. Done() <-chan struct{} // Request returns the current *http.Request. Request() *http.Request // SetRequest sets the *http.Request. SetRequest(r *http.Request) // Writer returns the ResponseWriter. Writer() ResponseWriter // SetWriter sets the ResponseWriter. SetWriter(w ResponseWriter) // Path returns the registered path for the handler. Path() string // Params returns a Params slice containing the matched // wildcard parameters. Params() Params // Param retrieve a matching wildcard parameter by name. Param(name string) string // QueryParams parses the Request RawQuery and returns the corresponding values. QueryParams() url.Values // QueryParam returns the first query value associated with the given key. QueryParam(name string) string // String sends a formatted string with the specified status code. String(code int, format string, values ...any) error // Blob sends a byte slice with the specified status code and content type. Blob(code int, contentType string, buf []byte) error // Stream sends data from an io.Reader with the specified status code and content type. Stream(code int, contentType string, r io.Reader) error // Redirect sends an HTTP redirect response with the given status code and URL. Redirect(code int, url string) error // Clone returns a copy of the Context that is safe to use after the HandlerFunc returns. Clone() Context // Tree is a local copy of the Tree in use to serve the request. Tree() *Tree // Fox returns the Router in use to serve the request. Fox() *Router }
Context represents the context of the current HTTP request. It provides methods to access request data and to write a response.
func NewTestContextOnly ¶ added in v0.7.0
type ContextCloser ¶ added in v0.7.0
type ContextCloser interface { Context Close() }
ContextCloser extends Context for manually created instances, adding a Close method to release resources after use.
type ErrorHandlerFunc ¶ added in v0.7.0
ErrorHandlerFunc is a function type that handles errors returned by a HandlerFunc. It receives the Context and the error returned by the HandlerFunc, allowing centralized error management and custom error handling.
func RouteErrorHandler ¶ added in v0.7.0
func RouteErrorHandler() ErrorHandlerFunc
RouteErrorHandler returns an ErrorHandlerFunc that handle HandlerFunc error.
type HTTPError ¶ added in v0.7.0
HTTPError represents an HTTP error with a status code (HTTPErrorCode) and an optional error message. If no error message is provided, the default error message for the status code will be used.
func NewHTTPError ¶ added in v0.7.0
NewHTTPError creates a new HTTPError with the given status code and an optional error message.
type HandlerFunc ¶
HandlerFunc is a function type that responds to an HTTP request. It enforces the same contract as http.Handler but provides additional feature like matched wildcard route segments via the Context type. The Context is freed once the HandlerFunc returns and may be reused later to save resources. If you need to hold the context longer, you have to copy it (see Clone method).
The function may return an error that can be propagated through the middleware chain and handled by the registered ErrorHandlerFunc, which is set using the WithRouteError option.
Similar to http.Handler, to abort a HandlerFunc so the client sees an interrupted response, panic with the value http.ErrAbortHandler.
HandlerFunc functions should be thread-safe, as they will be called concurrently.
func MethodNotAllowedHandler ¶ added in v0.7.0
func MethodNotAllowedHandler() HandlerFunc
MethodNotAllowedHandler returns a simple HandlerFunc that replies to each request with a “405 Method Not Allowed” reply.
func NotFoundHandler ¶ added in v0.7.0
func NotFoundHandler() HandlerFunc
NotFoundHandler returns a simple HandlerFunc that replies to each request with a “404 page not found” reply.
func WrapF ¶
func WrapF(f http.HandlerFunc) HandlerFunc
WrapF is an adapter for wrapping http.HandlerFunc and returns a HandlerFunc function.
func WrapH ¶
func WrapH(h http.Handler) HandlerFunc
WrapH is an adapter for wrapping http.Handler and returns a HandlerFunc function.
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
func (it *Iterator) Handler() HandlerFunc
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 MiddlewareFunc ¶ added in v0.7.0
type MiddlewareFunc func(next HandlerFunc) HandlerFunc
MiddlewareFunc is a function type for implementing HandlerFunc middleware. The returned HandlerFunc usually wraps the input HandlerFunc, allowing you to perform operations before and/or after the wrapped HandlerFunc is executed. MiddlewareFunc functions should be thread-safe, as they will be called concurrently.
func Recovery ¶ added in v0.7.0
func Recovery(handle RecoveryFunc) MiddlewareFunc
Recovery is a middleware that captures panics and recovers from them. It takes a custom handle function that will be called with the Context and the value recovered from the panic. Note that the middleware check if the panic is caused by http.ErrAbortHandler and re-panic if true allowing the http server to handle it as an abort.
type Option ¶ added in v0.5.0
type Option interface {
// contains filtered or unexported methods
}
func DefaultOptions ¶ added in v0.7.0
func DefaultOptions() Option
DefaultOptions configure the router to use the Recovery middleware.
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 WithMethodNotAllowed ¶ added in v0.7.0
func WithMethodNotAllowed(handler HandlerFunc, m ...MiddlewareFunc) Option
WithMethodNotAllowed register an HandlerFunc 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. Set WithHandleMethodNotAllowed to enable this option. By default, the MethodNotAllowedHandler is used.
func WithMiddleware ¶ added in v0.7.0
func WithMiddleware(m ...MiddlewareFunc) Option
WithMiddleware attaches a global middleware to the router. Middlewares provided will be chained in the order they were added. Note that it does NOT apply the middlewares to the NotFound and MethodNotAllowed handlers.
Example ¶
// Define a custom middleware to measure the time taken for request processing and // log the URL, route, time elapsed, and status code metrics := func(next HandlerFunc) HandlerFunc { return func(c Context) error { start := time.Now() err := next(c) log.Printf("url=%s; route=%s; time=%d; status=%d", c.Request().URL, c.Path(), time.Since(start), c.Writer().Status()) return err } } r := New(WithMiddleware(metrics)) r.MustHandle(http.MethodGet, "/hello/{name}", func(c Context) error { return c.String(200, "Hello %s\n", c.Param("name")) })
Output:
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 WithRouteError ¶ added in v0.7.0
func WithRouteError(handler ErrorHandlerFunc) Option
WithRouteError register an ErrorHandlerFunc which is called when an HandlerFunc returns an error. By default, the RouteErrorHandler is used.
func WithRouteNotFound ¶ added in v0.7.0
func WithRouteNotFound(handler HandlerFunc, m ...MiddlewareFunc) Option
WithRouteNotFound register an HandlerFunc which is called when no matching route is found. By default, the NotFoundHandler is used.
type RecoveryFunc ¶ added in v0.7.0
RecoveryFunc is a function type that defines how to handle panics that occur during the handling of an HTTP request.
type ResponseWriter ¶ added in v0.7.0
type ResponseWriter interface { http.ResponseWriter // Status recorded after Write and WriteHeader. Status() int // Written returns true if the response has been written. Written() bool // Size returns the size of the written response. Size() int // Unwrap returns the underlying http.ResponseWriter. Unwrap() http.ResponseWriter }
ResponseWriter extends http.ResponseWriter and provides methods to retrieve the recorded status code, written state, and response size.
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 instance of Fox router.
Example ¶
This example demonstrates how to create a simple router using the default options, which include the Recovery middleware. A basic route is defined, along with a custom middleware to log the request metrics.
// Create a new router with default options, which include the Recovery middleware r := New(DefaultOptions()) // Define a custom middleware to measure the time taken for request processing and // log the URL, route, time elapsed, and status code metrics := func(next HandlerFunc) HandlerFunc { return func(c Context) error { start := time.Now() err := next(c) log.Printf("url=%s; route=%s; time=%d; status=%d", c.Request().URL, c.Path(), time.Since(start), c.Writer().Status()) return err } } // Define a route with the path "/hello/{name}", apply the custom "metrics" middleware, // and set a simple handler that greets the user by their name r.MustHandle(http.MethodGet, "/hello/{name}", metrics(func(c Context) error { return c.String(200, "Hello %s\n", c.Param("name")) })) // Start the HTTP server using the router as the handler and listen on port 8080 log.Fatalln(http.ListenAndServe(":8080", r))
Output:
func (*Router) Handle ¶ added in v0.7.0
func (fox *Router) Handle(method, path string, handler HandlerFunc) error
Handle 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) MustHandle ¶ added in v0.7.0
func (fox *Router) MustHandle(method, path string, handler HandlerFunc)
MustHandle registers a new handler for the given method and path. This function is a convenience wrapper for the Handle function. It will panic if the route is already registered or conflicts with another route. 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 goroutines. 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 HandlerFunc) error { tree.Lock() defer tree.Unlock() if Has(tree, method, path) { return tree.Update(method, path, handler) } return tree.Handle(method, path, handler) } _ = upsert(http.MethodGet, "/foo/bar", func(c Context) error { // Note the tree accessible from fox.Context is already a local copy so the golden rule above does not apply. c.Tree().Lock() defer c.Tree().Unlock() return c.String(200, "foo bar") }) // Bad, instead make a local copy of the tree! upsert = func(method, path string, handler HandlerFunc) error { r.Tree().Lock() defer r.Tree().Unlock() if Has(r.Tree(), method, path) { return r.Tree().Update(method, path, handler) } return r.Tree().Handle(method, path, handler) }
Output:
func (*Router) Update ¶
func (fox *Router) Update(method, path string, handler HandlerFunc) error
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 Handle 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 that may be used to serialize write. Since the router tree may be swapped at any given time, you MUST always copy the pointer locally to avoid inadvertently 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()
func (*Tree) Handle ¶ added in v0.7.0
func (t *Tree) Handle(method, path string, handler HandlerFunc) error
Handle 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
func (t *Tree) Update(method, path string, handler HandlerFunc) error
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 Handle method.
type WalkFunc ¶
type WalkFunc func(method, path string, handler HandlerFunc) error
WalkFunc is the type of the function called by Walk to visit each registered routes.