singleflight.go 2.1 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182
  1. package gcache
  2. /*
  3. Copyright 2012 Google Inc.
  4. Licensed under the Apache License, Version 2.0 (the "License");
  5. you may not use this file except in compliance with the License.
  6. You may obtain a copy of the License at
  7. http://www.apache.org/licenses/LICENSE-2.0
  8. Unless required by applicable law or agreed to in writing, software
  9. distributed under the License is distributed on an "AS IS" BASIS,
  10. WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  11. See the License for the specific language governing permissions and
  12. limitations under the License.
  13. */
  14. // This module provides a duplicate function call suppression
  15. // mechanism.
  16. import "sync"
  17. // call is an in-flight or completed Do call
  18. type call struct {
  19. wg sync.WaitGroup
  20. val interface{}
  21. err error
  22. }
  23. // Group represents a class of work and forms a namespace in which
  24. // units of work can be executed with duplicate suppression.
  25. type Group struct {
  26. cache Cache
  27. mu sync.Mutex // protects m
  28. m map[interface{}]*call // lazily initialized
  29. }
  30. // Do executes and returns the results of the given function, making
  31. // sure that only one execution is in-flight for a given key at a
  32. // time. If a duplicate comes in, the duplicate caller waits for the
  33. // original to complete and receives the same results.
  34. func (g *Group) Do(key interface{}, fn func() (interface{}, error), isWait bool) (interface{}, bool, error) {
  35. g.mu.Lock()
  36. v, err := g.cache.get(key, true)
  37. if err == nil {
  38. g.mu.Unlock()
  39. return v, false, nil
  40. }
  41. if g.m == nil {
  42. g.m = make(map[interface{}]*call)
  43. }
  44. if c, ok := g.m[key]; ok {
  45. g.mu.Unlock()
  46. if !isWait {
  47. return nil, false, KeyNotFoundError
  48. }
  49. c.wg.Wait()
  50. return c.val, false, c.err
  51. }
  52. c := new(call)
  53. c.wg.Add(1)
  54. g.m[key] = c
  55. g.mu.Unlock()
  56. if !isWait {
  57. go g.call(c, key, fn)
  58. return nil, false, KeyNotFoundError
  59. }
  60. v, err = g.call(c, key, fn)
  61. return v, true, err
  62. }
  63. func (g *Group) call(c *call, key interface{}, fn func() (interface{}, error)) (interface{}, error) {
  64. c.val, c.err = fn()
  65. c.wg.Done()
  66. g.mu.Lock()
  67. delete(g.m, key)
  68. g.mu.Unlock()
  69. return c.val, c.err
  70. }