aboutsummaryrefslogtreecommitdiffstats
path: root/vendor/github.com/go-chi/chi/middleware/url_format.go
blob: d8f04b7cb962dbbba374469c9fd8c450b3602a14 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
package middleware

import (
	"context"
	"net/http"
	"strings"

	"github.com/go-chi/chi"
)

var (
	// URLFormatCtxKey is the context.Context key to store the URL format data
	// for a request.
	URLFormatCtxKey = &contextKey{"URLFormat"}
)

// URLFormat is a middleware that parses the url extension from a request path and stores it
// on the context as a string under the key `middleware.URLFormatCtxKey`. The middleware will
// trim the suffix from the routing path and continue routing.
//
// Routers should not include a url parameter for the suffix when using this middleware.
//
// Sample usage.. for url paths: `/articles/1`, `/articles/1.json` and `/articles/1.xml`
//
//  func routes() http.Handler {
//    r := chi.NewRouter()
//    r.Use(middleware.URLFormat)
//
//    r.Get("/articles/{id}", ListArticles)
//
//    return r
//  }
//
//  func ListArticles(w http.ResponseWriter, r *http.Request) {
// 	  urlFormat, _ := r.Context().Value(middleware.URLFormatCtxKey).(string)
//
// 	  switch urlFormat {
// 	  case "json":
// 	  	render.JSON(w, r, articles)
// 	  case "xml:"
// 	  	render.XML(w, r, articles)
// 	  default:
// 	  	render.JSON(w, r, articles)
// 	  }
// }
//
func URLFormat(next http.Handler) http.Handler {
	fn := func(w http.ResponseWriter, r *http.Request) {
		ctx := r.Context()

		var format string
		path := r.URL.Path

		if strings.Index(path, ".") > 0 {
			base := strings.LastIndex(path, "/")
			idx := strings.LastIndex(path[base:], ".")

			if idx > 0 {
				idx += base
				format = path[idx+1:]

				rctx := chi.RouteContext(r.Context())
				rctx.RoutePath = path[:idx]
			}
		}

		r = r.WithContext(context.WithValue(ctx, URLFormatCtxKey, format))

		next.ServeHTTP(w, r)
	}
	return http.HandlerFunc(fn)
}