freqtrade_origin/freqtrade/configuration/config_validation.py

465 lines
18 KiB
Python
Raw Normal View History

import logging
2022-09-24 14:38:56 +00:00
from collections import Counter
2020-01-02 09:38:59 +00:00
from copy import deepcopy
from datetime import datetime
from typing import Any, Dict
from jsonschema import Draft4Validator, validators
from jsonschema.exceptions import ValidationError, best_match
from freqtrade.configuration.config_schema import (
CONF_SCHEMA,
SCHEMA_BACKTEST_REQUIRED,
SCHEMA_BACKTEST_REQUIRED_FINAL,
SCHEMA_MINIMAL_REQUIRED,
SCHEMA_MINIMAL_WEBSERVER,
SCHEMA_TRADE_REQUIRED,
)
2022-03-08 05:59:14 +00:00
from freqtrade.configuration.deprecated_settings import process_deprecated_setting
from freqtrade.constants import UNLIMITED_STAKE_AMOUNT
from freqtrade.enums import RunMode, TradingMode
from freqtrade.exceptions import ConfigurationError
2020-09-28 17:39:41 +00:00
logger = logging.getLogger(__name__)
def _extend_validator(validator_class):
"""
Extended validator for the Freqtrade configuration JSON Schema.
Currently it only handles defaults for subschemas.
"""
2024-05-12 14:29:24 +00:00
validate_properties = validator_class.VALIDATORS["properties"]
def set_defaults(validator, properties, instance, schema):
for prop, subschema in properties.items():
2024-05-12 14:29:24 +00:00
if "default" in subschema:
instance.setdefault(prop, subschema["default"])
2023-03-19 16:57:56 +00:00
yield from validate_properties(validator, properties, instance, schema)
2024-05-12 14:29:24 +00:00
return validators.extend(validator_class, {"properties": set_defaults})
FreqtradeValidator = _extend_validator(Draft4Validator)
def validate_config_schema(conf: Dict[str, Any], preliminary: bool = False) -> Dict[str, Any]:
"""
Validate the configuration follow the Config Schema
:param conf: Config in JSON format
:return: Returns the config if valid, otherwise throw an exception
"""
conf_schema = deepcopy(CONF_SCHEMA)
2024-05-12 14:29:24 +00:00
if conf.get("runmode", RunMode.OTHER) in (RunMode.DRY_RUN, RunMode.LIVE):
conf_schema["required"] = SCHEMA_TRADE_REQUIRED
2024-05-12 14:29:24 +00:00
elif conf.get("runmode", RunMode.OTHER) in (RunMode.BACKTEST, RunMode.HYPEROPT):
if preliminary:
conf_schema["required"] = SCHEMA_BACKTEST_REQUIRED
else:
conf_schema["required"] = SCHEMA_BACKTEST_REQUIRED_FINAL
2024-05-12 14:29:24 +00:00
elif conf.get("runmode", RunMode.OTHER) == RunMode.WEBSERVER:
conf_schema["required"] = SCHEMA_MINIMAL_WEBSERVER
2020-01-02 09:38:59 +00:00
else:
conf_schema["required"] = SCHEMA_MINIMAL_REQUIRED
try:
2020-01-02 09:38:59 +00:00
FreqtradeValidator(conf_schema).validate(conf)
return conf
except ValidationError as e:
2024-05-12 14:29:24 +00:00
logger.critical(f"Invalid configuration. Reason: {e}")
raise ValidationError(best_match(Draft4Validator(conf_schema).iter_errors(conf)).message)
2023-12-11 19:35:49 +00:00
def validate_config_consistency(conf: Dict[str, Any], *, preliminary: bool = False) -> None:
"""
Validate the configuration consistency.
Should be ran after loading both configuration and strategy,
since strategies can set certain configuration settings too.
:param conf: Config in JSON format
:return: Returns None if everything is ok, otherwise throw an ConfigurationError
"""
# validating trailing stoploss
_validate_trailing_stoploss(conf)
_validate_price_config(conf)
2019-08-18 14:19:24 +00:00
_validate_edge(conf)
_validate_whitelist(conf)
_validate_protections(conf)
_validate_unlimited_amount(conf)
2021-06-25 18:36:39 +00:00
_validate_ask_orderbook(conf)
_validate_freqai_hyperopt(conf)
_validate_freqai_backtest(conf)
_validate_freqai_include_timeframes(conf, preliminary=preliminary)
2022-09-24 14:38:56 +00:00
_validate_consumers(conf)
validate_migrated_strategy_settings(conf)
_validate_orderflow(conf)
# validate configuration before returning
2024-05-12 14:29:24 +00:00
logger.info("Validating configuration ...")
validate_config_schema(conf, preliminary=preliminary)
def _validate_unlimited_amount(conf: Dict[str, Any]) -> None:
"""
If edge is disabled, either max_open_trades or stake_amount need to be set.
:raise: ConfigurationError if config validation failed
"""
2024-05-12 14:29:24 +00:00
if (
not conf.get("edge", {}).get("enabled")
and conf.get("max_open_trades") == float("inf")
and conf.get("stake_amount") == UNLIMITED_STAKE_AMOUNT
2024-05-12 14:29:24 +00:00
):
raise ConfigurationError("`max_open_trades` and `stake_amount` cannot both be unlimited.")
def _validate_price_config(conf: Dict[str, Any]) -> None:
"""
When using market orders, price sides must be using the "other" side of the price
"""
2022-03-28 17:24:57 +00:00
# TODO: The below could be an enforced setting when using market orders
2024-05-12 14:29:24 +00:00
if conf.get("order_types", {}).get("entry") == "market" and conf.get("entry_pricing", {}).get(
"price_side"
) not in ("ask", "other"):
raise ConfigurationError('Market entry orders require entry_pricing.price_side = "other".')
if conf.get("order_types", {}).get("exit") == "market" and conf.get("exit_pricing", {}).get(
"price_side"
) not in ("bid", "other"):
raise ConfigurationError('Market exit orders require exit_pricing.price_side = "other".')
def _validate_trailing_stoploss(conf: Dict[str, Any]) -> None:
2024-05-12 14:29:24 +00:00
if conf.get("stoploss") == 0.0:
raise ConfigurationError(
2024-05-12 14:29:24 +00:00
"The config stoploss needs to be different from 0 to avoid problems with sell orders."
2021-08-06 22:19:36 +00:00
)
# Skip if trailing stoploss is not activated
2024-05-12 14:29:24 +00:00
if not conf.get("trailing_stop", False):
return
2024-05-12 14:29:24 +00:00
tsl_positive = float(conf.get("trailing_stop_positive", 0))
tsl_offset = float(conf.get("trailing_stop_positive_offset", 0))
tsl_only_offset = conf.get("trailing_only_offset_is_reached", False)
if tsl_only_offset:
if tsl_positive == 0.0:
raise ConfigurationError(
2024-05-12 14:29:24 +00:00
"The config trailing_only_offset_is_reached needs "
"trailing_stop_positive_offset to be more than 0 in your config."
)
if tsl_positive > 0 and 0 < tsl_offset <= tsl_positive:
raise ConfigurationError(
2024-05-12 14:29:24 +00:00
"The config trailing_stop_positive_offset needs "
"to be greater than trailing_stop_positive in your config."
)
2019-08-18 14:19:24 +00:00
# Fetch again without default
2024-05-12 14:29:24 +00:00
if "trailing_stop_positive" in conf and float(conf["trailing_stop_positive"]) == 0.0:
raise ConfigurationError(
2024-05-12 14:29:24 +00:00
"The config trailing_stop_positive needs to be different from 0 "
"to avoid problems with sell orders."
)
2019-08-18 14:19:24 +00:00
def _validate_edge(conf: Dict[str, Any]) -> None:
"""
Edge and Dynamic whitelist should not both be enabled, since edge overrides dynamic whitelists.
"""
2024-05-12 14:29:24 +00:00
if not conf.get("edge", {}).get("enabled"):
2019-08-18 14:19:24 +00:00
return
2024-05-12 14:29:24 +00:00
if not conf.get("use_exit_signal", True):
raise ConfigurationError(
2022-04-05 18:07:58 +00:00
"Edge requires `use_exit_signal` to be True, otherwise no sells will happen."
)
def _validate_whitelist(conf: Dict[str, Any]) -> None:
"""
Dynamic whitelist does not require pair_whitelist to be set - however StaticWhitelist does.
"""
2024-05-12 14:29:24 +00:00
if conf.get("runmode", RunMode.OTHER) in [
RunMode.OTHER,
RunMode.PLOT,
RunMode.UTIL_NO_EXCHANGE,
RunMode.UTIL_EXCHANGE,
]:
return
2024-05-12 14:29:24 +00:00
for pl in conf.get("pairlists", [{"method": "StaticPairList"}]):
if (
isinstance(pl, dict)
and pl.get("method") == "StaticPairList"
and not conf.get("exchange", {}).get("pair_whitelist")
):
raise ConfigurationError("StaticPairList requires pair_whitelist to be set.")
def _validate_protections(conf: Dict[str, Any]) -> None:
"""
Validate protection configuration validity
"""
2024-05-12 14:29:24 +00:00
for prot in conf.get("protections", []):
parsed_unlock_at = None
if (config_unlock_at := prot.get("unlock_at")) is not None:
try:
parsed_unlock_at = datetime.strptime(config_unlock_at, "%H:%M")
except ValueError:
raise ConfigurationError(f"Invalid date format for unlock_at: {config_unlock_at}.")
2024-05-12 14:29:24 +00:00
if "stop_duration" in prot and "stop_duration_candles" in prot:
raise ConfigurationError(
"Protections must specify either `stop_duration` or `stop_duration_candles`.\n"
f"Please fix the protection {prot.get('method')}."
2021-08-06 22:19:36 +00:00
)
2024-05-12 14:29:24 +00:00
if "lookback_period" in prot and "lookback_period_candles" in prot:
raise ConfigurationError(
"Protections must specify either `lookback_period` or `lookback_period_candles`.\n"
f"Please fix the protection {prot.get('method')}."
)
2021-06-25 18:36:39 +00:00
2024-07-16 05:14:46 +00:00
if parsed_unlock_at is not None and (
"stop_duration" in prot or "stop_duration_candles" in prot
):
raise ConfigurationError(
2024-07-16 05:14:46 +00:00
"Protections must specify either `unlock_at`, `stop_duration` or "
"`stop_duration_candles`.\n"
f"Please fix the protection {prot.get('method')}."
)
2021-06-25 18:36:39 +00:00
def _validate_ask_orderbook(conf: Dict[str, Any]) -> None:
2024-05-12 14:29:24 +00:00
ask_strategy = conf.get("exit_pricing", {})
ob_min = ask_strategy.get("order_book_min")
ob_max = ask_strategy.get("order_book_max")
if ob_min is not None and ob_max is not None and ask_strategy.get("use_order_book"):
2021-06-25 18:36:39 +00:00
if ob_min != ob_max:
raise ConfigurationError(
"Using order_book_max != order_book_min in exit_pricing is no longer supported."
2021-06-25 18:36:39 +00:00
"Please pick one value and use `order_book_top` in the future."
)
else:
# Move value to order_book_top
2024-05-12 14:29:24 +00:00
ask_strategy["order_book_top"] = ob_min
2021-06-25 18:36:39 +00:00
logger.warning(
"DEPRECATED: "
"Please use `order_book_top` instead of `order_book_min` and `order_book_max` "
"for your `exit_pricing` configuration."
2021-06-25 18:36:39 +00:00
)
def validate_migrated_strategy_settings(conf: Dict[str, Any]) -> None:
_validate_time_in_force(conf)
2022-03-08 05:59:14 +00:00
_validate_order_types(conf)
_validate_unfilledtimeout(conf)
_validate_pricing_rules(conf)
_strategy_settings(conf)
def _validate_time_in_force(conf: Dict[str, Any]) -> None:
2024-05-12 14:29:24 +00:00
time_in_force = conf.get("order_time_in_force", {})
if "buy" in time_in_force or "sell" in time_in_force:
if conf.get("trading_mode", TradingMode.SPOT) != TradingMode.SPOT:
raise ConfigurationError(
2024-05-12 14:29:24 +00:00
"Please migrate your time_in_force settings to use 'entry' and 'exit'."
)
else:
logger.warning(
"DEPRECATED: Using 'buy' and 'sell' for time_in_force is deprecated."
"Please migrate your time_in_force settings to use 'entry' and 'exit'."
)
process_deprecated_setting(
2024-05-12 14:29:24 +00:00
conf, "order_time_in_force", "buy", "order_time_in_force", "entry"
)
process_deprecated_setting(
2024-05-12 14:29:24 +00:00
conf, "order_time_in_force", "sell", "order_time_in_force", "exit"
)
2022-03-08 05:59:14 +00:00
def _validate_order_types(conf: Dict[str, Any]) -> None:
2024-05-12 14:29:24 +00:00
order_types = conf.get("order_types", {})
old_order_types = [
"buy",
"sell",
"emergencysell",
"forcebuy",
"forcesell",
"emergencyexit",
"forceexit",
"forceentry",
]
2022-04-07 18:33:54 +00:00
if any(x in order_types for x in old_order_types):
2024-05-12 14:29:24 +00:00
if conf.get("trading_mode", TradingMode.SPOT) != TradingMode.SPOT:
raise ConfigurationError(
2024-05-12 14:29:24 +00:00
"Please migrate your order_types settings to use the new wording."
)
2022-03-08 05:59:14 +00:00
else:
logger.warning(
"DEPRECATED: Using 'buy' and 'sell' for order_types is deprecated."
2022-03-08 06:08:10 +00:00
"Please migrate your order_types settings to use 'entry' and 'exit' wording."
2022-03-08 05:59:14 +00:00
)
for o, n in [
2024-05-12 14:29:24 +00:00
("buy", "entry"),
("sell", "exit"),
("emergencysell", "emergency_exit"),
("forcesell", "force_exit"),
("forcebuy", "force_entry"),
("emergencyexit", "emergency_exit"),
("forceexit", "force_exit"),
("forceentry", "force_entry"),
2022-03-08 05:59:14 +00:00
]:
2024-05-12 14:29:24 +00:00
process_deprecated_setting(conf, "order_types", o, "order_types", n)
def _validate_unfilledtimeout(conf: Dict[str, Any]) -> None:
2024-05-12 14:29:24 +00:00
unfilledtimeout = conf.get("unfilledtimeout", {})
if any(x in unfilledtimeout for x in ["buy", "sell"]):
if conf.get("trading_mode", TradingMode.SPOT) != TradingMode.SPOT:
raise ConfigurationError(
2024-05-12 14:29:24 +00:00
"Please migrate your unfilledtimeout settings to use the new wording."
)
else:
logger.warning(
"DEPRECATED: Using 'buy' and 'sell' for unfilledtimeout is deprecated."
"Please migrate your unfilledtimeout settings to use 'entry' and 'exit' wording."
)
for o, n in [
2024-05-12 14:29:24 +00:00
("buy", "entry"),
("sell", "exit"),
]:
2024-05-12 14:29:24 +00:00
process_deprecated_setting(conf, "unfilledtimeout", o, "unfilledtimeout", n)
def _validate_pricing_rules(conf: Dict[str, Any]) -> None:
2024-05-12 14:29:24 +00:00
if conf.get("ask_strategy") or conf.get("bid_strategy"):
if conf.get("trading_mode", TradingMode.SPOT) != TradingMode.SPOT:
raise ConfigurationError("Please migrate your pricing settings to use the new wording.")
else:
logger.warning(
"DEPRECATED: Using 'ask_strategy' and 'bid_strategy' is deprecated."
"Please migrate your settings to use 'entry_pricing' and 'exit_pricing'."
)
2024-05-12 14:29:24 +00:00
conf["entry_pricing"] = {}
for obj in list(conf.get("bid_strategy", {}).keys()):
if obj == "ask_last_balance":
process_deprecated_setting(
conf, "bid_strategy", obj, "entry_pricing", "price_last_balance"
)
2022-03-28 17:48:45 +00:00
else:
2024-05-12 14:29:24 +00:00
process_deprecated_setting(conf, "bid_strategy", obj, "entry_pricing", obj)
del conf["bid_strategy"]
conf["exit_pricing"] = {}
for obj in list(conf.get("ask_strategy", {}).keys()):
if obj == "bid_last_balance":
process_deprecated_setting(
conf, "ask_strategy", obj, "exit_pricing", "price_last_balance"
)
2022-03-28 17:48:45 +00:00
else:
2024-05-12 14:29:24 +00:00
process_deprecated_setting(conf, "ask_strategy", obj, "exit_pricing", obj)
del conf["ask_strategy"]
def _validate_freqai_hyperopt(conf: Dict[str, Any]) -> None:
2024-05-12 14:29:24 +00:00
freqai_enabled = conf.get("freqai", {}).get("enabled", False)
analyze_per_epoch = conf.get("analyze_per_epoch", False)
if analyze_per_epoch and freqai_enabled:
raise ConfigurationError(
2024-05-12 14:29:24 +00:00
"Using analyze-per-epoch parameter is not supported with a FreqAI strategy."
)
def _validate_freqai_include_timeframes(conf: Dict[str, Any], preliminary: bool) -> None:
2024-05-12 14:29:24 +00:00
freqai_enabled = conf.get("freqai", {}).get("enabled", False)
if freqai_enabled:
2024-05-12 14:29:24 +00:00
main_tf = conf.get("timeframe", "5m")
freqai_include_timeframes = (
conf.get("freqai", {}).get("feature_parameters", {}).get("include_timeframes", [])
)
from freqtrade.exchange import timeframe_to_seconds
2024-05-12 14:29:24 +00:00
main_tf_s = timeframe_to_seconds(main_tf)
offending_lines = []
for tf in freqai_include_timeframes:
tf_s = timeframe_to_seconds(tf)
if tf_s < main_tf_s:
offending_lines.append(tf)
if offending_lines:
raise ConfigurationError(
f"Main timeframe of {main_tf} must be smaller or equal to FreqAI "
2024-05-12 14:29:24 +00:00
f"`include_timeframes`.Offending include-timeframes: {', '.join(offending_lines)}"
)
# Ensure that the base timeframe is included in the include_timeframes list
if not preliminary and main_tf not in freqai_include_timeframes:
2024-05-12 14:29:24 +00:00
feature_parameters = conf.get("freqai", {}).get("feature_parameters", {})
include_timeframes = [main_tf] + freqai_include_timeframes
2024-05-12 14:29:24 +00:00
conf.get("freqai", {}).get("feature_parameters", {}).update(
{**feature_parameters, "include_timeframes": include_timeframes}
)
def _validate_freqai_backtest(conf: Dict[str, Any]) -> None:
2024-05-12 14:29:24 +00:00
if conf.get("runmode", RunMode.OTHER) == RunMode.BACKTEST:
freqai_enabled = conf.get("freqai", {}).get("enabled", False)
timerange = conf.get("timerange")
freqai_backtest_live_models = conf.get("freqai_backtest_live_models", False)
2022-09-28 11:48:32 +00:00
if freqai_backtest_live_models and freqai_enabled and timerange:
raise ConfigurationError(
2024-05-12 14:29:24 +00:00
"Using timerange parameter is not supported with "
"--freqai-backtest-live-models parameter."
)
2022-09-28 11:48:32 +00:00
if freqai_backtest_live_models and not freqai_enabled:
raise ConfigurationError(
2024-05-12 14:29:24 +00:00
"Using --freqai-backtest-live-models parameter is only "
"supported with a FreqAI strategy."
)
2022-09-28 11:48:32 +00:00
if freqai_enabled and not freqai_backtest_live_models and not timerange:
raise ConfigurationError(
2024-05-12 14:29:24 +00:00
"Please pass --timerange if you intend to use FreqAI for backtesting."
)
2022-09-24 14:38:56 +00:00
def _validate_consumers(conf: Dict[str, Any]) -> None:
2024-05-12 14:29:24 +00:00
emc_conf = conf.get("external_message_consumer", {})
if emc_conf.get("enabled", False):
if len(emc_conf.get("producers", [])) < 1:
raise ConfigurationError("You must specify at least 1 Producer to connect to.")
2022-09-24 14:38:56 +00:00
2024-05-12 14:29:24 +00:00
producer_names = [p["name"] for p in emc_conf.get("producers", [])]
2022-09-24 14:38:56 +00:00
duplicates = [item for item, count in Counter(producer_names).items() if count > 1]
if duplicates:
raise ConfigurationError(
2024-05-12 14:29:24 +00:00
f"Producer names must be unique. Duplicate: {', '.join(duplicates)}"
)
if conf.get("process_only_new_candles", True):
2022-09-24 14:38:56 +00:00
# Warning here or require it?
2024-05-12 14:29:24 +00:00
logger.warning(
"To receive best performance with external data, "
"please set `process_only_new_candles` to False"
)
2022-09-24 14:38:56 +00:00
def _validate_orderflow(conf: Dict[str, Any]) -> None:
2024-05-15 15:09:32 +00:00
if conf.get("exchange", {}).get("use_public_trades"):
if "orderflow" not in conf:
raise ConfigurationError(
"Orderflow is a required configuration key when using public trades."
)
def _strategy_settings(conf: Dict[str, Any]) -> None:
2024-05-12 14:29:24 +00:00
process_deprecated_setting(conf, None, "use_sell_signal", None, "use_exit_signal")
process_deprecated_setting(conf, None, "sell_profit_only", None, "exit_profit_only")
process_deprecated_setting(conf, None, "sell_profit_offset", None, "exit_profit_offset")
process_deprecated_setting(
conf, None, "ignore_roi_if_buy_signal", None, "ignore_roi_if_entry_signal"
)