caddy/middleware/redirect/redirect.go

95 lines
2.1 KiB
Go
Raw Normal View History

// Package redirect is middleware for redirecting certain requests
2015-01-14 03:43:45 +08:00
// to other locations.
package redirect
import (
"net/http"
2015-03-30 11:48:53 +08:00
"strings"
"github.com/mholt/caddy/middleware"
)
2015-04-12 07:15:17 +08:00
// New instantiates a new Redirect middleware.
func New(c middleware.Controller) (middleware.Middleware, error) {
2015-04-12 07:06:09 +08:00
rules, err := parse(c)
if err != nil {
return nil, err
}
return func(next middleware.Handler) middleware.Handler {
return Redirect{Next: next, Rules: rules}
}, nil
}
// Redirect is middleware to respond with HTTP redirects
type Redirect struct {
Next middleware.Handler
Rules []Rule
}
// ServeHTTP implements the middleware.Handler interface.
func (rd Redirect) ServeHTTP(w http.ResponseWriter, r *http.Request) (int, error) {
for _, rule := range rd.Rules {
if middleware.Path(r.URL.Path).Matches(rule.From) {
if rule.From == "/" {
// Catchall redirect preserves path (TODO: This should be made more consistent...)
http.Redirect(w, r, strings.TrimSuffix(rule.To, "/")+r.URL.Path, rule.Code)
return 0, nil
}
http.Redirect(w, r, rule.To, rule.Code)
return 0, nil
}
}
return rd.Next.ServeHTTP(w, r)
}
func parse(c middleware.Controller) ([]Rule, error) {
var redirects []Rule
for c.Next() {
2015-04-12 07:06:09 +08:00
var rule Rule
2015-03-30 11:48:53 +08:00
args := c.RemainingArgs()
2015-03-30 11:48:53 +08:00
if len(args) == 1 {
// Only 'To' specified
rule.From = "/"
rule.To = c.Val()
rule.Code = 307 // TODO: Consider 301 instead?
redirects = append(redirects, rule)
} else if len(args) == 3 {
// From, To, and Code specified
rule.From = args[0]
rule.To = args[1]
if code, ok := httpRedirs[args[2]]; !ok {
2015-04-12 07:06:09 +08:00
return redirects, c.Err("Invalid redirect code '" + c.Val() + "'")
2015-03-30 11:48:53 +08:00
} else {
rule.Code = code
}
redirects = append(redirects, rule)
} else {
2015-04-12 07:06:09 +08:00
return redirects, c.ArgErr()
}
}
2015-04-12 07:06:09 +08:00
return redirects, nil
}
2015-04-12 07:06:09 +08:00
// Rule describes an HTTP redirect rule.
type Rule struct {
From, To string
Code int
2015-01-14 03:43:45 +08:00
}
// httpRedirs is a list of supported HTTP redirect codes.
var httpRedirs = map[string]int{
"300": 300,
"301": 301,
"302": 302,
"303": 303,
"304": 304,
"305": 305,
"306": 306,
"307": 307,
"308": 308,
}