tracker.go 1.3 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970
  1. package util
  2. import "sync/atomic"
  3. type StaleMode int
  4. const (
  5. BothStale = iota
  6. EitherStale
  7. LeftStale
  8. RightStale
  9. )
  10. type tracker struct {
  11. leftCounter atomic.Int32
  12. rightCounter atomic.Int32
  13. leftTimedOutAt atomic.Int32
  14. rightTimedOutAt atomic.Int32
  15. staleFun func() bool
  16. }
  17. func newTracker(staleMode StaleMode) *tracker {
  18. t := &tracker{}
  19. switch staleMode {
  20. case BothStale:
  21. t.staleFun = t.bothStale
  22. case EitherStale:
  23. t.staleFun = t.eitherStale
  24. case LeftStale:
  25. t.staleFun = t.leftStale
  26. case RightStale:
  27. t.staleFun = t.rightStale
  28. default:
  29. panic("unsupported stale mode")
  30. }
  31. return t
  32. }
  33. func (t *tracker) notify(isLeft bool) {
  34. if isLeft {
  35. t.leftCounter.Add(1)
  36. } else {
  37. t.rightCounter.Add(1)
  38. }
  39. }
  40. func (t *tracker) handleTimeout(isLeft bool) bool {
  41. if isLeft {
  42. t.leftTimedOutAt.Store(t.leftCounter.Load())
  43. } else {
  44. t.rightTimedOutAt.Store(t.rightCounter.Load())
  45. }
  46. return t.staleFun()
  47. }
  48. func (t *tracker) leftStale() bool {
  49. return t.leftCounter.Load() == t.leftTimedOutAt.Load()
  50. }
  51. func (t *tracker) rightStale() bool {
  52. return t.rightCounter.Load() == t.rightTimedOutAt.Load()
  53. }
  54. func (t *tracker) bothStale() bool {
  55. return t.leftStale() && t.rightStale()
  56. }
  57. func (t *tracker) eitherStale() bool {
  58. return t.leftStale() || t.rightStale()
  59. }