2018-01-28 05:26:57 +00:00
|
|
|
"""
|
|
|
|
IStrategy interface
|
|
|
|
This module defines the interface to apply for strategies
|
|
|
|
"""
|
2018-07-16 05:11:17 +00:00
|
|
|
import logging
|
2020-02-06 19:26:04 +00:00
|
|
|
import warnings
|
2018-07-22 15:39:35 +00:00
|
|
|
from abc import ABC, abstractmethod
|
2021-01-05 06:06:53 +00:00
|
|
|
from datetime import datetime, timedelta, timezone
|
2021-04-21 07:11:54 +00:00
|
|
|
from typing import Dict, List, Optional, Tuple, Union
|
2018-03-17 21:44:47 +00:00
|
|
|
|
2018-07-16 05:11:17 +00:00
|
|
|
import arrow
|
2018-01-15 08:35:11 +00:00
|
|
|
from pandas import DataFrame
|
|
|
|
|
2020-06-13 16:06:52 +00:00
|
|
|
from freqtrade.constants import ListPairsWithTimeframes
|
2018-12-26 13:32:17 +00:00
|
|
|
from freqtrade.data.dataprovider import DataProvider
|
2021-08-24 19:03:13 +00:00
|
|
|
from freqtrade.enums import SellType, SignalDirection, SignalTagType, SignalType
|
2020-08-24 09:44:32 +00:00
|
|
|
from freqtrade.exceptions import OperationalException, StrategyError
|
2021-01-05 13:49:35 +00:00
|
|
|
from freqtrade.exchange import timeframe_to_minutes, timeframe_to_seconds
|
2020-08-24 09:44:32 +00:00
|
|
|
from freqtrade.exchange.exchange import timeframe_to_next_date
|
2020-10-25 09:54:30 +00:00
|
|
|
from freqtrade.persistence import PairLocks, Trade
|
2021-03-24 14:03:38 +00:00
|
|
|
from freqtrade.strategy.hyper import HyperStrategyMixin
|
2021-09-19 23:44:12 +00:00
|
|
|
from freqtrade.strategy.informative_decorator import (InformativeData, PopulateIndicators,
|
|
|
|
_create_and_merge_informative_pair,
|
|
|
|
_format_pair_name)
|
2020-02-06 19:26:04 +00:00
|
|
|
from freqtrade.strategy.strategy_wrapper import strategy_safe_wrapper
|
2018-12-26 13:32:17 +00:00
|
|
|
from freqtrade.wallets import Wallets
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2020-09-28 17:39:41 +00:00
|
|
|
|
2018-07-16 05:11:17 +00:00
|
|
|
logger = logging.getLogger(__name__)
|
2021-04-20 08:17:00 +00:00
|
|
|
CUSTOM_SELL_MAX_LENGTH = 64
|
2018-07-16 05:11:17 +00:00
|
|
|
|
|
|
|
|
2021-11-11 11:06:18 +00:00
|
|
|
class SellCheckTuple:
|
2018-07-12 20:21:52 +00:00
|
|
|
"""
|
|
|
|
NamedTuple for Sell type + reason
|
|
|
|
"""
|
|
|
|
sell_type: SellType
|
2021-04-26 07:42:24 +00:00
|
|
|
sell_reason: str = ''
|
2021-04-21 07:11:54 +00:00
|
|
|
|
2021-04-26 07:42:24 +00:00
|
|
|
def __init__(self, sell_type: SellType, sell_reason: str = ''):
|
2021-04-21 07:11:54 +00:00
|
|
|
self.sell_type = sell_type
|
|
|
|
self.sell_reason = sell_reason or sell_type.value
|
2018-07-12 20:21:52 +00:00
|
|
|
|
2021-04-22 06:21:19 +00:00
|
|
|
@property
|
|
|
|
def sell_flag(self):
|
|
|
|
return self.sell_type != SellType.NONE
|
|
|
|
|
2018-07-12 20:21:52 +00:00
|
|
|
|
2021-03-24 14:03:38 +00:00
|
|
|
class IStrategy(ABC, HyperStrategyMixin):
|
2018-01-28 05:26:57 +00:00
|
|
|
"""
|
|
|
|
Interface for freqtrade strategies
|
|
|
|
Defines the mandatory structure must follow any custom strategies
|
|
|
|
|
|
|
|
Attributes you can use:
|
|
|
|
minimal_roi -> Dict: Minimal ROI designed for the strategy
|
|
|
|
stoploss -> float: optimal stoploss designed for the strategy
|
2020-06-01 18:49:40 +00:00
|
|
|
timeframe -> str: value of the timeframe (ticker interval) to use with the strategy
|
2018-01-28 05:26:57 +00:00
|
|
|
"""
|
2019-08-26 17:44:33 +00:00
|
|
|
# Strategy interface version
|
|
|
|
# Default to version 2
|
2019-08-26 18:16:03 +00:00
|
|
|
# Version 1 is the initial interface without metadata dict
|
2019-08-26 17:44:33 +00:00
|
|
|
# Version 2 populate_* include metadata dict
|
2019-08-26 18:16:03 +00:00
|
|
|
INTERFACE_VERSION: int = 2
|
2018-01-15 08:35:11 +00:00
|
|
|
|
2018-07-23 16:38:21 +00:00
|
|
|
_populate_fun_len: int = 0
|
|
|
|
_buy_fun_len: int = 0
|
|
|
|
_sell_fun_len: int = 0
|
2021-10-27 04:29:35 +00:00
|
|
|
_ft_params_from_file: Dict
|
2018-06-15 03:27:41 +00:00
|
|
|
# associated minimal roi
|
2021-10-27 04:29:35 +00:00
|
|
|
minimal_roi: Dict = {}
|
2018-06-15 03:27:41 +00:00
|
|
|
|
|
|
|
# associated stoploss
|
2018-05-31 19:59:22 +00:00
|
|
|
stoploss: float
|
2018-06-15 03:27:41 +00:00
|
|
|
|
2019-01-05 06:10:25 +00:00
|
|
|
# trailing stoploss
|
|
|
|
trailing_stop: bool = False
|
2019-10-11 19:59:13 +00:00
|
|
|
trailing_stop_positive: Optional[float] = None
|
2019-10-11 06:55:31 +00:00
|
|
|
trailing_stop_positive_offset: float = 0.0
|
2019-03-12 14:43:53 +00:00
|
|
|
trailing_only_offset_is_reached = False
|
2020-12-20 10:12:22 +00:00
|
|
|
use_custom_stoploss: bool = False
|
2019-01-05 06:10:25 +00:00
|
|
|
|
2020-06-02 07:50:56 +00:00
|
|
|
# associated timeframe
|
2020-06-02 08:19:27 +00:00
|
|
|
ticker_interval: str # DEPRECATED
|
2020-06-02 07:50:56 +00:00
|
|
|
timeframe: str
|
2018-05-31 19:59:22 +00:00
|
|
|
|
2018-11-15 05:58:24 +00:00
|
|
|
# Optional order types
|
|
|
|
order_types: Dict = {
|
|
|
|
'buy': 'limit',
|
|
|
|
'sell': 'limit',
|
2018-11-25 16:22:56 +00:00
|
|
|
'stoploss': 'limit',
|
2019-01-08 11:39:53 +00:00
|
|
|
'stoploss_on_exchange': False,
|
|
|
|
'stoploss_on_exchange_interval': 60,
|
2018-11-15 05:58:24 +00:00
|
|
|
}
|
|
|
|
|
2018-11-25 21:02:59 +00:00
|
|
|
# Optional time in force
|
|
|
|
order_time_in_force: Dict = {
|
|
|
|
'buy': 'gtc',
|
|
|
|
'sell': 'gtc',
|
|
|
|
}
|
|
|
|
|
2018-08-09 17:24:00 +00:00
|
|
|
# run "populate_indicators" only for new candle
|
2018-09-01 17:52:40 +00:00
|
|
|
process_only_new_candles: bool = False
|
2018-08-09 17:24:00 +00:00
|
|
|
|
2021-06-26 15:15:05 +00:00
|
|
|
use_sell_signal: bool
|
|
|
|
sell_profit_only: bool
|
|
|
|
sell_profit_offset: float
|
|
|
|
ignore_roi_if_buy_signal: bool
|
|
|
|
|
2021-01-12 06:30:39 +00:00
|
|
|
# Number of seconds after which the candle will no longer result in a buy on expired candles
|
2021-01-04 19:49:24 +00:00
|
|
|
ignore_buying_expired_candle_after: int = 0
|
|
|
|
|
2020-05-29 17:37:18 +00:00
|
|
|
# Disable checking the dataframe (converts the error into a warning message)
|
|
|
|
disable_dataframe_checks: bool = False
|
|
|
|
|
2019-10-20 09:17:01 +00:00
|
|
|
# Count of candles the strategy requires before producing valid signals
|
|
|
|
startup_candle_count: int = 0
|
|
|
|
|
2021-01-06 15:37:09 +00:00
|
|
|
# Protections
|
2021-06-17 19:01:22 +00:00
|
|
|
protections: List = []
|
2021-01-06 15:37:09 +00:00
|
|
|
|
2018-12-26 13:32:17 +00:00
|
|
|
# Class level variables (intentional) containing
|
|
|
|
# the dataprovider (dp) (access to other candles, historic data, ...)
|
|
|
|
# and wallets - access to the current balance.
|
2021-09-19 23:44:12 +00:00
|
|
|
dp: Optional[DataProvider]
|
2019-11-21 01:59:38 +00:00
|
|
|
wallets: Optional[Wallets] = None
|
2021-08-31 05:18:32 +00:00
|
|
|
# Filled from configuration
|
|
|
|
stake_currency: str
|
2020-10-02 04:41:28 +00:00
|
|
|
# container variable for strategy source code
|
|
|
|
__source__: str = ''
|
2018-12-26 13:32:17 +00:00
|
|
|
|
2020-01-04 11:54:58 +00:00
|
|
|
# Definition of plot_config. See plotting documentation for more details.
|
|
|
|
plot_config: Dict = {}
|
2020-01-04 10:14:00 +00:00
|
|
|
|
2018-07-17 07:47:15 +00:00
|
|
|
def __init__(self, config: dict) -> None:
|
2018-07-16 05:11:17 +00:00
|
|
|
self.config = config
|
2019-01-21 18:28:53 +00:00
|
|
|
# Dict to determine if analysis is necessary
|
|
|
|
self._last_candle_seen_per_pair: Dict[str, datetime] = {}
|
2021-03-26 12:25:17 +00:00
|
|
|
super().__init__(config)
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2021-09-19 23:44:12 +00:00
|
|
|
# Gather informative pairs from @informative-decorated methods.
|
|
|
|
self._ft_informative: List[Tuple[InformativeData, PopulateIndicators]] = []
|
|
|
|
for attr_name in dir(self.__class__):
|
|
|
|
cls_method = getattr(self.__class__, attr_name)
|
|
|
|
if not callable(cls_method):
|
|
|
|
continue
|
|
|
|
informative_data_list = getattr(cls_method, '_ft_informative', None)
|
|
|
|
if not isinstance(informative_data_list, list):
|
|
|
|
# Type check is required because mocker would return a mock object that evaluates to
|
|
|
|
# True, confusing this code.
|
|
|
|
continue
|
|
|
|
strategy_timeframe_minutes = timeframe_to_minutes(self.timeframe)
|
|
|
|
for informative_data in informative_data_list:
|
|
|
|
if timeframe_to_minutes(informative_data.timeframe) < strategy_timeframe_minutes:
|
|
|
|
raise OperationalException('Informative timeframe must be equal or higher than '
|
|
|
|
'strategy timeframe!')
|
|
|
|
self._ft_informative.append((informative_data, cls_method))
|
|
|
|
|
2018-07-22 15:39:35 +00:00
|
|
|
@abstractmethod
|
2018-07-29 18:36:03 +00:00
|
|
|
def populate_indicators(self, dataframe: DataFrame, metadata: dict) -> DataFrame:
|
2018-01-15 08:35:11 +00:00
|
|
|
"""
|
2021-08-08 09:38:34 +00:00
|
|
|
Populate indicators that will be used in the Buy, Sell, Short, Exit_short strategy
|
2020-03-08 10:35:31 +00:00
|
|
|
:param dataframe: DataFrame with data from the exchange
|
2018-07-29 18:36:03 +00:00
|
|
|
:param metadata: Additional information, like the currently traded pair
|
2018-01-15 08:35:11 +00:00
|
|
|
:return: a Dataframe with all mandatory indicators for the strategies
|
|
|
|
"""
|
2021-04-30 12:30:37 +00:00
|
|
|
return dataframe
|
2018-01-15 08:35:11 +00:00
|
|
|
|
2018-07-22 15:39:35 +00:00
|
|
|
@abstractmethod
|
2021-08-18 10:19:17 +00:00
|
|
|
def populate_buy_trend(self, dataframe: DataFrame, metadata: dict) -> DataFrame:
|
2018-01-15 08:35:11 +00:00
|
|
|
"""
|
|
|
|
Based on TA indicators, populates the buy signal for the given dataframe
|
|
|
|
:param dataframe: DataFrame
|
2018-07-29 18:36:03 +00:00
|
|
|
:param metadata: Additional information, like the currently traded pair
|
2018-01-15 08:35:11 +00:00
|
|
|
:return: DataFrame with buy column
|
|
|
|
"""
|
2021-04-30 12:30:37 +00:00
|
|
|
return dataframe
|
2018-01-15 08:35:11 +00:00
|
|
|
|
2018-07-22 15:39:35 +00:00
|
|
|
@abstractmethod
|
2021-08-18 10:19:17 +00:00
|
|
|
def populate_sell_trend(self, dataframe: DataFrame, metadata: dict) -> DataFrame:
|
2018-01-15 08:35:11 +00:00
|
|
|
"""
|
|
|
|
Based on TA indicators, populates the sell signal for the given dataframe
|
|
|
|
:param dataframe: DataFrame
|
2018-07-29 18:36:03 +00:00
|
|
|
:param metadata: Additional information, like the currently traded pair
|
2018-03-25 18:24:56 +00:00
|
|
|
:return: DataFrame with sell column
|
2018-01-15 08:35:11 +00:00
|
|
|
"""
|
2021-04-30 12:30:37 +00:00
|
|
|
return dataframe
|
2018-07-12 18:38:14 +00:00
|
|
|
|
2020-03-01 08:43:20 +00:00
|
|
|
def check_buy_timeout(self, pair: str, trade: Trade, order: dict, **kwargs) -> bool:
|
2020-02-06 19:30:17 +00:00
|
|
|
"""
|
2021-08-18 10:19:17 +00:00
|
|
|
Check buy timeout function callback.
|
2021-08-08 09:38:34 +00:00
|
|
|
This method can be used to override the enter-timeout.
|
2021-09-09 08:10:12 +00:00
|
|
|
It is called whenever a limit entry order has been created,
|
2020-02-06 19:30:17 +00:00
|
|
|
and is not yet fully filled.
|
|
|
|
Configuration options in `unfilledtimeout` will be verified before this,
|
|
|
|
so ensure to set these timeouts high enough.
|
|
|
|
|
|
|
|
When not implemented by a strategy, this simply returns False.
|
|
|
|
:param pair: Pair the trade is for
|
|
|
|
:param trade: trade object.
|
|
|
|
:param order: Order dictionary as returned from CCXT.
|
|
|
|
:param **kwargs: Ensure to keep this here so updates to this won't break your strategy.
|
2021-09-09 08:10:12 +00:00
|
|
|
:return bool: When True is returned, then the entry order is cancelled.
|
2020-02-06 19:30:17 +00:00
|
|
|
"""
|
|
|
|
return False
|
|
|
|
|
2020-03-01 08:43:20 +00:00
|
|
|
def check_sell_timeout(self, pair: str, trade: Trade, order: dict, **kwargs) -> bool:
|
2020-02-21 19:27:13 +00:00
|
|
|
"""
|
2021-08-18 10:19:17 +00:00
|
|
|
Check sell timeout function callback.
|
2021-08-08 09:38:34 +00:00
|
|
|
This method can be used to override the exit-timeout.
|
|
|
|
It is called whenever a (long) limit sell order or (short) limit buy
|
|
|
|
has been created, and is not yet fully filled.
|
2020-02-21 19:27:13 +00:00
|
|
|
Configuration options in `unfilledtimeout` will be verified before this,
|
|
|
|
so ensure to set these timeouts high enough.
|
|
|
|
|
|
|
|
When not implemented by a strategy, this simply returns False.
|
|
|
|
:param pair: Pair the trade is for
|
|
|
|
:param trade: trade object.
|
|
|
|
:param order: Order dictionary as returned from CCXT.
|
|
|
|
:param **kwargs: Ensure to keep this here so updates to this won't break your strategy.
|
2021-08-08 09:38:34 +00:00
|
|
|
:return bool: When True is returned, then the (long)sell/(short)buy-order is cancelled.
|
2020-02-21 19:27:13 +00:00
|
|
|
"""
|
|
|
|
return False
|
|
|
|
|
2020-06-14 04:52:11 +00:00
|
|
|
def bot_loop_start(self, **kwargs) -> None:
|
|
|
|
"""
|
|
|
|
Called at the start of the bot iteration (one loop).
|
|
|
|
Might be used to perform pair-independent tasks
|
2020-07-04 07:43:49 +00:00
|
|
|
(e.g. gather some remote resource for comparison)
|
2020-06-14 04:52:11 +00:00
|
|
|
:param **kwargs: Ensure to keep this here so updates to this won't break your strategy.
|
|
|
|
"""
|
|
|
|
pass
|
|
|
|
|
2020-06-14 08:08:19 +00:00
|
|
|
def confirm_trade_entry(self, pair: str, order_type: str, amount: float, rate: float,
|
2021-09-26 17:32:24 +00:00
|
|
|
time_in_force: str, current_time: datetime,
|
|
|
|
side: str, **kwargs) -> bool:
|
2020-06-14 08:08:19 +00:00
|
|
|
"""
|
2021-09-09 08:10:12 +00:00
|
|
|
Called right before placing a entry order.
|
2020-06-14 08:08:19 +00:00
|
|
|
Timing for this function is critical, so avoid doing heavy computations or
|
2020-06-14 08:49:15 +00:00
|
|
|
network requests in this method.
|
2020-06-14 08:08:19 +00:00
|
|
|
|
|
|
|
For full documentation please go to https://www.freqtrade.io/en/latest/strategy-advanced/
|
|
|
|
|
|
|
|
When not implemented by a strategy, returns True (always confirming).
|
|
|
|
|
2021-08-08 09:38:34 +00:00
|
|
|
:param pair: Pair that's about to be bought/shorted.
|
2020-06-14 08:08:19 +00:00
|
|
|
:param order_type: Order type (as configured in order_types). usually limit or market.
|
|
|
|
:param amount: Amount in target (quote) currency that's going to be traded.
|
|
|
|
:param rate: Rate that's going to be used when using limit orders
|
|
|
|
:param time_in_force: Time in force. Defaults to GTC (Good-til-cancelled).
|
2021-05-02 09:20:25 +00:00
|
|
|
:param current_time: datetime object, containing the current datetime
|
2021-09-26 17:32:24 +00:00
|
|
|
:param side: 'long' or 'short' - indicating the direction of the proposed trade
|
2020-06-14 08:08:19 +00:00
|
|
|
:param **kwargs: Ensure to keep this here so updates to this won't break your strategy.
|
|
|
|
:return bool: When True is returned, then the buy-order is placed on the exchange.
|
|
|
|
False aborts the process
|
|
|
|
"""
|
|
|
|
return True
|
|
|
|
|
2020-06-18 17:46:03 +00:00
|
|
|
def confirm_trade_exit(self, pair: str, trade: Trade, order_type: str, amount: float,
|
2021-05-02 09:20:25 +00:00
|
|
|
rate: float, time_in_force: str, sell_reason: str,
|
|
|
|
current_time: datetime, **kwargs) -> bool:
|
2020-06-14 08:08:19 +00:00
|
|
|
"""
|
2021-09-09 08:10:12 +00:00
|
|
|
Called right before placing a regular exit order.
|
2020-06-14 08:08:19 +00:00
|
|
|
Timing for this function is critical, so avoid doing heavy computations or
|
2020-06-14 08:49:15 +00:00
|
|
|
network requests in this method.
|
2020-06-14 08:08:19 +00:00
|
|
|
|
|
|
|
For full documentation please go to https://www.freqtrade.io/en/latest/strategy-advanced/
|
|
|
|
|
|
|
|
When not implemented by a strategy, returns True (always confirming).
|
|
|
|
|
2021-08-08 09:38:34 +00:00
|
|
|
:param pair: Pair for trade that's about to be exited.
|
2020-06-14 08:08:19 +00:00
|
|
|
:param trade: trade object.
|
|
|
|
:param order_type: Order type (as configured in order_types). usually limit or market.
|
|
|
|
:param amount: Amount in quote currency.
|
|
|
|
:param rate: Rate that's going to be used when using limit orders
|
|
|
|
:param time_in_force: Time in force. Defaults to GTC (Good-til-cancelled).
|
2021-08-08 09:38:34 +00:00
|
|
|
:param sell_reason: Exit reason.
|
2020-06-14 08:08:19 +00:00
|
|
|
Can be any of ['roi', 'stop_loss', 'stoploss_on_exchange', 'trailing_stop_loss',
|
|
|
|
'sell_signal', 'force_sell', 'emergency_sell']
|
2021-05-02 09:20:25 +00:00
|
|
|
:param current_time: datetime object, containing the current datetime
|
2020-06-14 08:08:19 +00:00
|
|
|
:param **kwargs: Ensure to keep this here so updates to this won't break your strategy.
|
2021-08-08 09:38:34 +00:00
|
|
|
:return bool: When True, then the sell-order/exit_short-order is placed on the exchange.
|
2020-06-14 08:08:19 +00:00
|
|
|
False aborts the process
|
|
|
|
"""
|
|
|
|
return True
|
|
|
|
|
2020-12-20 10:17:50 +00:00
|
|
|
def custom_stoploss(self, pair: str, trade: Trade, current_time: datetime, current_rate: float,
|
2021-05-02 09:17:59 +00:00
|
|
|
current_profit: float, **kwargs) -> float:
|
2020-12-09 06:45:41 +00:00
|
|
|
"""
|
2020-12-19 12:18:06 +00:00
|
|
|
Custom stoploss logic, returning the new distance relative to current_rate (as ratio).
|
|
|
|
e.g. returning -0.05 would create a stoploss 5% below current_rate.
|
2020-12-09 06:45:41 +00:00
|
|
|
The custom stoploss can never be below self.stoploss, which serves as a hard maximum loss.
|
|
|
|
|
|
|
|
For full documentation please go to https://www.freqtrade.io/en/latest/strategy-advanced/
|
|
|
|
|
|
|
|
When not implemented by a strategy, returns the initial stoploss value
|
2020-12-20 10:12:22 +00:00
|
|
|
Only called when use_custom_stoploss is set to True.
|
2020-12-09 06:45:41 +00:00
|
|
|
|
2020-12-31 08:48:49 +00:00
|
|
|
:param pair: Pair that's currently analyzed
|
2020-12-09 06:45:41 +00:00
|
|
|
:param trade: trade object.
|
2020-12-19 10:58:42 +00:00
|
|
|
:param current_time: datetime object, containing the current datetime
|
2020-12-12 06:06:16 +00:00
|
|
|
:param current_rate: Rate, calculated based on pricing settings in ask_strategy.
|
|
|
|
:param current_profit: Current profit (as ratio), calculated based on current_rate.
|
2020-12-09 06:45:41 +00:00
|
|
|
:param **kwargs: Ensure to keep this here so updates to this won't break your strategy.
|
2021-06-25 13:45:49 +00:00
|
|
|
:return float: New stoploss value, relative to the current_rate
|
2020-12-09 06:45:41 +00:00
|
|
|
"""
|
|
|
|
return self.stoploss
|
|
|
|
|
2021-08-01 06:09:59 +00:00
|
|
|
def custom_entry_price(self, pair: str, current_time: datetime, proposed_rate: float,
|
2021-08-03 20:19:29 +00:00
|
|
|
**kwargs) -> float:
|
2021-07-31 04:05:45 +00:00
|
|
|
"""
|
|
|
|
Custom entry price logic, returning the new entry price.
|
|
|
|
|
|
|
|
For full documentation please go to https://www.freqtrade.io/en/latest/strategy-advanced/
|
|
|
|
|
|
|
|
When not implemented by a strategy, returns None, orderbook is used to set entry price
|
|
|
|
|
|
|
|
:param pair: Pair that's currently analyzed
|
|
|
|
:param current_time: datetime object, containing the current datetime
|
2021-08-01 06:09:59 +00:00
|
|
|
:param proposed_rate: Rate, calculated based on pricing settings in ask_strategy.
|
2021-07-31 04:05:45 +00:00
|
|
|
:param **kwargs: Ensure to keep this here so updates to this won't break your strategy.
|
|
|
|
:return float: New entry price value if provided
|
|
|
|
"""
|
2021-08-01 06:09:59 +00:00
|
|
|
return proposed_rate
|
2021-07-31 04:05:45 +00:00
|
|
|
|
2021-08-04 23:09:55 +00:00
|
|
|
def custom_exit_price(self, pair: str, trade: Trade,
|
|
|
|
current_time: datetime, proposed_rate: float,
|
2021-08-05 03:09:40 +00:00
|
|
|
current_profit: float, **kwargs) -> float:
|
2021-08-04 22:54:17 +00:00
|
|
|
"""
|
|
|
|
Custom exit price logic, returning the new exit price.
|
|
|
|
|
|
|
|
For full documentation please go to https://www.freqtrade.io/en/latest/strategy-advanced/
|
|
|
|
|
|
|
|
When not implemented by a strategy, returns None, orderbook is used to set exit price
|
|
|
|
|
|
|
|
:param pair: Pair that's currently analyzed
|
2021-08-04 23:09:55 +00:00
|
|
|
:param trade: trade object.
|
2021-08-04 22:54:17 +00:00
|
|
|
:param current_time: datetime object, containing the current datetime
|
|
|
|
:param proposed_rate: Rate, calculated based on pricing settings in ask_strategy.
|
2021-08-04 23:09:55 +00:00
|
|
|
:param current_profit: Current profit (as ratio), calculated based on current_rate.
|
2021-08-04 22:54:17 +00:00
|
|
|
:param **kwargs: Ensure to keep this here so updates to this won't break your strategy.
|
|
|
|
:return float: New exit price value if provided
|
|
|
|
"""
|
|
|
|
return proposed_rate
|
|
|
|
|
2021-04-17 07:49:09 +00:00
|
|
|
def custom_sell(self, pair: str, trade: Trade, current_time: datetime, current_rate: float,
|
2021-05-02 09:17:59 +00:00
|
|
|
current_profit: float, **kwargs) -> Optional[Union[str, bool]]:
|
2021-04-17 07:49:09 +00:00
|
|
|
"""
|
2021-08-08 09:38:34 +00:00
|
|
|
Custom exit signal logic indicating that specified position should be sold. Returning a
|
|
|
|
string or True from this method is equal to setting exit signal on a candle at specified
|
|
|
|
time. This method is not called when exit signal is set.
|
2021-04-17 07:49:09 +00:00
|
|
|
|
2021-08-08 09:38:34 +00:00
|
|
|
This method should be overridden to create exit signals that depend on trade parameters. For
|
|
|
|
example you could implement an exit relative to the candle when the trade was opened,
|
2021-08-04 04:46:21 +00:00
|
|
|
or a custom 1:2 risk-reward ROI.
|
2021-04-17 07:49:09 +00:00
|
|
|
|
2021-08-08 09:38:34 +00:00
|
|
|
Custom exit reason max length is 64. Exceeding characters will be removed.
|
2021-04-20 08:17:00 +00:00
|
|
|
|
2021-04-17 07:49:09 +00:00
|
|
|
:param pair: Pair that's currently analyzed
|
|
|
|
:param trade: trade object.
|
|
|
|
:param current_time: datetime object, containing the current datetime
|
|
|
|
:param current_rate: Rate, calculated based on pricing settings in ask_strategy.
|
|
|
|
:param current_profit: Current profit (as ratio), calculated based on current_rate.
|
|
|
|
:param **kwargs: Ensure to keep this here so updates to this won't break your strategy.
|
2021-08-08 09:38:34 +00:00
|
|
|
:return: To execute exit, return a string with custom sell reason or True. Otherwise return
|
2021-04-20 08:17:00 +00:00
|
|
|
None or False.
|
2021-04-17 07:49:09 +00:00
|
|
|
"""
|
2021-04-20 08:17:00 +00:00
|
|
|
return None
|
2021-04-17 07:49:09 +00:00
|
|
|
|
2021-07-11 09:20:31 +00:00
|
|
|
def custom_stake_amount(self, pair: str, current_time: datetime, current_rate: float,
|
|
|
|
proposed_stake: float, min_stake: float, max_stake: float,
|
2021-09-26 17:35:54 +00:00
|
|
|
side: str, **kwargs) -> float:
|
2021-07-11 09:20:31 +00:00
|
|
|
"""
|
2021-09-22 18:14:52 +00:00
|
|
|
Customize stake size for each new trade.
|
2021-07-11 09:20:31 +00:00
|
|
|
|
|
|
|
:param pair: Pair that's currently analyzed
|
|
|
|
:param current_time: datetime object, containing the current datetime
|
|
|
|
:param current_rate: Rate, calculated based on pricing settings in ask_strategy.
|
|
|
|
:param proposed_stake: A stake amount proposed by the bot.
|
|
|
|
:param min_stake: Minimal stake size allowed by exchange.
|
|
|
|
:param max_stake: Balance available for trading.
|
2021-09-26 17:35:54 +00:00
|
|
|
:param side: 'long' or 'short' - indicating the direction of the proposed trade
|
2021-07-11 09:20:31 +00:00
|
|
|
:return: A stake size, which is between min_stake and max_stake.
|
|
|
|
"""
|
|
|
|
return proposed_stake
|
|
|
|
|
2021-09-22 18:14:52 +00:00
|
|
|
def leverage(self, pair: str, current_time: datetime, current_rate: float,
|
|
|
|
proposed_leverage: float, max_leverage: float, side: str,
|
|
|
|
**kwargs) -> float:
|
|
|
|
"""
|
|
|
|
Customize leverage for each new trade. This method is not called when edge module is
|
|
|
|
enabled.
|
|
|
|
|
|
|
|
:param pair: Pair that's currently analyzed
|
|
|
|
:param current_time: datetime object, containing the current datetime
|
|
|
|
:param current_rate: Rate, calculated based on pricing settings in ask_strategy.
|
|
|
|
:param proposed_leverage: A leverage proposed by the bot.
|
|
|
|
:param max_leverage: Max leverage allowed on this pair
|
|
|
|
:param side: 'long' or 'short' - indicating the direction of the proposed trade
|
|
|
|
:return: A leverage amount, which is between 1.0 and max_leverage.
|
|
|
|
"""
|
|
|
|
return 1.0
|
|
|
|
|
2020-05-16 08:09:50 +00:00
|
|
|
def informative_pairs(self) -> ListPairsWithTimeframes:
|
2019-01-21 19:22:27 +00:00
|
|
|
"""
|
2019-01-26 18:22:45 +00:00
|
|
|
Define additional, informative pair/interval combinations to be cached from the exchange.
|
2021-06-25 13:45:49 +00:00
|
|
|
These pair/interval combinations are non-tradable, unless they are part
|
2019-01-21 19:22:27 +00:00
|
|
|
of the whitelist as well.
|
|
|
|
For more information, please consult the documentation
|
|
|
|
:return: List of tuples in the format (pair, interval)
|
|
|
|
Sample: return [("ETH/USDT", "5m"),
|
|
|
|
("BTC/USDT", "15m"),
|
|
|
|
]
|
|
|
|
"""
|
|
|
|
return []
|
|
|
|
|
2020-06-13 05:09:44 +00:00
|
|
|
###
|
|
|
|
# END - Intended to be overridden by strategy
|
|
|
|
###
|
|
|
|
|
2021-09-19 23:44:12 +00:00
|
|
|
def gather_informative_pairs(self) -> ListPairsWithTimeframes:
|
|
|
|
"""
|
|
|
|
Internal method which gathers all informative pairs (user or automatically defined).
|
|
|
|
"""
|
|
|
|
informative_pairs = self.informative_pairs()
|
|
|
|
for inf_data, _ in self._ft_informative:
|
|
|
|
if inf_data.asset:
|
2021-11-21 07:43:05 +00:00
|
|
|
pair_tf = (
|
|
|
|
_format_pair_name(self.config, inf_data.asset),
|
|
|
|
inf_data.timeframe,
|
|
|
|
inf_data.candle_type
|
|
|
|
)
|
2021-09-19 23:44:12 +00:00
|
|
|
informative_pairs.append(pair_tf)
|
|
|
|
else:
|
|
|
|
if not self.dp:
|
|
|
|
raise OperationalException('@informative decorator with unspecified asset '
|
|
|
|
'requires DataProvider instance.')
|
|
|
|
for pair in self.dp.current_whitelist():
|
2021-11-21 07:43:05 +00:00
|
|
|
informative_pairs.append((pair, inf_data.timeframe, inf_data.candle_type))
|
2021-09-19 23:44:12 +00:00
|
|
|
return list(set(informative_pairs))
|
|
|
|
|
2018-07-12 18:38:14 +00:00
|
|
|
def get_strategy_name(self) -> str:
|
|
|
|
"""
|
|
|
|
Returns strategy class name
|
|
|
|
"""
|
2018-07-19 17:41:42 +00:00
|
|
|
return self.__class__.__name__
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2020-10-17 09:28:34 +00:00
|
|
|
def lock_pair(self, pair: str, until: datetime, reason: str = None) -> None:
|
2019-08-12 14:29:09 +00:00
|
|
|
"""
|
|
|
|
Locks pair until a given timestamp happens.
|
|
|
|
Locked pairs are not analyzed, and are prevented from opening new trades.
|
2019-12-22 08:46:00 +00:00
|
|
|
Locks can only count up (allowing users to lock pairs for a longer period of time).
|
|
|
|
To remove a lock from a pair, use `unlock_pair()`
|
2019-08-12 17:50:22 +00:00
|
|
|
:param pair: Pair to lock
|
|
|
|
:param until: datetime in UTC until the pair should be blocked from opening new trades.
|
|
|
|
Needs to be timezone aware `datetime.now(timezone.utc)`
|
2020-10-21 17:35:57 +00:00
|
|
|
:param reason: Optional string explaining why the pair was locked.
|
2019-08-12 14:29:09 +00:00
|
|
|
"""
|
2020-10-25 09:54:30 +00:00
|
|
|
PairLocks.lock_pair(pair, until, reason)
|
2019-12-22 08:46:00 +00:00
|
|
|
|
2020-02-02 04:00:40 +00:00
|
|
|
def unlock_pair(self, pair: str) -> None:
|
2019-12-22 08:46:00 +00:00
|
|
|
"""
|
|
|
|
Unlocks a pair previously locked using lock_pair.
|
|
|
|
Not used by freqtrade itself, but intended to be used if users lock pairs
|
|
|
|
manually from within the strategy, to allow an easy way to unlock pairs.
|
|
|
|
:param pair: Unlock pair to allow trading again
|
|
|
|
"""
|
2020-10-25 09:54:30 +00:00
|
|
|
PairLocks.unlock_pair(pair, datetime.now(timezone.utc))
|
2019-08-12 17:50:22 +00:00
|
|
|
|
2021-10-25 22:04:40 +00:00
|
|
|
def unlock_reason(self, reason: str) -> None:
|
|
|
|
"""
|
|
|
|
Unlocks all pairs previously locked using lock_pair with specified reason.
|
|
|
|
Not used by freqtrade itself, but intended to be used if users lock pairs
|
|
|
|
manually from within the strategy, to allow an easy way to unlock pairs.
|
|
|
|
:param reason: Unlock pairs to allow trading again
|
|
|
|
"""
|
|
|
|
PairLocks.unlock_reason(reason, datetime.now(timezone.utc))
|
|
|
|
|
2020-08-24 09:09:09 +00:00
|
|
|
def is_pair_locked(self, pair: str, candle_date: datetime = None) -> bool:
|
2019-08-12 17:50:22 +00:00
|
|
|
"""
|
|
|
|
Checks if a pair is currently locked
|
2020-08-24 15:18:57 +00:00
|
|
|
The 2nd, optional parameter ensures that locks are applied until the new candle arrives,
|
|
|
|
and not stop at 14:00:00 - while the next candle arrives at 14:00:02 leaving a gap
|
2021-09-09 08:10:12 +00:00
|
|
|
of 2 seconds for an entry order to happen on an old signal.
|
2021-06-25 17:13:31 +00:00
|
|
|
:param pair: "Pair to check"
|
2020-08-24 15:18:57 +00:00
|
|
|
:param candle_date: Date of the last candle. Optional, defaults to current date
|
2020-08-24 15:31:00 +00:00
|
|
|
:returns: locking state of the pair in question.
|
2019-08-12 17:50:22 +00:00
|
|
|
"""
|
2020-10-17 09:28:34 +00:00
|
|
|
|
2020-08-24 09:09:09 +00:00
|
|
|
if not candle_date:
|
2020-10-17 09:28:34 +00:00
|
|
|
# Simple call ...
|
2020-11-21 13:46:27 +00:00
|
|
|
return PairLocks.is_pair_locked(pair)
|
2020-08-24 09:09:09 +00:00
|
|
|
else:
|
|
|
|
lock_time = timeframe_to_next_date(self.timeframe, candle_date)
|
2020-10-25 09:54:30 +00:00
|
|
|
return PairLocks.is_pair_locked(pair, lock_time)
|
2019-08-12 14:29:09 +00:00
|
|
|
|
2018-12-11 18:47:48 +00:00
|
|
|
def analyze_ticker(self, dataframe: DataFrame, metadata: dict) -> DataFrame:
|
2018-07-16 05:11:17 +00:00
|
|
|
"""
|
2020-03-08 10:35:31 +00:00
|
|
|
Parses the given candle (OHLCV) data and returns a populated DataFrame
|
2021-09-09 08:10:12 +00:00
|
|
|
add several TA indicators and entry order signal to it
|
2020-03-08 10:35:31 +00:00
|
|
|
:param dataframe: Dataframe containing data from exchange
|
2019-08-04 08:20:31 +00:00
|
|
|
:param metadata: Metadata dictionary with additional data (e.g. 'pair')
|
2020-03-08 10:35:31 +00:00
|
|
|
:return: DataFrame of candle (OHLCV) data with indicator data and signals added
|
2019-08-04 08:20:31 +00:00
|
|
|
"""
|
|
|
|
logger.debug("TA Analysis Launched")
|
|
|
|
dataframe = self.advise_indicators(dataframe, metadata)
|
2021-09-22 18:42:31 +00:00
|
|
|
dataframe = self.advise_entry(dataframe, metadata)
|
|
|
|
dataframe = self.advise_exit(dataframe, metadata)
|
2019-08-04 08:20:31 +00:00
|
|
|
return dataframe
|
|
|
|
|
2019-08-04 10:55:03 +00:00
|
|
|
def _analyze_ticker_internal(self, dataframe: DataFrame, metadata: dict) -> DataFrame:
|
2019-08-04 08:20:31 +00:00
|
|
|
"""
|
2020-03-08 10:35:31 +00:00
|
|
|
Parses the given candle (OHLCV) data and returns a populated DataFrame
|
2019-08-04 08:20:31 +00:00
|
|
|
add several TA indicators and buy signal to it
|
2019-08-04 08:21:22 +00:00
|
|
|
WARNING: Used internally only, may skip analysis if `process_only_new_candles` is set.
|
2020-03-08 10:35:31 +00:00
|
|
|
:param dataframe: Dataframe containing data from exchange
|
2019-08-04 08:21:22 +00:00
|
|
|
:param metadata: Metadata dictionary with additional data (e.g. 'pair')
|
2020-03-08 10:35:31 +00:00
|
|
|
:return: DataFrame of candle (OHLCV) data with indicator data and signals added
|
2018-07-16 05:11:17 +00:00
|
|
|
"""
|
2018-08-09 11:02:41 +00:00
|
|
|
pair = str(metadata.get('pair'))
|
2018-08-03 07:33:34 +00:00
|
|
|
|
2018-09-01 17:53:49 +00:00
|
|
|
# Test if seen this pair and last candle before.
|
2018-12-13 18:43:17 +00:00
|
|
|
# always run if process_only_new_candles is set to false
|
2018-09-01 17:52:40 +00:00
|
|
|
if (not self.process_only_new_candles or
|
2018-09-01 17:50:45 +00:00
|
|
|
self._last_candle_seen_per_pair.get(pair, None) != dataframe.iloc[-1]['date']):
|
2018-08-03 07:33:34 +00:00
|
|
|
# Defs that only make change on new candle data.
|
2019-08-04 08:20:31 +00:00
|
|
|
dataframe = self.analyze_ticker(dataframe, metadata)
|
2018-09-01 17:50:45 +00:00
|
|
|
self._last_candle_seen_per_pair[pair] = dataframe.iloc[-1]['date']
|
2020-06-15 12:08:57 +00:00
|
|
|
if self.dp:
|
|
|
|
self.dp._set_cached_df(pair, self.timeframe, dataframe)
|
2018-08-03 07:33:34 +00:00
|
|
|
else:
|
2019-02-13 09:42:39 +00:00
|
|
|
logger.debug("Skipping TA Analysis for already analyzed candle")
|
2021-09-18 07:23:53 +00:00
|
|
|
dataframe[SignalType.ENTER_LONG.value] = 0
|
|
|
|
dataframe[SignalType.EXIT_LONG.value] = 0
|
|
|
|
dataframe[SignalType.ENTER_SHORT.value] = 0
|
|
|
|
dataframe[SignalType.EXIT_SHORT.value] = 0
|
2021-09-26 13:20:59 +00:00
|
|
|
dataframe[SignalTagType.ENTER_TAG.value] = None
|
2021-11-06 14:24:52 +00:00
|
|
|
dataframe[SignalTagType.EXIT_TAG.value] = None
|
2018-08-03 07:33:34 +00:00
|
|
|
|
|
|
|
# Other Defs in strategy that want to be called every loop here
|
|
|
|
# twitter_sell = self.watch_twitter_feed(dataframe, metadata)
|
2019-02-10 18:02:53 +00:00
|
|
|
logger.debug("Loop Analysis Launched")
|
2018-08-03 07:33:34 +00:00
|
|
|
|
2018-07-16 05:11:17 +00:00
|
|
|
return dataframe
|
|
|
|
|
2020-06-18 05:05:06 +00:00
|
|
|
def analyze_pair(self, pair: str) -> None:
|
2020-06-13 16:06:52 +00:00
|
|
|
"""
|
|
|
|
Fetch data for this pair from dataprovider and analyze.
|
|
|
|
Stores the dataframe into the dataprovider.
|
|
|
|
The analyzed dataframe is then accessible via `dp.get_analyzed_dataframe()`.
|
|
|
|
:param pair: Pair to analyze.
|
|
|
|
"""
|
2020-06-15 12:08:57 +00:00
|
|
|
if not self.dp:
|
|
|
|
raise OperationalException("DataProvider not found.")
|
2020-06-13 16:06:52 +00:00
|
|
|
dataframe = self.dp.ohlcv(pair, self.timeframe)
|
|
|
|
if not isinstance(dataframe, DataFrame) or dataframe.empty:
|
|
|
|
logger.warning('Empty candle (OHLCV) data for pair %s', pair)
|
|
|
|
return
|
|
|
|
|
|
|
|
try:
|
|
|
|
df_len, df_close, df_date = self.preserve_df(dataframe)
|
|
|
|
|
|
|
|
dataframe = strategy_safe_wrapper(
|
|
|
|
self._analyze_ticker_internal, message=""
|
|
|
|
)(dataframe, {'pair': pair})
|
|
|
|
|
|
|
|
self.assert_df(dataframe, df_len, df_close, df_date)
|
|
|
|
except StrategyError as error:
|
|
|
|
logger.warning(f"Unable to analyze candle (OHLCV) data for pair {pair}: {error}")
|
|
|
|
return
|
|
|
|
|
|
|
|
if dataframe.empty:
|
|
|
|
logger.warning('Empty dataframe for pair %s', pair)
|
|
|
|
return
|
|
|
|
|
2020-06-18 05:05:06 +00:00
|
|
|
def analyze(self, pairs: List[str]) -> None:
|
|
|
|
"""
|
|
|
|
Analyze all pairs using analyze_pair().
|
|
|
|
:param pairs: List of pairs to analyze
|
|
|
|
"""
|
2020-06-13 16:06:52 +00:00
|
|
|
for pair in pairs:
|
|
|
|
self.analyze_pair(pair)
|
|
|
|
|
2020-03-24 12:54:46 +00:00
|
|
|
@staticmethod
|
2020-03-26 06:05:30 +00:00
|
|
|
def preserve_df(dataframe: DataFrame) -> Tuple[int, float, datetime]:
|
2020-03-24 12:54:46 +00:00
|
|
|
""" keep some data for dataframes """
|
2020-03-26 06:05:30 +00:00
|
|
|
return len(dataframe), dataframe["close"].iloc[-1], dataframe["date"].iloc[-1]
|
2020-03-24 12:54:46 +00:00
|
|
|
|
2020-05-29 17:37:18 +00:00
|
|
|
def assert_df(self, dataframe: DataFrame, df_len: int, df_close: float, df_date: datetime):
|
2020-06-18 05:05:06 +00:00
|
|
|
"""
|
|
|
|
Ensure dataframe (length, last candle) was not modified, and has all elements we need.
|
|
|
|
"""
|
2021-06-19 17:32:29 +00:00
|
|
|
message_template = "Dataframe returned from strategy has mismatching {}."
|
2020-03-26 06:05:30 +00:00
|
|
|
message = ""
|
2021-06-19 17:32:29 +00:00
|
|
|
if dataframe is None:
|
|
|
|
message = "No dataframe returned (return statement missing?)."
|
2021-09-21 17:14:14 +00:00
|
|
|
elif 'enter_long' not in dataframe:
|
|
|
|
message = "enter_long/buy column not set."
|
2021-06-19 17:32:29 +00:00
|
|
|
elif df_len != len(dataframe):
|
|
|
|
message = message_template.format("length")
|
2020-03-26 06:05:30 +00:00
|
|
|
elif df_close != dataframe["close"].iloc[-1]:
|
2021-06-19 17:32:29 +00:00
|
|
|
message = message_template.format("last close price")
|
2020-03-26 06:05:30 +00:00
|
|
|
elif df_date != dataframe["date"].iloc[-1]:
|
2021-06-19 17:32:29 +00:00
|
|
|
message = message_template.format("last date")
|
2020-03-26 06:05:30 +00:00
|
|
|
if message:
|
2020-05-29 17:37:18 +00:00
|
|
|
if self.disable_dataframe_checks:
|
2021-06-19 17:32:29 +00:00
|
|
|
logger.warning(message)
|
2020-05-29 17:37:18 +00:00
|
|
|
else:
|
2021-06-19 17:32:29 +00:00
|
|
|
raise StrategyError(message)
|
2020-03-24 12:54:46 +00:00
|
|
|
|
2021-08-24 18:24:51 +00:00
|
|
|
def get_latest_candle(
|
2021-07-21 19:23:34 +00:00
|
|
|
self,
|
|
|
|
pair: str,
|
|
|
|
timeframe: str,
|
2021-08-08 09:38:34 +00:00
|
|
|
dataframe: DataFrame,
|
2021-08-24 18:40:35 +00:00
|
|
|
) -> Tuple[Optional[DataFrame], Optional[arrow.Arrow]]:
|
2018-07-16 05:11:17 +00:00
|
|
|
"""
|
2021-09-09 08:10:12 +00:00
|
|
|
Calculates current signal based based on the entry order or exit order
|
2021-08-18 12:23:44 +00:00
|
|
|
columns of the dataframe.
|
|
|
|
Used by Bot to get the signal to buy, sell, short, or exit_short
|
2018-07-16 05:11:17 +00:00
|
|
|
:param pair: pair in format ANT/BTC
|
2020-06-13 16:06:52 +00:00
|
|
|
:param timeframe: timeframe to use
|
2020-06-18 06:01:09 +00:00
|
|
|
:param dataframe: Analyzed dataframe to get signal from.
|
2021-08-24 18:24:51 +00:00
|
|
|
:return: (None, None) or (Dataframe, latest_date) - corresponding to the last candle
|
2018-07-16 05:11:17 +00:00
|
|
|
"""
|
2018-12-12 18:35:51 +00:00
|
|
|
if not isinstance(dataframe, DataFrame) or dataframe.empty:
|
2020-06-18 05:03:30 +00:00
|
|
|
logger.warning(f'Empty candle (OHLCV) data for pair {pair}')
|
2021-08-24 18:40:35 +00:00
|
|
|
return None, None
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2020-05-19 19:20:53 +00:00
|
|
|
latest_date = dataframe['date'].max()
|
2020-03-24 12:54:46 +00:00
|
|
|
latest = dataframe.loc[dataframe['date'] == latest_date].iloc[-1]
|
2020-05-26 14:58:29 +00:00
|
|
|
# Explicitly convert to arrow object to ensure the below comparison does not fail
|
2020-05-26 10:54:45 +00:00
|
|
|
latest_date = arrow.get(latest_date)
|
2020-03-11 16:28:03 +00:00
|
|
|
|
2020-03-11 15:34:23 +00:00
|
|
|
# Check if dataframe is out of date
|
2020-06-13 16:06:52 +00:00
|
|
|
timeframe_minutes = timeframe_to_minutes(timeframe)
|
2018-08-20 18:01:57 +00:00
|
|
|
offset = self.config.get('exchange', {}).get('outdated_offset', 5)
|
2020-06-13 16:06:52 +00:00
|
|
|
if latest_date < (arrow.utcnow().shift(minutes=-(timeframe_minutes * 2 + offset))):
|
2018-07-16 05:11:17 +00:00
|
|
|
logger.warning(
|
|
|
|
'Outdated history for pair %s. Last tick is %s minutes old',
|
2020-08-24 05:21:48 +00:00
|
|
|
pair, int((arrow.utcnow() - latest_date).total_seconds() // 60)
|
2018-07-16 05:11:17 +00:00
|
|
|
)
|
2021-08-24 18:24:51 +00:00
|
|
|
return None, None
|
|
|
|
return latest, latest_date
|
|
|
|
|
|
|
|
def get_exit_signal(
|
|
|
|
self,
|
|
|
|
pair: str,
|
|
|
|
timeframe: str,
|
|
|
|
dataframe: DataFrame,
|
|
|
|
is_short: bool = None
|
2021-11-06 14:24:52 +00:00
|
|
|
) -> Tuple[bool, bool, Optional[str]]:
|
2021-08-24 18:24:51 +00:00
|
|
|
"""
|
|
|
|
Calculates current exit signal based based on the buy/short or sell/exit_short
|
|
|
|
columns of the dataframe.
|
|
|
|
Used by Bot to get the signal to exit.
|
|
|
|
depending on is_short, looks at "short" or "long" columns.
|
|
|
|
:param pair: pair in format ANT/BTC
|
|
|
|
:param timeframe: timeframe to use
|
|
|
|
:param dataframe: Analyzed dataframe to get signal from.
|
|
|
|
:param is_short: Indicating existing trade direction.
|
|
|
|
:return: (enter, exit) A bool-tuple with enter / exit values.
|
|
|
|
"""
|
|
|
|
latest, latest_date = self.get_latest_candle(pair, timeframe, dataframe)
|
|
|
|
if latest is None:
|
2021-11-06 14:24:52 +00:00
|
|
|
return False, False, None
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2021-08-24 18:24:51 +00:00
|
|
|
if is_short:
|
2021-09-04 18:23:51 +00:00
|
|
|
enter = latest.get(SignalType.ENTER_SHORT.value, 0) == 1
|
|
|
|
exit_ = latest.get(SignalType.EXIT_SHORT.value, 0) == 1
|
2021-08-02 18:17:58 +00:00
|
|
|
|
2021-08-24 18:24:51 +00:00
|
|
|
else:
|
2021-09-04 18:23:51 +00:00
|
|
|
enter = latest[SignalType.ENTER_LONG.value] == 1
|
|
|
|
exit_ = latest.get(SignalType.EXIT_LONG.value, 0) == 1
|
2021-10-18 20:56:41 +00:00
|
|
|
exit_tag = latest.get(SignalTagType.EXIT_TAG.value, None)
|
2021-08-24 18:24:51 +00:00
|
|
|
|
|
|
|
logger.debug(f"exit-trigger: {latest['date']} (pair={pair}) "
|
|
|
|
f"enter={enter} exit={exit_}")
|
2021-08-08 09:38:34 +00:00
|
|
|
|
2021-11-06 14:24:52 +00:00
|
|
|
return enter, exit_, exit_tag
|
2021-08-02 18:17:58 +00:00
|
|
|
|
2021-08-25 04:43:58 +00:00
|
|
|
def get_entry_signal(
|
2021-08-24 18:24:51 +00:00
|
|
|
self,
|
|
|
|
pair: str,
|
|
|
|
timeframe: str,
|
|
|
|
dataframe: DataFrame,
|
|
|
|
) -> Tuple[Optional[SignalDirection], Optional[str]]:
|
|
|
|
"""
|
|
|
|
Calculates current entry signal based based on the buy/short or sell/exit_short
|
|
|
|
columns of the dataframe.
|
|
|
|
Used by Bot to get the signal to buy, sell, short, or exit_short
|
|
|
|
:param pair: pair in format ANT/BTC
|
|
|
|
:param timeframe: timeframe to use
|
|
|
|
:param dataframe: Analyzed dataframe to get signal from.
|
|
|
|
:return: (SignalDirection, entry_tag)
|
|
|
|
"""
|
|
|
|
latest, latest_date = self.get_latest_candle(pair, timeframe, dataframe)
|
2021-08-24 18:40:35 +00:00
|
|
|
if latest is None or latest_date is None:
|
|
|
|
return None, None
|
2021-08-02 18:17:58 +00:00
|
|
|
|
2021-08-25 04:43:58 +00:00
|
|
|
enter_long = latest[SignalType.ENTER_LONG.value] == 1
|
|
|
|
exit_long = latest.get(SignalType.EXIT_LONG.value, 0) == 1
|
|
|
|
enter_short = latest.get(SignalType.ENTER_SHORT.value, 0) == 1
|
|
|
|
exit_short = latest.get(SignalType.EXIT_SHORT.value, 0) == 1
|
2021-08-24 18:24:51 +00:00
|
|
|
|
|
|
|
enter_signal: Optional[SignalDirection] = None
|
2021-08-24 18:40:35 +00:00
|
|
|
enter_tag_value: Optional[str] = None
|
2021-08-24 18:24:51 +00:00
|
|
|
if enter_long == 1 and not any([exit_long, enter_short]):
|
|
|
|
enter_signal = SignalDirection.LONG
|
2021-09-26 13:20:59 +00:00
|
|
|
enter_tag_value = latest.get(SignalTagType.ENTER_TAG.value, None)
|
2021-08-24 18:24:51 +00:00
|
|
|
if enter_short == 1 and not any([exit_short, enter_long]):
|
|
|
|
enter_signal = SignalDirection.SHORT
|
2021-09-26 13:20:59 +00:00
|
|
|
enter_tag_value = latest.get(SignalTagType.ENTER_TAG.value, None)
|
2021-07-22 18:25:15 +00:00
|
|
|
|
2021-01-05 13:49:35 +00:00
|
|
|
timeframe_seconds = timeframe_to_seconds(timeframe)
|
2021-08-24 18:24:51 +00:00
|
|
|
|
2021-08-18 12:03:44 +00:00
|
|
|
if self.ignore_expired_candle(
|
2021-08-24 18:40:35 +00:00
|
|
|
latest_date=latest_date.datetime,
|
2021-08-18 12:03:44 +00:00
|
|
|
current_time=datetime.now(timezone.utc),
|
|
|
|
timeframe_seconds=timeframe_seconds,
|
2021-08-24 18:40:35 +00:00
|
|
|
enter=bool(enter_signal)
|
2021-08-18 12:03:44 +00:00
|
|
|
):
|
2021-08-24 18:40:35 +00:00
|
|
|
return None, enter_tag_value
|
2021-08-24 18:24:51 +00:00
|
|
|
|
|
|
|
logger.debug(f"entry trigger: {latest['date']} (pair={pair}) "
|
|
|
|
f"enter={enter_long} enter_tag_value={enter_tag_value}")
|
|
|
|
return enter_signal, enter_tag_value
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2021-08-18 12:03:44 +00:00
|
|
|
def ignore_expired_candle(
|
|
|
|
self,
|
|
|
|
latest_date: datetime,
|
|
|
|
current_time: datetime,
|
|
|
|
timeframe_seconds: int,
|
|
|
|
enter: bool
|
|
|
|
):
|
2021-08-08 09:38:34 +00:00
|
|
|
if self.ignore_buying_expired_candle_after and enter:
|
2021-01-07 06:51:49 +00:00
|
|
|
time_delta = current_time - (latest_date + timedelta(seconds=timeframe_seconds))
|
2021-01-05 08:07:46 +00:00
|
|
|
return time_delta.total_seconds() > self.ignore_buying_expired_candle_after
|
|
|
|
else:
|
|
|
|
return False
|
2021-01-04 19:49:24 +00:00
|
|
|
|
2021-08-24 17:55:00 +00:00
|
|
|
def should_exit(self, trade: Trade, rate: float, date: datetime, *,
|
2021-08-24 18:47:54 +00:00
|
|
|
enter: bool, exit_: bool,
|
2021-08-24 17:55:00 +00:00
|
|
|
low: float = None, high: float = None,
|
2018-11-07 17:15:04 +00:00
|
|
|
force_stoploss: float = 0) -> SellCheckTuple:
|
2018-07-16 05:11:17 +00:00
|
|
|
"""
|
2021-09-09 08:10:12 +00:00
|
|
|
This function evaluates if one of the conditions required to trigger an exit order
|
2021-08-08 09:38:34 +00:00
|
|
|
has been reached, which can either be a stop-loss, ROI or exit-signal.
|
|
|
|
:param low: Only used during backtesting to simulate (long)stoploss/(short)ROI
|
|
|
|
:param high: Only used during backtesting, to simulate (short)stoploss/(long)ROI
|
2019-03-17 15:02:13 +00:00
|
|
|
:param force_stoploss: Externally provided stoploss
|
2021-08-08 09:38:34 +00:00
|
|
|
:return: True if trade should be exited, False otherwise
|
2018-07-16 05:11:17 +00:00
|
|
|
"""
|
2021-08-24 17:55:00 +00:00
|
|
|
|
2021-06-13 14:37:11 +00:00
|
|
|
current_rate = rate
|
2019-12-17 07:53:30 +00:00
|
|
|
current_profit = trade.calc_profit_ratio(current_rate)
|
2018-11-19 19:02:26 +00:00
|
|
|
|
2021-08-09 17:38:56 +00:00
|
|
|
trade.adjust_min_max_rates(high or current_rate, low or current_rate)
|
2019-03-16 18:54:34 +00:00
|
|
|
|
2021-05-02 09:17:59 +00:00
|
|
|
stoplossflag = self.stop_loss_reached(current_rate=current_rate, trade=trade,
|
|
|
|
current_time=date, current_profit=current_profit,
|
2021-06-13 14:37:11 +00:00
|
|
|
force_stoploss=force_stoploss, low=low, high=high)
|
2020-11-27 07:16:11 +00:00
|
|
|
|
2019-03-17 15:02:13 +00:00
|
|
|
# Set current rate to high for backtesting sell
|
2018-10-30 19:23:31 +00:00
|
|
|
current_rate = high or rate
|
2019-12-17 07:53:30 +00:00
|
|
|
current_profit = trade.calc_profit_ratio(current_rate)
|
2020-11-27 07:16:11 +00:00
|
|
|
|
2021-08-08 09:38:34 +00:00
|
|
|
# if enter signal and ignore_roi is set, we don't need to evaluate min_roi.
|
2021-08-24 17:55:00 +00:00
|
|
|
roi_reached = (not (enter and self.ignore_roi_if_buy_signal)
|
2020-11-27 08:18:03 +00:00
|
|
|
and self.min_roi_reached(trade=trade, current_profit=current_profit,
|
|
|
|
current_time=date))
|
|
|
|
|
2021-04-20 08:17:00 +00:00
|
|
|
sell_signal = SellType.NONE
|
2021-04-26 07:42:24 +00:00
|
|
|
custom_reason = ''
|
2021-05-14 05:18:10 +00:00
|
|
|
# use provided rate in backtesting, not high/low.
|
|
|
|
current_rate = rate
|
|
|
|
current_profit = trade.calc_profit_ratio(current_rate)
|
|
|
|
|
2021-06-26 14:06:09 +00:00
|
|
|
if (self.sell_profit_only and current_profit <= self.sell_profit_offset):
|
2021-01-31 04:14:09 +00:00
|
|
|
# sell_profit_only and profit doesn't reach the offset - ignore sell signal
|
2021-04-20 08:17:00 +00:00
|
|
|
pass
|
2021-08-24 17:55:00 +00:00
|
|
|
elif self.use_sell_signal and not enter:
|
|
|
|
if exit_:
|
2021-04-20 08:17:00 +00:00
|
|
|
sell_signal = SellType.SELL_SIGNAL
|
|
|
|
else:
|
2021-08-08 09:38:34 +00:00
|
|
|
trade_type = "exit_short" if trade.is_short else "sell"
|
2021-04-20 08:17:00 +00:00
|
|
|
custom_reason = strategy_safe_wrapper(self.custom_sell, default_retval=False)(
|
2021-04-26 18:18:03 +00:00
|
|
|
pair=trade.pair, trade=trade, current_time=date, current_rate=current_rate,
|
2021-05-02 09:17:59 +00:00
|
|
|
current_profit=current_profit)
|
2021-04-20 08:17:00 +00:00
|
|
|
if custom_reason:
|
|
|
|
sell_signal = SellType.CUSTOM_SELL
|
2021-04-21 06:37:16 +00:00
|
|
|
if isinstance(custom_reason, str):
|
2021-04-20 08:17:00 +00:00
|
|
|
if len(custom_reason) > CUSTOM_SELL_MAX_LENGTH:
|
2021-08-08 09:38:34 +00:00
|
|
|
logger.warning(f'Custom {trade_type} reason returned from '
|
|
|
|
f'custom_{trade_type} is too long and was trimmed'
|
|
|
|
f'to {CUSTOM_SELL_MAX_LENGTH} characters.')
|
2021-04-21 06:37:16 +00:00
|
|
|
custom_reason = custom_reason[:CUSTOM_SELL_MAX_LENGTH]
|
|
|
|
else:
|
|
|
|
custom_reason = None
|
2021-08-08 09:38:34 +00:00
|
|
|
# TODO: return here if exit-signal should be favored over ROI
|
2020-11-27 08:18:03 +00:00
|
|
|
|
|
|
|
# Start evaluations
|
|
|
|
# Sequence:
|
|
|
|
# ROI (if not stoploss)
|
2021-08-08 09:38:34 +00:00
|
|
|
# Exit-signal
|
2020-11-27 08:18:03 +00:00
|
|
|
# Stoploss
|
|
|
|
if roi_reached and stoplossflag.sell_type != SellType.STOP_LOSS:
|
2021-04-26 18:18:03 +00:00
|
|
|
logger.debug(f"{trade.pair} - Required profit reached. sell_type=SellType.ROI")
|
2021-04-22 06:21:19 +00:00
|
|
|
return SellCheckTuple(sell_type=SellType.ROI)
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2021-04-20 08:17:00 +00:00
|
|
|
if sell_signal != SellType.NONE:
|
2021-04-22 06:21:19 +00:00
|
|
|
logger.debug(f"{trade.pair} - Sell signal received. "
|
2021-04-21 07:11:54 +00:00
|
|
|
f"sell_type=SellType.{sell_signal.name}" +
|
|
|
|
(f", custom_reason={custom_reason}" if custom_reason else ""))
|
2021-04-22 06:21:19 +00:00
|
|
|
return SellCheckTuple(sell_type=sell_signal, sell_reason=custom_reason)
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2020-11-27 08:18:03 +00:00
|
|
|
if stoplossflag.sell_flag:
|
|
|
|
|
2021-04-26 18:18:03 +00:00
|
|
|
logger.debug(f"{trade.pair} - Stoploss hit. sell_type={stoplossflag.sell_type}")
|
2020-11-27 08:18:03 +00:00
|
|
|
return stoplossflag
|
|
|
|
|
2019-09-10 07:42:45 +00:00
|
|
|
# This one is noisy, commented out...
|
2021-08-08 09:38:34 +00:00
|
|
|
# logger.debug(f"{trade.pair} - No exit signal.")
|
2021-04-22 06:21:19 +00:00
|
|
|
return SellCheckTuple(sell_type=SellType.NONE)
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2021-05-02 09:17:59 +00:00
|
|
|
def stop_loss_reached(self, current_rate: float, trade: Trade,
|
2019-03-23 15:51:36 +00:00
|
|
|
current_time: datetime, current_profit: float,
|
2021-06-13 14:37:11 +00:00
|
|
|
force_stoploss: float, low: float = None,
|
|
|
|
high: float = None) -> SellCheckTuple:
|
2018-07-16 05:11:17 +00:00
|
|
|
"""
|
|
|
|
Based on current profit of the trade and configured (trailing) stoploss,
|
2021-08-08 09:38:34 +00:00
|
|
|
decides to exit or not
|
2020-02-28 09:36:39 +00:00
|
|
|
:param current_profit: current profit as ratio
|
2021-06-13 14:37:11 +00:00
|
|
|
:param low: Low value of this candle, only set in backtesting
|
|
|
|
:param high: High value of this candle, only set in backtesting
|
2018-07-16 05:11:17 +00:00
|
|
|
"""
|
2019-03-23 15:23:32 +00:00
|
|
|
stop_loss_value = force_stoploss if force_stoploss else self.stoploss
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2019-03-23 15:48:17 +00:00
|
|
|
# Initiate stoploss with open_rate. Does nothing if stoploss is already set.
|
2019-03-23 15:23:32 +00:00
|
|
|
trade.adjust_stop_loss(trade.open_rate, stop_loss_value, initial=True)
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2021-08-24 17:55:00 +00:00
|
|
|
dir_correct = (trade.stop_loss < (low or current_rate)
|
|
|
|
if not trade.is_short else
|
|
|
|
trade.stop_loss > (high or current_rate)
|
|
|
|
)
|
2021-08-08 09:38:34 +00:00
|
|
|
|
|
|
|
if self.use_custom_stoploss and dir_correct:
|
2020-12-20 10:17:50 +00:00
|
|
|
stop_loss_value = strategy_safe_wrapper(self.custom_stoploss, default_retval=None
|
2020-12-12 06:06:16 +00:00
|
|
|
)(pair=trade.pair, trade=trade,
|
2020-12-19 10:46:49 +00:00
|
|
|
current_time=current_time,
|
2020-12-12 06:06:16 +00:00
|
|
|
current_rate=current_rate,
|
2021-05-02 09:17:59 +00:00
|
|
|
current_profit=current_profit)
|
2020-12-12 06:06:16 +00:00
|
|
|
# Sanity check - error cases will return None
|
|
|
|
if stop_loss_value:
|
|
|
|
# logger.info(f"{trade.pair} {stop_loss_value=} {current_profit=}")
|
|
|
|
trade.adjust_stop_loss(current_rate, stop_loss_value)
|
|
|
|
else:
|
|
|
|
logger.warning("CustomStoploss function did not return valid stoploss")
|
|
|
|
|
2021-10-17 07:46:39 +00:00
|
|
|
sl_lower_long = (trade.stop_loss < (low or current_rate) and not trade.is_short)
|
|
|
|
sl_higher_short = (trade.stop_loss > (high or current_rate) and trade.is_short)
|
|
|
|
if self.trailing_stop and (sl_lower_long or sl_higher_short):
|
2019-03-23 15:51:36 +00:00
|
|
|
# trailing stoploss handling
|
2019-10-11 06:55:31 +00:00
|
|
|
sl_offset = self.trailing_stop_positive_offset
|
2018-07-16 19:23:35 +00:00
|
|
|
|
2019-06-13 18:04:52 +00:00
|
|
|
# Make sure current_profit is calculated using high for backtesting.
|
2021-10-09 20:39:11 +00:00
|
|
|
bound = low if trade.is_short else high
|
|
|
|
bound_profit = current_profit if not bound else trade.calc_profit_ratio(bound)
|
2019-06-13 18:04:52 +00:00
|
|
|
|
2019-03-23 15:48:17 +00:00
|
|
|
# Don't update stoploss if trailing_only_offset_is_reached is true.
|
2021-10-17 07:46:39 +00:00
|
|
|
if not (self.trailing_only_offset_is_reached and bound_profit < sl_offset):
|
2019-10-13 07:54:03 +00:00
|
|
|
# Specific handling for trailing_stop_positive
|
2021-10-17 07:46:39 +00:00
|
|
|
if self.trailing_stop_positive is not None and bound_profit > sl_offset:
|
2019-10-11 07:05:21 +00:00
|
|
|
stop_loss_value = self.trailing_stop_positive
|
2019-09-11 20:32:08 +00:00
|
|
|
logger.debug(f"{trade.pair} - Using positive stoploss: {stop_loss_value} "
|
2021-11-11 12:55:55 +00:00
|
|
|
f"offset: {sl_offset:.4g} profit: {current_profit:.2%}")
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2021-10-09 20:39:11 +00:00
|
|
|
trade.adjust_stop_loss(bound or current_rate, stop_loss_value)
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2021-10-14 11:10:28 +00:00
|
|
|
sl_higher_short = (trade.stop_loss >= (low or current_rate) and not trade.is_short)
|
|
|
|
sl_lower_long = ((trade.stop_loss <= (high or current_rate) and trade.is_short))
|
2019-03-23 15:21:58 +00:00
|
|
|
# evaluate if the stoploss was hit if stoploss is not on exchange
|
2020-01-20 19:14:40 +00:00
|
|
|
# in Dry-Run, this handles stoploss logic as well, as the logic will not be different to
|
|
|
|
# regular stoploss handling.
|
2021-10-14 11:10:28 +00:00
|
|
|
if ((sl_higher_short or sl_lower_long) and
|
|
|
|
(not self.order_types.get('stoploss_on_exchange') or self.config['dry_run'])):
|
2019-03-23 15:21:58 +00:00
|
|
|
|
2019-09-10 07:42:45 +00:00
|
|
|
sell_type = SellType.STOP_LOSS
|
2019-06-02 11:27:31 +00:00
|
|
|
|
|
|
|
# If initial stoploss is not the same as current one then it is trailing.
|
|
|
|
if trade.initial_stop_loss != trade.stop_loss:
|
2019-09-10 07:42:45 +00:00
|
|
|
sell_type = SellType.TRAILING_STOP_LOSS
|
2019-03-23 15:21:58 +00:00
|
|
|
logger.debug(
|
2021-10-09 20:39:11 +00:00
|
|
|
f"{trade.pair} - HIT STOP: current price at "
|
|
|
|
f"{((high if trade.is_short else low) or current_rate):.6f}, "
|
2019-09-10 07:42:45 +00:00
|
|
|
f"stoploss is {trade.stop_loss:.6f}, "
|
|
|
|
f"initial stoploss was at {trade.initial_stop_loss:.6f}, "
|
2019-03-23 15:21:58 +00:00
|
|
|
f"trade opened at {trade.open_rate:.6f}")
|
2021-10-09 20:39:11 +00:00
|
|
|
new_stoploss = (
|
|
|
|
trade.stop_loss + trade.initial_stop_loss
|
|
|
|
if trade.is_short else
|
|
|
|
trade.stop_loss - trade.initial_stop_loss
|
|
|
|
)
|
2019-09-11 20:32:08 +00:00
|
|
|
logger.debug(f"{trade.pair} - Trailing stop saved "
|
2021-10-09 20:39:11 +00:00
|
|
|
f"{new_stoploss:.6f}")
|
2019-03-23 15:21:58 +00:00
|
|
|
|
2021-04-22 06:21:19 +00:00
|
|
|
return SellCheckTuple(sell_type=sell_type)
|
2019-03-23 15:21:58 +00:00
|
|
|
|
2021-04-22 06:21:19 +00:00
|
|
|
return SellCheckTuple(sell_type=SellType.NONE)
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2019-12-07 14:18:12 +00:00
|
|
|
def min_roi_reached_entry(self, trade_dur: int) -> Tuple[Optional[int], Optional[float]]:
|
2018-07-16 05:11:17 +00:00
|
|
|
"""
|
2019-06-23 16:23:51 +00:00
|
|
|
Based on trade duration defines the ROI entry that may have been reached.
|
|
|
|
:param trade_dur: trade duration in minutes
|
|
|
|
:return: minimal ROI entry value or None if none proper ROI entry was found.
|
2018-07-16 05:11:17 +00:00
|
|
|
"""
|
2019-06-20 00:26:25 +00:00
|
|
|
# Get highest entry in ROI dict where key <= trade-duration
|
|
|
|
roi_list = list(filter(lambda x: x <= trade_dur, self.minimal_roi.keys()))
|
|
|
|
if not roi_list:
|
2019-12-07 14:18:12 +00:00
|
|
|
return None, None
|
2019-06-20 00:26:25 +00:00
|
|
|
roi_entry = max(roi_list)
|
2019-12-07 14:18:12 +00:00
|
|
|
return roi_entry, self.minimal_roi[roi_entry]
|
2019-06-23 16:23:51 +00:00
|
|
|
|
2018-07-16 05:11:17 +00:00
|
|
|
def min_roi_reached(self, trade: Trade, current_profit: float, current_time: datetime) -> bool:
|
|
|
|
"""
|
2020-02-28 09:36:39 +00:00
|
|
|
Based on trade duration, current profit of the trade and ROI configuration,
|
|
|
|
decides whether bot should sell.
|
|
|
|
:param current_profit: current profit as ratio
|
2019-06-23 20:10:37 +00:00
|
|
|
:return: True if bot should sell at current rate
|
2018-07-16 05:11:17 +00:00
|
|
|
"""
|
|
|
|
# Check if time matches and current rate is above threshold
|
2021-02-07 09:20:43 +00:00
|
|
|
trade_dur = int((current_time.timestamp() - trade.open_date_utc.timestamp()) // 60)
|
2019-12-07 14:18:12 +00:00
|
|
|
_, roi = self.min_roi_reached_entry(trade_dur)
|
2019-06-23 16:23:51 +00:00
|
|
|
if roi is None:
|
|
|
|
return False
|
|
|
|
else:
|
|
|
|
return current_profit > roi
|
2018-07-16 05:11:17 +00:00
|
|
|
|
2021-08-09 12:53:18 +00:00
|
|
|
def advise_all_indicators(self, data: Dict[str, DataFrame]) -> Dict[str, DataFrame]:
|
2018-07-16 05:11:17 +00:00
|
|
|
"""
|
2020-06-13 05:09:44 +00:00
|
|
|
Populates indicators for given candle (OHLCV) data (for multiple pairs)
|
2021-09-22 18:42:31 +00:00
|
|
|
Does not run advise_entry or advise_exit!
|
2019-10-27 09:56:38 +00:00
|
|
|
Used by optimize operations only, not during dry / live runs.
|
2020-04-02 18:17:54 +00:00
|
|
|
Using .copy() to get a fresh copy of the dataframe for every strategy run.
|
2021-09-15 17:56:12 +00:00
|
|
|
Also copy on output to avoid PerformanceWarnings pandas 1.3.0 started to show.
|
2020-04-02 18:17:54 +00:00
|
|
|
Has positive effects on memory usage for whatever reason - also when
|
|
|
|
using only one strategy.
|
2018-07-16 05:11:17 +00:00
|
|
|
"""
|
2021-09-15 17:56:12 +00:00
|
|
|
return {pair: self.advise_indicators(pair_data.copy(), {'pair': pair}).copy()
|
2020-03-08 10:35:31 +00:00
|
|
|
for pair, pair_data in data.items()}
|
2018-06-15 03:27:41 +00:00
|
|
|
|
2018-07-29 18:36:03 +00:00
|
|
|
def advise_indicators(self, dataframe: DataFrame, metadata: dict) -> DataFrame:
|
2018-06-15 03:27:41 +00:00
|
|
|
"""
|
2021-08-08 09:38:34 +00:00
|
|
|
Populate indicators that will be used in the Buy, Sell, short, exit_short strategy
|
2018-07-22 15:39:35 +00:00
|
|
|
This method should not be overridden.
|
2020-03-08 10:35:31 +00:00
|
|
|
:param dataframe: Dataframe with data from the exchange
|
2018-07-29 18:36:03 +00:00
|
|
|
:param metadata: Additional information, like the currently traded pair
|
2018-06-15 03:27:41 +00:00
|
|
|
:return: a Dataframe with all mandatory indicators for the strategies
|
|
|
|
"""
|
2019-06-11 07:42:14 +00:00
|
|
|
logger.debug(f"Populating indicators for pair {metadata.get('pair')}.")
|
2021-09-19 23:44:12 +00:00
|
|
|
|
|
|
|
# call populate_indicators_Nm() which were tagged with @informative decorator.
|
|
|
|
for inf_data, populate_fn in self._ft_informative:
|
|
|
|
dataframe = _create_and_merge_informative_pair(
|
|
|
|
self, dataframe, metadata, inf_data, populate_fn)
|
|
|
|
|
2018-07-23 16:38:21 +00:00
|
|
|
if self._populate_fun_len == 2:
|
2018-07-22 15:39:35 +00:00
|
|
|
warnings.warn("deprecated - check out the Sample strategy to see "
|
|
|
|
"the current function headers!", DeprecationWarning)
|
|
|
|
return self.populate_indicators(dataframe) # type: ignore
|
|
|
|
else:
|
2018-07-29 18:36:03 +00:00
|
|
|
return self.populate_indicators(dataframe, metadata)
|
2018-06-15 03:27:41 +00:00
|
|
|
|
2021-09-22 18:42:31 +00:00
|
|
|
def advise_entry(self, dataframe: DataFrame, metadata: dict) -> DataFrame:
|
2018-06-15 03:27:41 +00:00
|
|
|
"""
|
2021-09-09 08:10:12 +00:00
|
|
|
Based on TA indicators, populates the entry order signal for the given dataframe
|
2018-07-22 15:39:35 +00:00
|
|
|
This method should not be overridden.
|
2018-06-15 03:27:41 +00:00
|
|
|
:param dataframe: DataFrame
|
2021-06-25 17:13:31 +00:00
|
|
|
:param metadata: Additional information dictionary, with details like the
|
|
|
|
currently traded pair
|
2018-06-15 03:27:41 +00:00
|
|
|
:return: DataFrame with buy column
|
|
|
|
"""
|
2021-01-04 19:49:24 +00:00
|
|
|
|
2021-08-18 10:19:17 +00:00
|
|
|
logger.debug(f"Populating enter signals for pair {metadata.get('pair')}.")
|
2021-08-08 09:38:34 +00:00
|
|
|
|
2021-08-18 10:19:17 +00:00
|
|
|
if self._buy_fun_len == 2:
|
2018-07-22 15:39:35 +00:00
|
|
|
warnings.warn("deprecated - check out the Sample strategy to see "
|
|
|
|
"the current function headers!", DeprecationWarning)
|
2021-09-22 18:48:05 +00:00
|
|
|
df = self.populate_buy_trend(dataframe) # type: ignore
|
2018-07-22 15:39:35 +00:00
|
|
|
else:
|
2021-08-23 19:12:46 +00:00
|
|
|
df = self.populate_buy_trend(dataframe, metadata)
|
2021-09-22 18:48:05 +00:00
|
|
|
if 'enter_long' not in df.columns:
|
2021-09-26 13:20:59 +00:00
|
|
|
df = df.rename({'buy': 'enter_long', 'buy_tag': 'enter_tag'}, axis='columns')
|
2021-08-23 19:12:46 +00:00
|
|
|
|
2021-09-22 18:48:05 +00:00
|
|
|
return df
|
2018-06-15 03:27:41 +00:00
|
|
|
|
2021-09-22 18:42:31 +00:00
|
|
|
def advise_exit(self, dataframe: DataFrame, metadata: dict) -> DataFrame:
|
2018-06-15 03:27:41 +00:00
|
|
|
"""
|
2021-09-09 08:10:12 +00:00
|
|
|
Based on TA indicators, populates the exit order signal for the given dataframe
|
2018-07-22 15:39:35 +00:00
|
|
|
This method should not be overridden.
|
2018-06-15 03:27:41 +00:00
|
|
|
:param dataframe: DataFrame
|
2021-06-25 17:13:31 +00:00
|
|
|
:param metadata: Additional information dictionary, with details like the
|
|
|
|
currently traded pair
|
2018-06-15 03:27:41 +00:00
|
|
|
:return: DataFrame with sell column
|
|
|
|
"""
|
2021-08-08 09:38:34 +00:00
|
|
|
|
2021-08-18 10:19:17 +00:00
|
|
|
logger.debug(f"Populating exit signals for pair {metadata.get('pair')}.")
|
|
|
|
if self._sell_fun_len == 2:
|
2018-07-22 15:39:35 +00:00
|
|
|
warnings.warn("deprecated - check out the Sample strategy to see "
|
|
|
|
"the current function headers!", DeprecationWarning)
|
2021-09-22 18:48:05 +00:00
|
|
|
df = self.populate_sell_trend(dataframe) # type: ignore
|
2018-07-22 15:39:35 +00:00
|
|
|
else:
|
2021-08-23 19:12:46 +00:00
|
|
|
df = self.populate_sell_trend(dataframe, metadata)
|
2021-09-22 18:48:05 +00:00
|
|
|
if 'exit_long' not in df.columns:
|
|
|
|
df = df.rename({'sell': 'exit_long'}, axis='columns')
|
|
|
|
return df
|