ev/pkg/locker/locker.go

47 lines
801 B
Go
Raw Normal View History

2022-08-04 14:37:51 -06:00
package locker
import (
"context"
)
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-08-04 14:37:51 -06:00
func (s *Locked[T]) Modify(ctx context.Context, fn func(*T) error) error {
if ctx.Err() != nil {
return ctx.Err()
}
select {
case state := <-s.state:
defer func() { s.state <- state }()
return fn(state)
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
err := s.Modify(ctx, func(c *T) error {
if c != nil {
t = *c
}
return nil
})
return t, err
}