mirror of
https://github.com/openfaas/faas.git
synced 2025-06-08 08:25:03 +00:00
80 lines
2.0 KiB
Go
80 lines
2.0 KiB
Go
// License: OpenFaaS Community Edition (CE) EULA
|
|
// Copyright (c) 2017,2019-2024 OpenFaaS Author(s)
|
|
|
|
// Copyright (c) OpenFaaS Author(s). All rights reserved.
|
|
|
|
package scaling
|
|
|
|
import (
|
|
"fmt"
|
|
"log"
|
|
|
|
"golang.org/x/sync/singleflight"
|
|
)
|
|
|
|
type CachedFunctionQuery struct {
|
|
cache FunctionCacher
|
|
serviceQuery ServiceQuery
|
|
emptyAnnotations map[string]string
|
|
singleFlight *singleflight.Group
|
|
}
|
|
|
|
func NewCachedFunctionQuery(cache FunctionCacher, serviceQuery ServiceQuery) FunctionQuery {
|
|
return &CachedFunctionQuery{
|
|
cache: cache,
|
|
serviceQuery: serviceQuery,
|
|
emptyAnnotations: map[string]string{},
|
|
singleFlight: &singleflight.Group{},
|
|
}
|
|
}
|
|
|
|
func (c *CachedFunctionQuery) GetAnnotations(name string, namespace string) (annotations map[string]string, err error) {
|
|
res, err := c.Get(name, namespace)
|
|
if err != nil {
|
|
return c.emptyAnnotations, err
|
|
}
|
|
|
|
if res.Annotations == nil {
|
|
return c.emptyAnnotations, nil
|
|
}
|
|
return *res.Annotations, nil
|
|
}
|
|
|
|
func (c *CachedFunctionQuery) Get(fn string, ns string) (ServiceQueryResponse, error) {
|
|
|
|
query, hit := c.cache.Get(fn, ns)
|
|
if !hit {
|
|
key := fmt.Sprintf("GetReplicas-%s.%s", fn, ns)
|
|
queryResponse, err, _ := c.singleFlight.Do(key, func() (interface{}, error) {
|
|
log.Printf("Cache miss - run GetReplicas")
|
|
// If there is a cache miss, then fetch the value from the provider API
|
|
return c.serviceQuery.GetReplicas(fn, ns)
|
|
})
|
|
|
|
if err != nil {
|
|
return ServiceQueryResponse{}, err
|
|
}
|
|
|
|
if queryResponse != nil {
|
|
c.cache.Set(fn, ns, queryResponse.(ServiceQueryResponse))
|
|
}
|
|
|
|
} else {
|
|
return query, nil
|
|
}
|
|
|
|
// At this point the value almost certainly must be present, so if not
|
|
// return an error.
|
|
query, hit = c.cache.Get(fn, ns)
|
|
if !hit {
|
|
return ServiceQueryResponse{}, fmt.Errorf("error with cache key: %s", fn+"."+ns)
|
|
}
|
|
|
|
return query, nil
|
|
}
|
|
|
|
type FunctionQuery interface {
|
|
Get(name string, namespace string) (ServiceQueryResponse, error)
|
|
GetAnnotations(name string, namespace string) (annotations map[string]string, err error)
|
|
}
|