freqtrade_origin/freqtrade/commands/build_config_commands.py

287 lines
9.4 KiB
Python
Raw Permalink Normal View History

import logging
2021-03-28 18:19:39 +00:00
import secrets
from pathlib import Path
2020-10-05 14:17:37 +00:00
from typing import Any, Dict, List
from questionary import Separator, prompt
2024-03-19 18:30:35 +00:00
from freqtrade.configuration import sanitize_config
2024-03-14 19:39:34 +00:00
from freqtrade.configuration.config_setup import setup_utils_configuration
from freqtrade.configuration.detect_environment import running_in_docker
2021-04-08 18:07:52 +00:00
from freqtrade.configuration.directory_operations import chown_user_directory
2020-01-29 20:59:24 +00:00
from freqtrade.constants import UNLIMITED_STAKE_AMOUNT
2024-03-14 19:39:34 +00:00
from freqtrade.enums import RunMode
from freqtrade.exceptions import OperationalException
2020-09-28 17:39:41 +00:00
from freqtrade.exchange import MAP_EXCHANGE_CHILDCLASS, available_exchanges
2023-08-15 05:42:05 +00:00
from freqtrade.util import render_template
2020-09-28 17:39:41 +00:00
logger = logging.getLogger(__name__)
2020-01-29 20:59:24 +00:00
def validate_is_int(val):
try:
_ = int(val)
return True
except Exception:
return False
def validate_is_float(val):
try:
_ = float(val)
return True
except Exception:
return False
2020-02-01 13:22:40 +00:00
def ask_user_overwrite(config_path: Path) -> bool:
questions = [
{
"type": "confirm",
"name": "overwrite",
"message": f"File {config_path} already exists. Overwrite?",
"default": False,
},
]
answers = prompt(questions)
2024-05-12 14:27:03 +00:00
return answers["overwrite"]
2020-02-01 13:22:40 +00:00
def ask_user_config() -> Dict[str, Any]:
"""
Ask user a few questions to build the configuration.
Interactive questions built using https://github.com/tmbo/questionary
:returns: Dict with keys to put into template
"""
2020-10-05 14:17:37 +00:00
questions: List[Dict[str, Any]] = [
{
"type": "confirm",
"name": "dry_run",
"message": "Do you want to enable Dry-run (simulated trades)?",
"default": True,
},
{
"type": "text",
"name": "stake_currency",
"message": "Please insert your stake currency:",
2024-05-12 14:27:03 +00:00
"default": "USDT",
},
{
"type": "text",
"name": "stake_amount",
"message": f"Please insert your stake amount (Number or '{UNLIMITED_STAKE_AMOUNT}'):",
2022-08-05 09:49:51 +00:00
"default": "unlimited",
2020-01-29 20:59:24 +00:00
"validate": lambda val: val == UNLIMITED_STAKE_AMOUNT or validate_is_float(val),
2024-05-13 17:49:15 +00:00
"filter": lambda val: (
'"' + UNLIMITED_STAKE_AMOUNT + '"' if val == UNLIMITED_STAKE_AMOUNT else val
),
},
{
"type": "text",
"name": "max_open_trades",
2022-01-30 12:19:05 +00:00
"message": "Please insert max_open_trades (Integer or -1 for unlimited open trades):",
"default": "3",
2024-05-12 14:27:03 +00:00
"validate": lambda val: validate_is_int(val),
},
{
"type": "select",
"name": "timeframe_in_config",
"message": "Time",
2024-05-12 14:27:03 +00:00
"choices": ["Have the strategy define timeframe.", "Override in configuration."],
},
{
"type": "text",
"name": "timeframe",
"message": "Please insert your desired timeframe (e.g. 5m):",
"default": "5m",
2024-05-12 14:27:03 +00:00
"when": lambda x: x["timeframe_in_config"] == "Override in configuration.",
},
{
"type": "text",
"name": "fiat_display_currency",
"message": (
"Please insert your display Currency for reporting "
"(leave empty to disable FIAT conversion):"
),
2024-05-12 14:27:03 +00:00
"default": "USD",
},
{
"type": "select",
"name": "exchange_name",
"message": "Select exchange",
2023-08-20 11:51:33 +00:00
"choices": [
"binance",
"binanceus",
"bingx",
2023-02-10 19:58:02 +00:00
"gate",
2024-01-20 16:06:34 +00:00
"htx",
"kraken",
"kucoin",
2022-02-08 18:45:39 +00:00
"okx",
2022-02-11 16:02:04 +00:00
Separator("------------------"),
"other",
],
},
{
"type": "confirm",
"name": "trading_mode",
"message": "Do you want to trade Perpetual Swaps (perpetual futures)?",
"default": False,
2024-05-12 14:27:03 +00:00
"filter": lambda val: "futures" if val else "spot",
"when": lambda x: x["exchange_name"] in ["binance", "gate", "okx", "bybit"],
},
{
"type": "autocomplete",
"name": "exchange_name",
"message": "Type your exchange name (Must be supported by ccxt)",
"choices": available_exchanges(),
2024-05-12 14:27:03 +00:00
"when": lambda x: x["exchange_name"] == "other",
},
{
"type": "password",
"name": "exchange_key",
"message": "Insert Exchange Key",
2024-05-12 14:27:03 +00:00
"when": lambda x: not x["dry_run"],
},
{
"type": "password",
"name": "exchange_secret",
"message": "Insert Exchange Secret",
2024-05-12 14:27:03 +00:00
"when": lambda x: not x["dry_run"],
},
2021-09-03 06:54:15 +00:00
{
"type": "password",
"name": "exchange_key_password",
"message": "Insert Exchange API Key password",
2024-05-12 14:27:03 +00:00
"when": lambda x: not x["dry_run"] and x["exchange_name"] in ("kucoin", "okx"),
2021-09-03 06:54:15 +00:00
},
{
"type": "confirm",
"name": "telegram",
"message": "Do you want to enable Telegram?",
"default": False,
},
{
"type": "password",
"name": "telegram_token",
"message": "Insert Telegram token",
2024-05-12 14:27:03 +00:00
"when": lambda x: x["telegram"],
},
{
2022-08-05 09:49:51 +00:00
"type": "password",
"name": "telegram_chat_id",
"message": "Insert Telegram chat id",
2024-05-12 14:27:03 +00:00
"when": lambda x: x["telegram"],
},
2021-03-28 18:19:39 +00:00
{
"type": "confirm",
"name": "api_server",
"message": "Do you want to enable the Rest API (includes FreqUI)?",
"default": False,
},
{
"type": "text",
"name": "api_server_listen_addr",
2024-05-12 14:27:03 +00:00
"message": (
"Insert Api server Listen Address (0.0.0.0 for docker, "
"otherwise best left untouched)"
),
"default": "127.0.0.1" if not running_in_docker() else "0.0.0.0", # noqa: S104
2024-05-12 14:27:03 +00:00
"when": lambda x: x["api_server"],
2021-03-28 18:19:39 +00:00
},
{
"type": "text",
"name": "api_server_username",
"message": "Insert api-server username",
"default": "freqtrader",
2024-05-12 14:27:03 +00:00
"when": lambda x: x["api_server"],
2021-03-28 18:19:39 +00:00
},
{
2022-08-05 09:49:51 +00:00
"type": "password",
2021-03-28 18:19:39 +00:00
"name": "api_server_password",
"message": "Insert api-server password",
2024-05-12 14:27:03 +00:00
"when": lambda x: x["api_server"],
2021-03-28 18:19:39 +00:00
},
]
answers = prompt(questions)
if not answers:
# Interrupted questionary sessions return an empty dict.
raise OperationalException("User interrupted interactive questions.")
# Ensure default is set for non-futures exchanges
2024-05-12 14:27:03 +00:00
answers["trading_mode"] = answers.get("trading_mode", "spot")
answers["margin_mode"] = "isolated" if answers.get("trading_mode") == "futures" else ""
2021-03-28 18:19:39 +00:00
# Force JWT token to be a random string
2024-05-12 14:27:03 +00:00
answers["api_server_jwt_key"] = secrets.token_hex()
answers["api_server_ws_token"] = secrets.token_urlsafe(25)
2021-03-28 18:19:39 +00:00
return answers
def deploy_new_config(config_path: Path, selections: Dict[str, Any]) -> None:
"""
Applies selections to the template and writes the result to config_path
:param config_path: Path object for new config file. Should not exist yet
2021-06-25 13:45:49 +00:00
:param selections: Dict containing selections taken by the user.
"""
from jinja2.exceptions import TemplateNotFound
2024-05-12 14:27:03 +00:00
try:
exchange_template = MAP_EXCHANGE_CHILDCLASS.get(
2024-05-12 14:27:03 +00:00
selections["exchange_name"], selections["exchange_name"]
)
2024-05-12 14:27:03 +00:00
selections["exchange"] = render_template(
templatefile=f"subtemplates/exchange_{exchange_template}.j2", arguments=selections
2021-08-06 22:19:36 +00:00
)
except TemplateNotFound:
2024-05-12 14:27:03 +00:00
selections["exchange"] = render_template(
templatefile="subtemplates/exchange_generic.j2", arguments=selections
)
2024-05-12 14:27:03 +00:00
config_text = render_template(templatefile="base_config.json.j2", arguments=selections)
logger.info(f"Writing config to `{config_path}`.")
logger.info(
2024-05-12 14:27:03 +00:00
"Please make sure to check the configuration contents and adjust settings to your needs."
)
config_path.write_text(config_text)
def start_new_config(args: Dict[str, Any]) -> None:
"""
Create a new strategy from a template
2021-06-25 13:45:49 +00:00
Asking the user questions to fill out the template accordingly.
"""
2024-05-12 14:27:03 +00:00
config_path = Path(args["config"][0])
2021-04-08 18:07:52 +00:00
chown_user_directory(config_path.parent)
2020-02-01 13:12:21 +00:00
if config_path.exists():
2020-02-01 13:22:40 +00:00
overwrite = ask_user_overwrite(config_path)
if overwrite:
config_path.unlink()
else:
raise OperationalException(
2020-02-09 10:41:29 +00:00
f"Configuration file `{config_path}` already exists. "
2024-05-12 14:27:03 +00:00
"Please delete it or use a different configuration file name."
)
2020-02-01 13:12:21 +00:00
selections = ask_user_config()
deploy_new_config(config_path, selections)
2024-03-14 19:39:34 +00:00
def start_show_config(args: Dict[str, Any]) -> None:
config = setup_utils_configuration(args, RunMode.UTIL_EXCHANGE, set_dry=False)
# TODO: Sanitize from sensitive info before printing
2024-03-19 18:19:26 +00:00
print("Your combined configuration is:")
2024-03-20 06:06:24 +00:00
config_sanitized = sanitize_config(
2024-05-12 14:27:03 +00:00
config["original_config"], show_sensitive=args.get("show_sensitive", False)
2024-03-20 06:06:24 +00:00
)
2024-03-19 18:30:35 +00:00
2024-03-19 18:19:26 +00:00
from rich import print_json
2024-05-12 14:27:03 +00:00
2024-03-19 18:30:35 +00:00
print_json(data=config_sanitized)