aboutsummaryrefslogtreecommitdiff
path: root/pkg/ext/auth.go
blob: 5c3070e869de09ec7b6c8239603cf037330085c1 (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
73
74
75
76
77
78
79
80
81
82
83
package ext

import (
	"context"
	"encoding/base64"
	"errors"
	"log/slog"
	"net/http"

	serverconfig "git.gabrielgio.me/cerrado/pkg/config"
)

type authService interface {
	ValidateToken(token []byte) (bool, error)
}

func DisableAuthentication(next http.HandlerFunc) http.HandlerFunc {
	return func(w http.ResponseWriter, r *http.Request) {
		ctx := r.Context()
		ctx = context.WithValue(ctx, "disableAuthentication", true)
		next(w, r.WithContext(ctx))
	}
}

func VerifyRespository(
	config *serverconfig.ConfigurationRepository,
) func(next http.HandlerFunc) http.HandlerFunc {
	return func(next http.HandlerFunc) http.HandlerFunc {
		return func(w http.ResponseWriter, r *http.Request) {
			name := r.PathValue("name")
			if name != "" {
				repo := config.GetByName(name)
				if repo != nil && !repo.Public && !IsLoggedIn(r.Context()) {
					NotFound(w, r)
					return
				}
			}

			next(w, r)
		}
	}
}

func Authenticate(auth authService) func(next http.HandlerFunc) http.HandlerFunc {
	return func(next http.HandlerFunc) http.HandlerFunc {
		return func(w http.ResponseWriter, r *http.Request) {
			cookie, err := r.Cookie("auth")
			if err != nil {
				if !errors.Is(err, http.ErrNoCookie) {
					slog.Error("Error loading cookie", "error", err)
				}

				next(w, r)
				return
			}

			value, err := base64.StdEncoding.DecodeString(cookie.Value)
			if err != nil {
				slog.Error("Error decoding", "error", err)
				next(w, r)
				return
			}

			valid, err := auth.ValidateToken(value)
			if err != nil {
				slog.Error("Error validating token", "error", err, "cookie", cookie.Value)
				next(w, r)
				return
			}

			ctx := r.Context()
			ctx = context.WithValue(ctx, "logged", valid)

			slog.Info("Validated token", "valid?", valid)
			next(w, r.WithContext(ctx))
		}
	}
}

func IsLoggedIn(ctx context.Context) bool {
	t, ok := ctx.Value("logged").(bool)
	return ok && t
}