0
Fork 0
mirror of https://github.com/caddyserver/caddy.git synced 2024-12-23 22:27:38 -05:00
caddy/middleware/extensionless/extensionless.go

62 lines
1.6 KiB
Go
Raw Normal View History

// Package extensionless is middleware for clean URLs. A root path is
// passed in as well as possible extensions to add, internally,
// to paths requested. The first path+ext that matches a resource
// that exists will be used.
package extensionless
2015-01-13 14:43:45 -05:00
import (
"net/http"
"os"
"strings"
"github.com/mholt/caddy/middleware"
2015-01-13 14:43:45 -05:00
)
// New creates a new instance of middleware that assumes extensions
// so the site can use cleaner, extensionless URLs
func New(c middleware.Controller) (middleware.Middleware, error) {
var extensions []string
var root = c.Root() // TODO: Big gotcha! Save this now before it goes away! We can't get this later during a request!
for c.Next() {
if !c.NextArg() {
return nil, c.ArgErr()
}
extensions = append(extensions, c.Val())
for c.NextArg() {
extensions = append(extensions, c.Val())
}
}
2015-01-13 14:43:45 -05:00
resourceExists := func(path string) bool {
_, err := os.Stat(root + path)
// technically we should use os.IsNotExist(err)
// but we don't handle any other kinds of errors anyway
2015-01-13 14:43:45 -05:00
return err == nil
}
hasExt := func(r *http.Request) bool {
if r.URL.Path[len(r.URL.Path)-1] == '/' {
// directory
return true
}
lastSep := strings.LastIndex(r.URL.Path, "/")
lastDot := strings.LastIndex(r.URL.Path, ".")
return lastDot > lastSep
}
return func(next http.HandlerFunc) http.HandlerFunc {
return func(w http.ResponseWriter, r *http.Request) {
if !hasExt(r) {
for _, ext := range extensions {
if resourceExists(r.URL.Path + ext) {
r.URL.Path = r.URL.Path + ext
break
}
}
}
next(w, r)
}
}, nil
2015-01-13 14:43:45 -05:00
}