Hi… I am well aware that this diff view is very suboptimal. It will be fixed when the refactored server comes along!
Rename login cookie to more descriptive name
package main import ( "context" "fmt" "html/template" "mime" "net/http" )
const internalTokenScope = "_sinwon"
const ( loginCookieName = "sinwon-login" internalTokenScope = "_sinwon" )
type contextKey string
const (
contextKeyDB = "db"
contextKeyTemplate = "template"
contextKeyLoginToken = "login-token"
)
func dbFromContext(ctx context.Context) *DB {
return ctx.Value(contextKeyDB).(*DB)
}
func templateFromContext(ctx context.Context) *template.Template {
return ctx.Value(contextKeyTemplate).(*template.Template)
}
func loginTokenFromContext(ctx context.Context) *AccessToken {
v := ctx.Value(contextKeyLoginToken)
if v == nil {
return nil
}
return v.(*AccessToken)
}
func newBaseContext(db *DB, tpl *template.Template) context.Context {
ctx := context.Background()
ctx = context.WithValue(ctx, contextKeyDB, db)
ctx = context.WithValue(ctx, contextKeyTemplate, tpl)
return ctx
}
func setLoginTokenCookie(w http.ResponseWriter, req *http.Request, token *AccessToken, secret string) {
http.SetCookie(w, &http.Cookie{
Name: "sinwon-token",
Name: loginCookieName,
Value: MarshalSecret(token.ID, secret),
HttpOnly: true,
SameSite: http.SameSiteStrictMode,
Secure: isForwardedHTTPS(req),
})
}
func unsetLoginTokenCookie(w http.ResponseWriter, req *http.Request) {
http.SetCookie(w, &http.Cookie{
Name: "sinwon-token",
Name: loginCookieName,
HttpOnly: true,
SameSite: http.SameSiteStrictMode,
Secure: isForwardedHTTPS(req),
MaxAge: -1,
})
}
func isForwardedHTTPS(req *http.Request) bool {
if forwarded := req.Header.Get("Forwarded"); forwarded != "" {
_, params, _ := mime.ParseMediaType("_; " + forwarded)
return params["proto"] == "https"
}
if forwardedProto := req.Header.Get("X-Forwarded-Proto"); forwardedProto != "" {
return forwardedProto == "https"
}
return false
}
func loginTokenMiddleware(next http.Handler) http.Handler {
return http.HandlerFunc(func(w http.ResponseWriter, req *http.Request) {
cookie, _ := req.Cookie("sinwon-token")
if cookie == nil {
next.ServeHTTP(w, req)
return
}
ctx := req.Context()
db := dbFromContext(ctx)
tokenID, tokenSecret, _ := UnmarshalSecret[*AccessToken](cookie.Value)
token, err := db.FetchAccessToken(ctx, tokenID)
if err == errNoDBRows || (err == nil && !token.VerifySecret(tokenSecret)) {
unsetLoginTokenCookie(w, req)
next.ServeHTTP(w, req)
return
} else if err != nil {
httpError(w, fmt.Errorf("failed to fetch access token: %v", err))
return
}
if token.Scope != internalTokenScope {
http.Error(w, "Invalid login token scope", http.StatusForbidden)
return
}
if token.User == 0 {
panic("login token with zero user ID")
}
ctx = context.WithValue(ctx, contextKeyLoginToken, token)
req = req.WithContext(ctx)
next.ServeHTTP(w, req)
})
}