worker.go 899 B

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758
  1. package worker
  2. import (
  3. "context"
  4. )
  5. type Worker struct {
  6. ctx context.Context
  7. cancel context.CancelFunc
  8. chDone chan bool
  9. stopped bool
  10. }
  11. type Callback func(ctx context.Context, w *Worker)
  12. func New(f Callback) *Worker {
  13. ctx, cancel := context.WithCancel(context.Background())
  14. w := Worker{ctx: ctx, cancel: cancel, chDone: make(chan bool)}
  15. return (&w).doit(f)
  16. }
  17. func (this *Worker) doit(f func(ctx context.Context, w *Worker)) *Worker {
  18. go func() {
  19. for {
  20. select {
  21. case <-this.ctx.Done():
  22. this.chDone <- true
  23. return
  24. default:
  25. f(this.ctx, this)
  26. }
  27. }
  28. }()
  29. return this
  30. }
  31. func (this *Worker) Shutdown(ctx context.Context) error {
  32. if this.stopped {
  33. return nil
  34. }
  35. this.stopped = true
  36. ctxb := ctx
  37. if ctxb == nil {
  38. ctxb = context.Background()
  39. }
  40. this.cancel()
  41. select {
  42. case <-this.chDone:
  43. return nil
  44. case <-ctxb.Done():
  45. return ctxb.Err()
  46. }
  47. }