ev/pkg/locker/locker.go

52 lines
926 B
Go
Raw Normal View History

2022-08-04 14:37:51 -06:00
package locker
import (
"context"
"github.com/sour-is/ev/internal/lg"
)
2022-08-04 14:37:51 -06:00
type Locked[T any] struct {
state chan *T
}
2022-08-07 11:55:49 -06:00
// New creates a new locker for the given value.
2022-08-04 14:37:51 -06:00
func New[T any](initial *T) *Locked[T] {
s := &Locked[T]{}
s.state = make(chan *T, 1)
s.state <- initial
return s
}
2022-08-07 11:55:49 -06:00
// Modify will call the function with the locked value
2022-10-30 09:18:08 -06:00
func (s *Locked[T]) Modify(ctx context.Context, fn func(context.Context, *T) error) error {
_, span := lg.Span(ctx)
defer span.End()
2022-08-04 14:37:51 -06:00
if ctx.Err() != nil {
return ctx.Err()
}
select {
case state := <-s.state:
defer func() { s.state <- state }()
2022-10-30 09:18:08 -06:00
return fn(ctx, state)
2022-08-04 14:37:51 -06:00
case <-ctx.Done():
return ctx.Err()
}
2022-08-06 09:52:36 -06:00
}
2022-08-07 11:55:49 -06:00
// Copy will return a shallow copy of the locked object.
2022-08-06 09:52:36 -06:00
func (s *Locked[T]) Copy(ctx context.Context) (T, error) {
var t T
2022-10-30 09:18:08 -06:00
err := s.Modify(ctx, func(ctx context.Context, c *T) error {
2022-08-06 09:52:36 -06:00
if c != nil {
t = *c
}
return nil
})
return t, err
}