go-pkg/ident/ident.go

116 lines
2.5 KiB
Go
Raw Normal View History

2024-01-22 16:00:58 -07:00
package ident
import (
"context"
2024-04-05 12:40:51 -06:00
"errors"
2024-01-22 16:00:58 -07:00
"fmt"
"io"
"net/http"
"sort"
"github.com/oklog/ulid/v2"
"go.sour.is/passwd"
)
// Ident interface for a logged in user
type Ident interface {
Identity() string
Session() *SessionInfo
}
type SessionInfo struct {
SessionID ulid.ULID
Active bool
}
func (s *SessionInfo) Session() *SessionInfo { return s }
// Handler handler function to read ident from HTTP request
type Handler interface {
ReadIdent(r *http.Request) (Ident, error)
}
type HandleGet interface {
GetIdent(context.Context /* identity */, string) (Ident, error)
}
type HandleRegister interface {
RegisterIdent(ctx context.Context, identity, displayName string, passwd []byte) (Ident, error)
}
type source struct {
Handler
priority int
}
var contextKey = struct{ key string }{"ident"}
func FromContext(ctx context.Context) Ident {
if id, ok := ctx.Value(contextKey).(Ident); ok {
return id
}
return Anonymous
}
type IDM struct {
rand io.Reader
sources []source
2024-04-05 12:40:51 -06:00
pwd *passwd.Passwd
2024-01-22 16:00:58 -07:00
}
func NewIDM(pwd *passwd.Passwd, rand io.Reader) *IDM {
2024-04-05 12:40:51 -06:00
return &IDM{pwd: pwd, rand: rand}
2024-01-22 16:00:58 -07:00
}
func (idm *IDM) Add(p int, h Handler) {
idm.sources = append(idm.sources, source{priority: p, Handler: h})
sort.Slice(idm.sources, func(i, j int) bool { return idm.sources[i].priority < idm.sources[j].priority })
}
func (idm *IDM) Passwd(pass, hash []byte) ([]byte, error) {
return idm.pwd.Passwd(pass, hash)
}
// ReadIdent read ident from a list of ident handlers
func (idm *IDM) ReadIdent(r *http.Request) (Ident, error) {
2024-04-05 12:40:51 -06:00
var errs error
2024-01-22 16:00:58 -07:00
for _, source := range idm.sources {
u, err := source.ReadIdent(r)
2024-04-05 12:40:51 -06:00
errs = errors.Join(errs, err)
2024-01-22 16:00:58 -07:00
2024-04-05 12:40:51 -06:00
if u != nil && u.Session().Active {
return u, errs
2024-01-22 16:00:58 -07:00
}
}
2024-04-05 12:40:51 -06:00
return Anonymous, errs
2024-01-22 16:00:58 -07:00
}
func (idm *IDM) RegisterIdent(ctx context.Context, identity, displayName string, passwd []byte) (Ident, error) {
for _, source := range idm.sources {
if source, ok := source.Handler.(HandleRegister); ok {
return source.RegisterIdent(ctx, identity, displayName, passwd)
}
}
return nil, fmt.Errorf("no HandleRegister source registered")
}
func (idm *IDM) GetIdent(ctx context.Context, identity string) (Ident, error) {
for _, source := range idm.sources {
if source, ok := source.Handler.(HandleGet); ok {
return source.GetIdent(ctx, identity)
}
}
return nil, fmt.Errorf("no HandleGet source registered")
}
func (idm *IDM) NewSessionInfo() (session SessionInfo, err error) {
session.SessionID, err = ulid.New(ulid.Now(), idm.rand)
if err != nil {
return
}
session.Active = true
return session, nil
}