Skip to content

Commit f6692ae

Browse files
committed
backend: replace ratelimiter with x/time/rate.
Removes the ratelimiter package and replaces its usages with x/time/rate.
1 parent 16a748c commit f6692ae

File tree

12 files changed

+620
-187
lines changed

12 files changed

+620
-187
lines changed

backend/backend.go

+1-2
Original file line numberDiff line numberDiff line change
@@ -51,7 +51,6 @@ import (
5151
"github.com/BitBoxSwiss/bitbox-wallet-app/util/logging"
5252
"github.com/BitBoxSwiss/bitbox-wallet-app/util/observable"
5353
"github.com/BitBoxSwiss/bitbox-wallet-app/util/observable/action"
54-
"github.com/BitBoxSwiss/bitbox-wallet-app/util/ratelimit"
5554
"github.com/BitBoxSwiss/bitbox-wallet-app/util/socksproxy"
5655
"github.com/btcsuite/btcd/chaincfg"
5756
"github.com/ethereum/go-ethereum/params"
@@ -279,7 +278,7 @@ func NewBackend(arguments *arguments.Arguments, environment Environment) (*Backe
279278
backend.notifier = notifier
280279
backend.socksProxy = backendProxy
281280
backend.httpClient = hclient
282-
backend.etherScanHTTPClient = ratelimit.FromTransport(hclient.Transport, etherscan.CallInterval)
281+
backend.etherScanHTTPClient = hclient
283282

284283
ratesCache := filepath.Join(arguments.CacheDirectoryPath(), "exchangerates")
285284
if err := os.MkdirAll(ratesCache, 0700); err != nil {

backend/coins/eth/etherscan/etherscan.go

+9-2
Original file line numberDiff line numberDiff line change
@@ -35,11 +35,13 @@ import (
3535
"github.com/ethereum/go-ethereum/common"
3636
"github.com/ethereum/go-ethereum/common/hexutil"
3737
"github.com/ethereum/go-ethereum/core/types"
38+
"golang.org/x/time/rate"
3839
)
3940

40-
// CallInterval is the duration between etherscan requests.
41+
// CallsPerSec is thenumber of etherscanr equests allowed
42+
// per second.
4143
// Etherscan rate limits to one request per 0.2 seconds.
42-
var CallInterval = 260 * time.Millisecond
44+
var CallsPerSec = 3.8
4345

4446
const apiKey = "X3AFAGQT2QCAFTFPIH9VJY88H9PIQ2UWP7"
4547

@@ -50,17 +52,22 @@ const ERC20GasErr = "insufficient funds for gas * price + value"
5052
type EtherScan struct {
5153
url string
5254
httpClient *http.Client
55+
limiter *rate.Limiter
5356
}
5457

5558
// NewEtherScan creates a new instance of EtherScan.
5659
func NewEtherScan(url string, httpClient *http.Client) *EtherScan {
5760
return &EtherScan{
5861
url: url,
5962
httpClient: httpClient,
63+
limiter: rate.NewLimiter(rate.Limit(CallsPerSec), 1),
6064
}
6165
}
6266

6367
func (etherScan *EtherScan) call(params url.Values, result interface{}) error {
68+
if err := etherScan.limiter.Wait(context.TODO()); err != nil {
69+
return errp.WithStack(err)
70+
}
6471
params.Set("apikey", apiKey)
6572
response, err := etherScan.httpClient.Get(etherScan.url + "?" + params.Encode())
6673
if err != nil {

backend/rates/gecko.go

+5-5
Original file line numberDiff line numberDiff line change
@@ -16,21 +16,21 @@ const (
1616
maxGeckoRange = 364 * 24 * time.Hour
1717
)
1818

19-
// apiRateLimit specifies the minimal interval between equally spaced API calls
19+
// apiRateLimit specifies the maximum number of API calls per second
2020
// to one of the supported exchange rates providers.
21-
func apiRateLimit(baseURL string) time.Duration {
21+
func apiRateLimit(baseURL string) float64 {
2222
switch baseURL {
2323
default:
24-
return time.Second // arbitrary; localhost, staging, etc.
24+
return 1 // arbitrary; localhost, staging, etc.
2525
case coingeckoAPIV3:
2626
// API calls. From https://www.coingecko.com/en/api:
2727
// > Generous rate limits with up to 100 requests/minute
2828
// We use slightly lower value.
29-
return 2 * time.Second
29+
return 0.5
3030
case shiftGeckoMirrorAPIV3:
3131
// Avoid zero to prevent unexpected panics like in time.NewTicker
3232
// and leave some room to breathe.
33-
return 10 * time.Millisecond
33+
return 100
3434
}
3535
}
3636

backend/rates/history.go

+28-28
Original file line numberDiff line numberDiff line change
@@ -278,38 +278,38 @@ func (updater *RateUpdater) fetchGeckoMarketRange(ctx context.Context, coin, fia
278278
}
279279

280280
// Make the call, abiding the upstream rate limits.
281-
msg := fmt.Sprintf("fetch coingecko coin=%s fiat=%s start=%s", coin, fiat, timeRange.start)
282281
var jsonBody struct{ Prices [][2]float64 } // [timestamp in milliseconds, value]
283-
callErr := updater.geckoLimiter.Call(ctx, msg, func() error {
284-
param := url.Values{
285-
"from": {strconv.FormatInt(timeRange.start.Unix(), 10)},
286-
"to": {strconv.FormatInt(timeRange.end().Unix(), 10)},
287-
"vs_currency": {gfiat},
288-
}
289-
endpoint := fmt.Sprintf("%s/coins/%s/market_chart/range?%s", updater.coingeckoURL, gcoin, param.Encode())
290-
req, err := http.NewRequest(http.MethodGet, endpoint, nil)
291-
if err != nil {
292-
return err
293-
}
282+
if err := updater.geckoLimiter.Wait(ctx); err != nil {
283+
return nil, err
284+
}
294285

295-
ctx, cancel := context.WithTimeout(ctx, 10*time.Second)
296-
defer cancel()
297-
res, err := updater.httpClient.Do(req.WithContext(ctx))
298-
if err != nil {
299-
return err
300-
}
301-
defer res.Body.Close() //nolint:errcheck
302-
if res.StatusCode != http.StatusOK {
303-
return fmt.Errorf("fetchGeckoMarketRange: bad response code %d", res.StatusCode)
304-
}
305-
// 1Mb is more than enough for a single response, but make sure initial
306-
// download with empty cache fits here. See maxGeckoRange.
307-
return json.NewDecoder(io.LimitReader(res.Body, 1<<20)).Decode(&jsonBody)
308-
})
309-
if callErr != nil {
310-
return nil, callErr
286+
param := url.Values{
287+
"from": {strconv.FormatInt(timeRange.start.Unix(), 10)},
288+
"to": {strconv.FormatInt(timeRange.end().Unix(), 10)},
289+
"vs_currency": {gfiat},
290+
}
291+
endpoint := fmt.Sprintf("%s/coins/%s/market_chart/range?%s", updater.coingeckoURL, gcoin, param.Encode())
292+
req, err := http.NewRequest(http.MethodGet, endpoint, nil)
293+
if err != nil {
294+
return nil, err
295+
}
296+
297+
ctx, cancel := context.WithTimeout(ctx, 10*time.Second)
298+
defer cancel()
299+
res, err := updater.httpClient.Do(req.WithContext(ctx))
300+
if err != nil {
301+
return nil, err
302+
}
303+
defer res.Body.Close() //nolint:errcheck
304+
if res.StatusCode != http.StatusOK {
305+
return nil, fmt.Errorf("fetchGeckoMarketRange: bad response code %d", res.StatusCode)
311306
}
312307

308+
// 1Mb is more than enough for a single response, but make sure initial
309+
// download with empty cache fits here. See maxGeckoRange
310+
if err := json.NewDecoder(io.LimitReader(res.Body, 1<<20)).Decode(&jsonBody); err != nil {
311+
return nil, err
312+
}
313313
// Transform the response into a usable result.
314314
rates := make([]exchangeRate, len(jsonBody.Prices))
315315
for i, v := range jsonBody.Prices {

backend/rates/rates.go

+38-31
Original file line numberDiff line numberDiff line change
@@ -27,11 +27,12 @@ import (
2727
"sync"
2828
"time"
2929

30+
"golang.org/x/time/rate"
31+
3032
"github.com/BitBoxSwiss/bitbox-wallet-app/util/errp"
3133
"github.com/BitBoxSwiss/bitbox-wallet-app/util/logging"
3234
"github.com/BitBoxSwiss/bitbox-wallet-app/util/observable"
3335
"github.com/BitBoxSwiss/bitbox-wallet-app/util/observable/action"
34-
"github.com/BitBoxSwiss/bitbox-wallet-app/util/ratelimit"
3536
"github.com/sirupsen/logrus"
3637
"go.etcd.io/bbolt"
3738
)
@@ -119,15 +120,15 @@ type RateUpdater struct {
119120
// See https://www.coingecko.com/en/api for details.
120121
coingeckoURL string
121122
// All requests to coingeckoURL are rate-limited using geckoLimiter.
122-
geckoLimiter *ratelimit.LimitedCall
123+
geckoLimiter *rate.Limiter
123124
}
124125

125126
// NewRateUpdater returns a new rates updater.
126127
// The dbdir argument is the location of a historical rates database cache.
127128
// The returned updater can function without a valid database cache but may be
128129
// impacted by rate limits. The database cache is transparent to the updater users.
129130
// To stay within acceptable rate limits defined by CoinGeckoRateLimit, callers can
130-
// use util/ratelimit package.
131+
// use https://pkg.go.dev/golang.org/x/time/rate package.
131132
//
132133
// Both Last and PriceAt of the newly created updater always return zero values
133134
// until data is fetched from the external APIs. To make the updater start fetching data
@@ -155,7 +156,7 @@ func NewRateUpdater(client *http.Client, dbdir string) *RateUpdater {
155156
log: log,
156157
httpClient: client,
157158
coingeckoURL: apiURL,
158-
geckoLimiter: ratelimit.NewLimitedCall(apiRateLimit(apiURL)),
159+
geckoLimiter: rate.NewLimiter(rate.Limit(apiRateLimit(apiURL)), 1),
159160
}
160161
}
161162

@@ -275,36 +276,42 @@ func (updater *RateUpdater) updateLast(ctx context.Context) {
275276
}
276277

277278
var geckoRates map[string]map[string]float64
278-
callErr := updater.geckoLimiter.Call(ctx, "updateLast", func() error {
279-
ctx, cancel := context.WithTimeout(ctx, 10*time.Second)
280-
defer cancel()
281-
res, err := updater.httpClient.Do(req.WithContext(ctx))
282-
if err != nil {
283-
return errp.WithStack(err)
284-
}
285-
defer res.Body.Close() //nolint:errcheck
286-
if res.StatusCode != http.StatusOK {
287-
return errp.Newf("bad response code %d", res.StatusCode)
288-
}
289-
const max = 10240
290-
responseBody, err := io.ReadAll(io.LimitReader(res.Body, max+1))
291-
if err != nil {
292-
return errp.WithStack(err)
293-
}
294-
if len(responseBody) > max {
295-
return errp.Newf("rates response too long (> %d bytes)", max)
296-
}
297-
if err := json.Unmarshal(responseBody, &geckoRates); err != nil {
298-
return errp.WithMessage(err,
299-
fmt.Sprintf("could not parse rates response: %s", string(responseBody)))
300-
}
301-
return nil
302-
})
303-
if callErr != nil {
304-
updater.log.WithError(callErr).Errorf("updateLast")
279+
if err := updater.geckoLimiter.Wait(ctx); err != nil {
280+
updater.log.WithError(err).Error("could not wait for rate limiter")
281+
updater.last = nil
282+
return
283+
}
284+
285+
res, err := updater.httpClient.Do(req.WithContext(ctx))
286+
if err != nil {
287+
updater.log.WithError(err).Error("could not make request")
288+
updater.last = nil
289+
return
290+
}
291+
defer res.Body.Close() //nolint:errcheck
292+
if res.StatusCode != http.StatusOK {
293+
updater.log.Errorf("bad response code %d", res.StatusCode)
305294
updater.last = nil
306295
return
307296
}
297+
const max = 10240
298+
responseBody, err := io.ReadAll(io.LimitReader(res.Body, max+1))
299+
if err != nil {
300+
updater.log.WithError(err).Error("could not read response")
301+
updater.last = nil
302+
return
303+
}
304+
if len(responseBody) > max {
305+
updater.last = nil
306+
updater.log.Errorf("rates response too long (> %d bytes)", max)
307+
return
308+
}
309+
if err := json.Unmarshal(responseBody, &geckoRates); err != nil {
310+
updater.last = nil
311+
updater.log.Errorf("could not parse rates response: %s", string(responseBody))
312+
return
313+
}
314+
308315
// Convert the map with coingecko coin/fiat codes to a map of coin/fiat units.
309316
rates := map[string]map[string]float64{}
310317
for coin, val := range geckoRates {

go.mod

+1
Original file line numberDiff line numberDiff line change
@@ -22,6 +22,7 @@ require (
2222
golang.org/x/crypto v0.32.0
2323
golang.org/x/mobile v0.0.0-20240716161057-1ad2df20a8b6
2424
golang.org/x/net v0.34.0
25+
golang.org/x/time v0.5.0
2526
)
2627

2728
require (

util/ratelimit/ratelimit.go

-119
This file was deleted.

0 commit comments

Comments
 (0)