60 lines
1.2 KiB
Go
60 lines
1.2 KiB
Go
package middleware
|
|
|
|
import (
|
|
"net/http"
|
|
"strings"
|
|
|
|
"github.com/kirsle/blog/internal/responses"
|
|
"github.com/kirsle/blog/internal/sessions"
|
|
"github.com/kirsle/blog/models/settings"
|
|
"github.com/urfave/negroni"
|
|
)
|
|
|
|
var ageGateSuffixes = []string{
|
|
".js",
|
|
".css",
|
|
".txt",
|
|
".ico",
|
|
".png",
|
|
".jpg",
|
|
".jpeg",
|
|
".gif",
|
|
}
|
|
|
|
// AgeGate is a middleware generator that does age verification for NSFW sites.
|
|
func AgeGate(verifyHandler func(http.ResponseWriter, *http.Request)) negroni.HandlerFunc {
|
|
middleware := func(w http.ResponseWriter, r *http.Request, next http.HandlerFunc) {
|
|
s, _ := settings.Load()
|
|
if !s.Site.NSFW {
|
|
next(w, r)
|
|
return
|
|
}
|
|
|
|
path := r.URL.Path
|
|
if strings.HasPrefix(path, "/age-verify") {
|
|
verifyHandler(w, r) // defer to the age gate handler itself.
|
|
return
|
|
}
|
|
|
|
// Allow static files and things through.
|
|
for _, prefix := range ageGateSuffixes {
|
|
if strings.HasSuffix(path, prefix) {
|
|
next(w, r)
|
|
return
|
|
}
|
|
}
|
|
|
|
// See if they've been cleared.
|
|
session := sessions.Get(r)
|
|
if val, _ := session.Values["age-ok"].(bool); !val {
|
|
// They haven't been verified.
|
|
responses.Redirect(w, "/age-verify?next="+r.URL.Path)
|
|
return
|
|
}
|
|
|
|
next(w, r)
|
|
}
|
|
|
|
return middleware
|
|
}
|