cached.go 1.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172
  1. /*
  2. Copyright 2018 The Knative Authors
  3. Licensed under the Apache License, Version 2.0 (the "License");
  4. you may not use this file except in compliance with the License.
  5. You may obtain a copy of the License at
  6. http://www.apache.org/licenses/LICENSE-2.0
  7. Unless required by applicable law or agreed to in writing, software
  8. distributed under the License is distributed on an "AS IS" BASIS,
  9. WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  10. See the License for the specific language governing permissions and
  11. limitations under the License.
  12. */
  13. package duck
  14. import (
  15. "sync"
  16. "k8s.io/apimachinery/pkg/runtime/schema"
  17. "k8s.io/client-go/tools/cache"
  18. )
  19. // CachedInformerFactory implements InformerFactory by delegating to another
  20. // InformerFactory, but memoizing the results.
  21. type CachedInformerFactory struct {
  22. Delegate InformerFactory
  23. m sync.Mutex
  24. cache map[schema.GroupVersionResource]*result
  25. }
  26. // Check that CachedInformerFactory implements InformerFactory.
  27. var _ InformerFactory = (*CachedInformerFactory)(nil)
  28. // Get implements InformerFactory.
  29. func (cif *CachedInformerFactory) Get(gvr schema.GroupVersionResource) (cache.SharedIndexInformer, cache.GenericLister, error) {
  30. cif.m.Lock()
  31. if cif.cache == nil {
  32. cif.cache = make(map[schema.GroupVersionResource]*result)
  33. }
  34. elt, ok := cif.cache[gvr]
  35. if !ok {
  36. elt = &result{}
  37. elt.init = func() {
  38. elt.inf, elt.lister, elt.err = cif.Delegate.Get(gvr)
  39. }
  40. cif.cache[gvr] = elt
  41. }
  42. // If this were done via "defer", then TestDifferentGVRs will fail.
  43. cif.m.Unlock()
  44. // The call to the delegate could be slow because it syncs informers, so do
  45. // this outside of the main lock.
  46. return elt.Get()
  47. }
  48. type result struct {
  49. sync.Once
  50. init func()
  51. inf cache.SharedIndexInformer
  52. lister cache.GenericLister
  53. err error
  54. }
  55. func (t *result) Get() (cache.SharedIndexInformer, cache.GenericLister, error) {
  56. t.Do(t.init)
  57. return t.inf, t.lister, t.err
  58. }