bbgo_origin/pkg/cache/cache.go

86 lines
2.0 KiB
Go
Raw Normal View History

package cache
2020-10-20 04:11:44 +00:00
import (
2021-02-19 02:42:24 +00:00
"context"
2020-10-20 04:11:44 +00:00
"encoding/json"
2021-02-19 02:42:24 +00:00
"fmt"
2020-10-20 04:11:44 +00:00
"io/ioutil"
"os"
"path"
"reflect"
2022-01-06 15:57:42 +00:00
"time"
2020-10-20 04:11:44 +00:00
2021-12-08 09:26:25 +00:00
"github.com/pkg/errors"
log "github.com/sirupsen/logrus"
2022-01-06 15:57:42 +00:00
"github.com/c9s/bbgo/pkg/types"
2020-10-20 04:11:44 +00:00
)
2020-10-20 04:22:18 +00:00
type DataFetcher func() (interface{}, error)
2022-01-06 15:57:42 +00:00
const cacheExpiry = 24 * time.Hour
2020-10-20 04:22:18 +00:00
// WithCache let you use the cache with the given cache key, variable reference and your data fetcher,
// The key must be an unique ID.
// obj is the pointer of your local variable
// fetcher is the closure that will fetch your remote data or some slow operation.
func WithCache(key string, obj interface{}, fetcher DataFetcher) error {
2020-10-20 04:11:44 +00:00
cacheDir := CacheDir()
2020-10-20 04:24:30 +00:00
cacheFile := path.Join(cacheDir, key+".json")
2020-10-20 04:11:44 +00:00
2022-01-06 15:57:42 +00:00
stat, err := os.Stat(cacheFile)
if os.IsNotExist(err) || (stat != nil && time.Since(stat.ModTime()) > cacheExpiry) {
log.Debugf("cache %s not found or cache expired, executing fetcher callback to get the data", cacheFile)
2020-10-20 04:22:18 +00:00
data, err := fetcher()
2020-10-20 04:11:44 +00:00
if err != nil {
return err
}
out, err := json.Marshal(data)
if err != nil {
return err
}
if err := ioutil.WriteFile(cacheFile, out, 0666); err != nil {
return err
}
rv := reflect.ValueOf(obj).Elem()
if !rv.CanSet() {
return errors.New("can not set cache object value")
}
rv.Set(reflect.ValueOf(data))
} else {
log.Debugf("cache %s found", cacheFile)
2020-10-20 04:11:44 +00:00
data, err := ioutil.ReadFile(cacheFile)
if err != nil {
return err
}
if err := json.Unmarshal(data, obj); err != nil {
return err
}
}
return nil
}
2021-02-19 02:42:24 +00:00
func LoadExchangeMarketsWithCache(ctx context.Context, ex types.Exchange) (markets types.MarketMap, err error) {
key := fmt.Sprintf("%s-markets", ex.Name())
2021-12-08 09:26:25 +00:00
if futureExchange, implemented := ex.(types.FuturesExchange); implemented {
settings := futureExchange.GetFuturesSettings()
if settings.IsFutures {
key = fmt.Sprintf("%s-futures-markets", ex.Name())
}
}
err = WithCache(key, &markets, func() (interface{}, error) {
2021-02-19 02:42:24 +00:00
return ex.QueryMarkets(ctx)
})
return markets, err
}