freqtrade_origin/freqtrade/exchange/common.py

201 lines
6.3 KiB
Python
Raw Normal View History

2020-06-28 09:17:06 +00:00
import asyncio
import logging
2020-06-28 09:17:06 +00:00
import time
from functools import wraps
2024-02-20 05:30:10 +00:00
from typing import Any, Callable, Dict, List, Optional, TypeVar, cast, overload
2023-05-13 13:38:40 +00:00
from freqtrade.constants import ExchangeConfig
2020-09-28 17:39:41 +00:00
from freqtrade.exceptions import DDosProtection, RetryableOrderError, TemporaryError
from freqtrade.mixins import LoggingMixin
2020-09-28 17:39:41 +00:00
logger = logging.getLogger(__name__)
__logging_mixin = None
def _reset_logging_mixin():
"""
Reset global logging mixin - used in tests only.
"""
global __logging_mixin
__logging_mixin = LoggingMixin(logger)
def _get_logging_mixin():
# Logging-mixin to cache kucoin responses
# Only to be used in retrier
global __logging_mixin
if not __logging_mixin:
__logging_mixin = LoggingMixin(logger)
return __logging_mixin
2020-08-22 15:35:42 +00:00
# Maximum default retry count.
# Functions are always called RETRY_COUNT + 1 times (for the original call)
API_RETRY_COUNT = 4
2020-09-19 06:42:37 +00:00
API_FETCH_ORDER_RETRY_COUNT = 5
2020-08-22 15:35:42 +00:00
BAD_EXCHANGES = {
"bitmex": "Various reasons.",
"probit": "Requires additional, regular calls to `signIn()`.",
"poloniex": "Does not provide fetch_order endpoint to fetch both open and closed orders.",
}
MAP_EXCHANGE_CHILDCLASS = {
2024-05-12 14:58:33 +00:00
"binanceus": "binance",
"binanceje": "binance",
"binanceusdm": "binance",
"okex": "okx",
"gateio": "gate",
"huboi": "htx",
}
SUPPORTED_EXCHANGES = [
2024-05-12 14:58:33 +00:00
"binance",
"bingx",
2024-05-12 14:58:33 +00:00
"bitmart",
"bybit",
2024-05-12 14:58:33 +00:00
"gate",
"htx",
"kraken",
"okx",
]
# either the main, or replacement methods (array) is required
2024-02-20 05:30:10 +00:00
EXCHANGE_HAS_REQUIRED: Dict[str, List[str]] = {
2021-04-06 05:47:44 +00:00
# Required / private
2024-05-12 14:58:33 +00:00
"fetchOrder": ["fetchOpenOrder", "fetchClosedOrder"],
"fetchL2OrderBook": ["fetchTicker"],
2024-05-12 14:58:33 +00:00
"cancelOrder": [],
"createOrder": [],
"fetchBalance": [],
2021-04-06 05:47:44 +00:00
# Public endpoints
2024-05-12 14:58:33 +00:00
"fetchOHLCV": [],
}
2021-04-06 05:47:44 +00:00
EXCHANGE_HAS_OPTIONAL = [
# Private
2024-05-12 14:58:33 +00:00
"fetchMyTrades", # Trades for order - fee detection
"createLimitOrder",
"createMarketOrder", # Either OR for orders
# 'setLeverage', # Margin/Futures trading
# 'setMarginMode', # Margin/Futures trading
# 'fetchFundingHistory', # Futures trading
2021-04-06 05:47:44 +00:00
# Public
2024-05-12 14:58:33 +00:00
"fetchOrderBook",
"fetchL2OrderBook",
"fetchTicker", # OR for pricing
"fetchTickers", # For volumepairlist?
"fetchTrades", # Downloading trades data
# 'fetchFundingRateHistory', # Futures trading
# 'fetchPositions', # Futures trading
# 'fetchLeverageTiers', # Futures initialization
# 'fetchMarketLeverageTiers', # Futures initialization
# 'fetchOpenOrder', 'fetchClosedOrder', # replacement for fetchOrder
2023-04-25 12:39:18 +00:00
# 'fetchOpenOrders', 'fetchClosedOrders', # 'fetchOrders', # Refinding balance...
2022-10-10 18:30:38 +00:00
# ccxt.pro
2024-05-14 04:35:49 +00:00
"watchOHLCV",
2021-04-06 05:47:44 +00:00
]
2023-05-13 13:38:40 +00:00
def remove_exchange_credentials(exchange_config: ExchangeConfig, dry_run: bool) -> None:
"""
Removes exchange keys from the configuration and specifies dry-run
Used for backtesting / hyperopt / edge and utils.
Modifies the input dict!
"""
2023-05-13 13:38:40 +00:00
if dry_run:
2024-05-12 14:58:33 +00:00
exchange_config["key"] = ""
exchange_config["apiKey"] = ""
exchange_config["secret"] = ""
exchange_config["password"] = ""
exchange_config["uid"] = ""
2020-06-28 17:40:33 +00:00
def calculate_backoff(retrycount, max_retries):
2020-06-28 14:18:39 +00:00
"""
Calculate backoff
"""
2020-06-28 17:40:33 +00:00
return (max_retries - retrycount) ** 2 + 1
2020-06-28 14:18:39 +00:00
def retrier_async(f):
async def wrapper(*args, **kwargs):
2024-05-12 14:58:33 +00:00
count = kwargs.pop("count", API_RETRY_COUNT)
kucoin = args[0].name == "KuCoin" # Check if the exchange is KuCoin.
try:
return await f(*args, **kwargs)
except TemporaryError as ex:
msg = f'{f.__name__}() returned exception: "{ex}". '
if count > 0:
2024-05-12 14:58:33 +00:00
msg += f"Retrying still for {count} times."
count -= 1
2024-05-12 14:58:33 +00:00
kwargs["count"] = count
if isinstance(ex, DDosProtection):
if kucoin and "429000" in str(ex):
# Temporary fix for 429000 error on kucoin
# see https://github.com/freqtrade/freqtrade/issues/5700 for details.
_get_logging_mixin().log_once(
f"Kucoin 429 error, avoid triggering DDosProtection backoff delay. "
2024-05-12 14:58:33 +00:00
f"{count} tries left before giving up",
logmethod=logger.warning,
)
# Reset msg to avoid logging too many times.
2024-05-12 14:58:33 +00:00
msg = ""
else:
backoff_delay = calculate_backoff(count + 1, API_RETRY_COUNT)
logger.info(f"Applying DDosProtection backoff delay: {backoff_delay}")
await asyncio.sleep(backoff_delay)
if msg:
logger.warning(msg)
return await wrapper(*args, **kwargs)
else:
2024-05-12 14:58:33 +00:00
logger.warning(msg + "Giving up.")
raise ex
2024-05-12 14:58:33 +00:00
return wrapper
2024-05-12 14:58:33 +00:00
F = TypeVar("F", bound=Callable[..., Any])
# Type shenanigans
@overload
2024-05-12 14:58:33 +00:00
def retrier(_func: F) -> F: ...
@overload
2024-05-12 14:58:33 +00:00
def retrier(*, retries=API_RETRY_COUNT) -> Callable[[F], F]: ...
def retrier(_func: Optional[F] = None, *, retries=API_RETRY_COUNT):
def decorator(f: F) -> F:
@wraps(f)
def wrapper(*args, **kwargs):
2024-05-12 14:58:33 +00:00
count = kwargs.pop("count", retries)
try:
return f(*args, **kwargs)
2020-06-28 17:45:42 +00:00
except (TemporaryError, RetryableOrderError) as ex:
msg = f'{f.__name__}() returned exception: "{ex}". '
if count > 0:
2024-05-12 14:58:33 +00:00
logger.warning(msg + f"Retrying still for {count} times.")
count -= 1
2024-05-12 14:58:33 +00:00
kwargs.update({"count": count})
if isinstance(ex, (DDosProtection, RetryableOrderError)):
2020-06-28 17:45:42 +00:00
# increasing backoff
2020-06-29 18:00:42 +00:00
backoff_delay = calculate_backoff(count + 1, retries)
logger.info(f"Applying DDosProtection backoff delay: {backoff_delay}")
2020-06-29 18:00:42 +00:00
time.sleep(backoff_delay)
return wrapper(*args, **kwargs)
else:
2024-05-12 14:58:33 +00:00
logger.warning(msg + "Giving up.")
raise ex
2024-05-12 14:58:33 +00:00
return cast(F, wrapper)
2024-05-12 14:58:33 +00:00
2020-06-28 14:18:39 +00:00
# Support both @retrier and @retrier(retries=2) syntax
if _func is None:
return decorator
else:
return decorator(_func)