2019-06-12 09:33:20 +00:00
|
|
|
import logging
|
2019-07-21 12:13:38 +00:00
|
|
|
import sys
|
2019-10-17 00:06:51 +00:00
|
|
|
from collections import OrderedDict
|
2019-08-16 12:42:44 +00:00
|
|
|
from pathlib import Path
|
2019-08-25 13:01:27 +00:00
|
|
|
from typing import Any, Dict, List
|
2019-06-12 09:33:20 +00:00
|
|
|
|
2019-08-16 12:42:44 +00:00
|
|
|
import arrow
|
2019-10-15 23:22:27 +00:00
|
|
|
import csv
|
2019-10-15 19:31:23 +00:00
|
|
|
import rapidjson
|
2019-10-13 10:12:20 +00:00
|
|
|
from tabulate import tabulate
|
2019-08-16 12:42:44 +00:00
|
|
|
|
2019-09-21 10:53:15 +00:00
|
|
|
from freqtrade import OperationalException
|
2019-11-05 11:39:19 +00:00
|
|
|
from freqtrade.configuration import Configuration, TimeRange, remove_credentials
|
2019-07-29 04:15:49 +00:00
|
|
|
from freqtrade.configuration.directory_operations import create_userdata_dir
|
2019-08-29 09:43:14 +00:00
|
|
|
from freqtrade.data.history import (convert_trades_to_ohlcv,
|
|
|
|
refresh_backtest_ohlcv_data,
|
2019-08-27 05:14:37 +00:00
|
|
|
refresh_backtest_trades_data)
|
2019-10-14 10:48:33 +00:00
|
|
|
from freqtrade.exchange import (available_exchanges, ccxt_exchanges, market_is_active,
|
2019-10-17 15:44:25 +00:00
|
|
|
symbol_is_pair)
|
2019-10-13 10:12:20 +00:00
|
|
|
from freqtrade.misc import plural
|
2019-08-16 12:42:44 +00:00
|
|
|
from freqtrade.resolvers import ExchangeResolver
|
2019-06-12 09:33:20 +00:00
|
|
|
from freqtrade.state import RunMode
|
|
|
|
|
|
|
|
logger = logging.getLogger(__name__)
|
|
|
|
|
|
|
|
|
2019-09-12 18:16:39 +00:00
|
|
|
def setup_utils_configuration(args: Dict[str, Any], method: RunMode) -> Dict[str, Any]:
|
2019-06-12 09:33:20 +00:00
|
|
|
"""
|
2019-06-16 18:37:43 +00:00
|
|
|
Prepare the configuration for utils subcommands
|
2019-06-12 09:33:20 +00:00
|
|
|
:param args: Cli args from Arguments()
|
|
|
|
:return: Configuration
|
|
|
|
"""
|
|
|
|
configuration = Configuration(args, method)
|
2019-08-16 12:42:44 +00:00
|
|
|
config = configuration.get_config()
|
2019-06-12 09:33:20 +00:00
|
|
|
|
|
|
|
# Ensure we do not use Exchange credentials
|
2019-11-05 11:39:19 +00:00
|
|
|
remove_credentials(config)
|
2019-06-12 09:33:20 +00:00
|
|
|
|
|
|
|
return config
|
|
|
|
|
|
|
|
|
2019-09-14 09:16:14 +00:00
|
|
|
def start_trading(args: Dict[str, Any]) -> int:
|
|
|
|
"""
|
|
|
|
Main entry point for trading mode
|
|
|
|
"""
|
|
|
|
from freqtrade.worker import Worker
|
|
|
|
# Load and run worker
|
2019-11-16 08:47:35 +00:00
|
|
|
worker = None
|
2019-11-15 19:10:17 +00:00
|
|
|
try:
|
|
|
|
worker = Worker(args)
|
|
|
|
worker.run()
|
|
|
|
except KeyboardInterrupt:
|
|
|
|
logger.info('SIGINT received, aborting ...')
|
|
|
|
finally:
|
|
|
|
if worker:
|
|
|
|
logger.info("worker found ... calling exit")
|
|
|
|
worker.exit()
|
2019-09-14 09:16:14 +00:00
|
|
|
return 0
|
|
|
|
|
|
|
|
|
2019-09-12 18:16:39 +00:00
|
|
|
def start_list_exchanges(args: Dict[str, Any]) -> None:
|
2019-06-12 09:33:20 +00:00
|
|
|
"""
|
2019-06-14 18:54:38 +00:00
|
|
|
Print available exchanges
|
2019-06-12 09:33:20 +00:00
|
|
|
:param args: Cli args from Arguments()
|
|
|
|
:return: None
|
|
|
|
"""
|
2019-09-30 21:33:33 +00:00
|
|
|
exchanges = ccxt_exchanges() if args['list_exchanges_all'] else available_exchanges()
|
2019-09-12 18:16:39 +00:00
|
|
|
if args['print_one_column']:
|
2019-09-30 21:33:33 +00:00
|
|
|
print('\n'.join(exchanges))
|
2019-06-12 09:33:20 +00:00
|
|
|
else:
|
2019-09-30 21:33:33 +00:00
|
|
|
if args['list_exchanges_all']:
|
|
|
|
print(f"All exchanges supported by the ccxt library: {', '.join(exchanges)}")
|
|
|
|
else:
|
|
|
|
print(f"Exchanges available for Freqtrade: {', '.join(exchanges)}")
|
2019-07-21 12:13:38 +00:00
|
|
|
|
|
|
|
|
2019-09-12 18:16:39 +00:00
|
|
|
def start_create_userdir(args: Dict[str, Any]) -> None:
|
2019-07-21 12:13:38 +00:00
|
|
|
"""
|
2019-11-13 08:38:06 +00:00
|
|
|
Create "user_data" directory to contain user data strategies, hyperopt, ...)
|
2019-07-21 12:13:38 +00:00
|
|
|
:param args: Cli args from Arguments()
|
|
|
|
:return: None
|
|
|
|
"""
|
2019-09-12 18:16:39 +00:00
|
|
|
if "user_data_dir" in args and args["user_data_dir"]:
|
|
|
|
create_userdata_dir(args["user_data_dir"], create_dir=True)
|
2019-07-21 12:13:38 +00:00
|
|
|
else:
|
|
|
|
logger.warning("`create-userdir` requires --userdir to be set.")
|
|
|
|
sys.exit(1)
|
2019-08-21 17:35:27 +00:00
|
|
|
|
|
|
|
|
2019-09-12 18:16:39 +00:00
|
|
|
def start_download_data(args: Dict[str, Any]) -> None:
|
2019-08-16 12:42:44 +00:00
|
|
|
"""
|
2019-08-16 13:27:33 +00:00
|
|
|
Download data (former download_backtest_data.py script)
|
2019-08-16 12:42:44 +00:00
|
|
|
"""
|
2019-11-01 14:39:25 +00:00
|
|
|
config = setup_utils_configuration(args, RunMode.UTIL_EXCHANGE)
|
2019-08-16 12:42:44 +00:00
|
|
|
|
|
|
|
timerange = TimeRange()
|
|
|
|
if 'days' in config:
|
|
|
|
time_since = arrow.utcnow().shift(days=-config['days']).strftime("%Y%m%d")
|
|
|
|
timerange = TimeRange.parse_timerange(f'{time_since}-')
|
|
|
|
|
2019-09-21 10:53:15 +00:00
|
|
|
if 'pairs' not in config:
|
|
|
|
raise OperationalException(
|
2019-09-24 04:35:41 +00:00
|
|
|
"Downloading data requires a list of pairs. "
|
2019-09-21 10:53:15 +00:00
|
|
|
"Please check the documentation on how to configure this.")
|
|
|
|
|
2019-08-16 12:42:44 +00:00
|
|
|
dl_path = Path(config['datadir'])
|
|
|
|
logger.info(f'About to download pairs: {config["pairs"]}, '
|
|
|
|
f'intervals: {config["timeframes"]} to {dl_path}')
|
|
|
|
|
2019-08-25 13:01:27 +00:00
|
|
|
pairs_not_available: List[str] = []
|
2019-08-16 12:42:44 +00:00
|
|
|
|
2019-10-23 05:06:02 +00:00
|
|
|
# Init exchange
|
|
|
|
exchange = ExchangeResolver(config['exchange']['name'], config).exchange
|
2019-08-16 12:42:44 +00:00
|
|
|
try:
|
|
|
|
|
2019-10-08 18:31:01 +00:00
|
|
|
if config.get('download_trades'):
|
2019-08-27 05:14:37 +00:00
|
|
|
pairs_not_available = refresh_backtest_trades_data(
|
2019-08-29 09:43:14 +00:00
|
|
|
exchange, pairs=config["pairs"], datadir=Path(config['datadir']),
|
|
|
|
timerange=timerange, erase=config.get("erase"))
|
|
|
|
|
|
|
|
# Convert downloaded trade data to different timeframes
|
|
|
|
convert_trades_to_ohlcv(
|
2019-10-14 04:19:59 +00:00
|
|
|
pairs=config["pairs"], timeframes=config["timeframes"],
|
2019-08-29 09:36:32 +00:00
|
|
|
datadir=Path(config['datadir']), timerange=timerange, erase=config.get("erase"))
|
2019-10-08 18:31:01 +00:00
|
|
|
else:
|
|
|
|
pairs_not_available = refresh_backtest_ohlcv_data(
|
|
|
|
exchange, pairs=config["pairs"], timeframes=config["timeframes"],
|
|
|
|
dl_path=Path(config['datadir']), timerange=timerange, erase=config.get("erase"))
|
2019-08-16 12:42:44 +00:00
|
|
|
|
|
|
|
except KeyboardInterrupt:
|
|
|
|
sys.exit("SIGINT received, aborting ...")
|
|
|
|
|
|
|
|
finally:
|
|
|
|
if pairs_not_available:
|
2019-08-25 13:01:27 +00:00
|
|
|
logger.info(f"Pairs [{','.join(pairs_not_available)}] not available "
|
2019-10-23 05:06:02 +00:00
|
|
|
f"on exchange {exchange.name}.")
|
2019-09-29 08:54:20 +00:00
|
|
|
|
|
|
|
|
|
|
|
def start_list_timeframes(args: Dict[str, Any]) -> None:
|
|
|
|
"""
|
|
|
|
Print ticker intervals (timeframes) available on Exchange
|
|
|
|
"""
|
2019-11-01 14:39:25 +00:00
|
|
|
config = setup_utils_configuration(args, RunMode.UTIL_EXCHANGE)
|
2019-09-29 20:08:11 +00:00
|
|
|
# Do not use ticker_interval set in the config
|
|
|
|
config['ticker_interval'] = None
|
2019-09-29 08:54:20 +00:00
|
|
|
|
|
|
|
# Init exchange
|
2019-10-13 08:33:22 +00:00
|
|
|
exchange = ExchangeResolver(config['exchange']['name'], config, validate=False).exchange
|
2019-09-29 08:54:20 +00:00
|
|
|
|
2019-09-29 20:08:11 +00:00
|
|
|
if args['print_one_column']:
|
|
|
|
print('\n'.join(exchange.timeframes))
|
2019-09-29 08:54:20 +00:00
|
|
|
else:
|
2019-10-23 05:06:02 +00:00
|
|
|
print(f"Timeframes available for the exchange `{exchange.name}`: "
|
2019-09-29 20:08:11 +00:00
|
|
|
f"{', '.join(exchange.timeframes)}")
|
2019-10-13 10:12:20 +00:00
|
|
|
|
|
|
|
|
2019-10-17 22:26:05 +00:00
|
|
|
def start_list_markets(args: Dict[str, Any], pairs_only: bool = False) -> None:
|
2019-10-13 10:12:20 +00:00
|
|
|
"""
|
2019-10-17 22:26:05 +00:00
|
|
|
Print pairs/markets on the exchange
|
2019-10-13 10:12:20 +00:00
|
|
|
:param args: Cli args from Arguments()
|
|
|
|
:param pairs_only: if True print only pairs, otherwise print all instruments (markets)
|
|
|
|
:return: None
|
|
|
|
"""
|
2019-11-01 14:39:25 +00:00
|
|
|
config = setup_utils_configuration(args, RunMode.UTIL_EXCHANGE)
|
2019-10-13 10:12:20 +00:00
|
|
|
|
|
|
|
# Init exchange
|
2019-10-22 10:48:54 +00:00
|
|
|
exchange = ExchangeResolver(config['exchange']['name'], config, validate=False).exchange
|
2019-10-13 10:12:20 +00:00
|
|
|
|
2019-10-16 23:42:07 +00:00
|
|
|
# By default only active pairs/markets are to be shown
|
|
|
|
active_only = not args.get('list_pairs_all', False)
|
|
|
|
|
2019-10-16 23:09:19 +00:00
|
|
|
base_currencies = args.get('base_currencies', [])
|
|
|
|
quote_currencies = args.get('quote_currencies', [])
|
2019-10-13 10:12:20 +00:00
|
|
|
|
2019-10-14 10:32:39 +00:00
|
|
|
try:
|
2019-10-16 23:09:19 +00:00
|
|
|
pairs = exchange.get_markets(base_currencies=base_currencies,
|
|
|
|
quote_currencies=quote_currencies,
|
2019-10-14 10:32:39 +00:00
|
|
|
pairs_only=pairs_only,
|
|
|
|
active_only=active_only)
|
2019-10-17 00:06:51 +00:00
|
|
|
# Sort the pairs/markets by symbol
|
|
|
|
pairs = OrderedDict(sorted(pairs.items()))
|
2019-10-14 10:32:39 +00:00
|
|
|
except Exception as e:
|
|
|
|
raise OperationalException(f"Cannot get markets. Reason: {e}") from e
|
|
|
|
|
2019-10-13 10:12:20 +00:00
|
|
|
else:
|
2019-10-15 23:22:27 +00:00
|
|
|
summary_str = ((f"Exchange {exchange.name} has {len(pairs)} ") +
|
|
|
|
("active " if active_only else "") +
|
|
|
|
(plural(len(pairs), "pair" if pairs_only else "market")) +
|
2019-10-16 23:09:19 +00:00
|
|
|
(f" with {', '.join(base_currencies)} as base "
|
|
|
|
f"{plural(len(base_currencies), 'currency', 'currencies')}"
|
|
|
|
if base_currencies else "") +
|
|
|
|
(" and" if base_currencies and quote_currencies else "") +
|
|
|
|
(f" with {', '.join(quote_currencies)} as quote "
|
|
|
|
f"{plural(len(quote_currencies), 'currency', 'currencies')}"
|
|
|
|
if quote_currencies else ""))
|
2019-10-15 23:22:27 +00:00
|
|
|
|
2019-10-16 00:02:58 +00:00
|
|
|
headers = ["Id", "Symbol", "Base", "Quote", "Active",
|
|
|
|
*(['Is pair'] if not pairs_only else [])]
|
|
|
|
|
|
|
|
tabular_data = []
|
|
|
|
for _, v in pairs.items():
|
|
|
|
tabular_data.append({'Id': v['id'], 'Symbol': v['symbol'],
|
|
|
|
'Base': v['base'], 'Quote': v['quote'],
|
|
|
|
'Active': market_is_active(v),
|
2019-10-17 15:44:25 +00:00
|
|
|
**({'Is pair': symbol_is_pair(v['symbol'])}
|
|
|
|
if not pairs_only else {})})
|
2019-10-15 23:22:27 +00:00
|
|
|
|
2019-10-16 00:55:04 +00:00
|
|
|
if (args.get('print_one_column', False) or
|
|
|
|
args.get('list_pairs_print_json', False) or
|
|
|
|
args.get('print_csv', False)):
|
2019-10-20 19:28:54 +00:00
|
|
|
# Print summary string in the log in case of machine-readable
|
|
|
|
# regular formats.
|
2019-10-16 00:55:04 +00:00
|
|
|
logger.info(f"{summary_str}.")
|
2019-10-20 19:28:54 +00:00
|
|
|
else:
|
|
|
|
# Print empty string separating leading logs and output in case of
|
|
|
|
# human-readable formats.
|
|
|
|
print()
|
2019-10-16 00:55:04 +00:00
|
|
|
|
2019-10-17 01:34:05 +00:00
|
|
|
if len(pairs):
|
|
|
|
if args.get('print_list', False):
|
|
|
|
# print data as a list, with human-readable summary
|
|
|
|
print(f"{summary_str}: {', '.join(pairs.keys())}.")
|
|
|
|
elif args.get('print_one_column', False):
|
2019-10-17 00:06:51 +00:00
|
|
|
print('\n'.join(pairs.keys()))
|
2019-10-17 01:34:05 +00:00
|
|
|
elif args.get('list_pairs_print_json', False):
|
|
|
|
print(rapidjson.dumps(list(pairs.keys()), default=str))
|
|
|
|
elif args.get('print_csv', False):
|
2019-10-16 00:02:58 +00:00
|
|
|
writer = csv.DictWriter(sys.stdout, fieldnames=headers)
|
2019-10-15 23:22:27 +00:00
|
|
|
writer.writeheader()
|
2019-10-16 00:02:58 +00:00
|
|
|
writer.writerows(tabular_data)
|
2019-10-17 01:34:05 +00:00
|
|
|
else:
|
|
|
|
# print data as a table, with the human-readable summary
|
|
|
|
print(f"{summary_str}:")
|
2019-10-16 00:02:58 +00:00
|
|
|
print(tabulate(tabular_data, headers='keys', tablefmt='pipe'))
|
2019-10-17 01:34:05 +00:00
|
|
|
elif not (args.get('print_one_column', False) or
|
|
|
|
args.get('list_pairs_print_json', False) or
|
|
|
|
args.get('print_csv', False)):
|
2019-10-23 20:57:17 +00:00
|
|
|
print(f"{summary_str}.")
|