[go: up one dir, main page]

Menu

[bbac43]: / octobot / cli.py  Maximize  Restore  History

Download this file

501 lines (415 with data), 23.1 kB

  1
  2
  3
  4
  5
  6
  7
  8
  9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
# This file is part of OctoBot (https://github.com/Drakkar-Software/OctoBot)
# Copyright (c) 2022 Drakkar-Software, All rights reserved.
#
# OctoBot is free software; you can redistribute it and/or
# modify it under the terms of the GNU General Public License
# as published by the Free Software Foundation; either
# version 3.0 of the License, or (at your option) any later version.
#
# OctoBot is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
# General Public License for more details.
#
# You should have received a copy of the GNU General Public
# License along with OctoBot. If not, see <https://www.gnu.org/licenses/>.
import packaging.version as packaging_version
import argparse
import os
import sys
import multiprocessing
import asyncio
import octobot_commons.os_util as os_util
import octobot_commons.logging as logging
import octobot_commons.configuration as configuration
import octobot_commons.authentication as authentication
import octobot_commons.constants as common_constants
import octobot_commons.errors as errors
import octobot_services.api as service_api
import octobot_tentacles_manager.api as tentacles_manager_api
import octobot_tentacles_manager.cli as tentacles_manager_cli
import octobot_tentacles_manager.constants as tentacles_manager_constants
# make tentacles importable
sys.path.append(os.path.dirname(sys.executable))
import octobot.octobot as octobot_class
import octobot.commands as commands
import octobot.configuration_manager as configuration_manager
import octobot.octobot_backtesting_factory as octobot_backtesting
import octobot.constants as constants
import octobot.disclaimer as disclaimer
import octobot.logger as octobot_logger
import octobot.community as octobot_community
import octobot.limits as limits
def update_config_with_args(starting_args, config: configuration.Configuration, logger):
try:
import octobot_backtesting.constants as backtesting_constants
except ImportError as e:
logging.get_logger().error(
"Can't start backtesting without the octobot_backtesting package properly installed.")
raise e
if starting_args.backtesting:
if starting_args.backtesting_files:
config.config[backtesting_constants.CONFIG_BACKTESTING][
backtesting_constants.CONFIG_BACKTESTING_DATA_FILES] = starting_args.backtesting_files
config.config[backtesting_constants.CONFIG_BACKTESTING][common_constants.CONFIG_ENABLED_OPTION] = True
config.config[common_constants.CONFIG_TRADER][common_constants.CONFIG_ENABLED_OPTION] = False
config.config[common_constants.CONFIG_SIMULATOR][common_constants.CONFIG_ENABLED_OPTION] = True
if starting_args.simulate:
config.config[common_constants.CONFIG_TRADER][common_constants.CONFIG_ENABLED_OPTION] = False
config.config[common_constants.CONFIG_SIMULATOR][common_constants.CONFIG_ENABLED_OPTION] = True
if starting_args.risk is not None and 0 < starting_args.risk <= 1:
config.config[common_constants.CONFIG_TRADING][common_constants.CONFIG_TRADER_RISK] = starting_args.risk
# def _check_public_announcements(logger):
# try:
# announcement = get_external_resource(EXTERNAL_RESOURCE_PUBLIC_ANNOUNCEMENTS)
# if announcement:
# logger.info(announcement)
# except Exception as e:
# logger.warning("Impossible to check announcements: {0}".format(e))
def _log_terms_if_unaccepted(config: configuration.Configuration, logger):
if not config.accepted_terms():
logger.info("*** Disclaimer ***")
for line in disclaimer.DISCLAIMER:
logger.info(line)
logger.info("... Disclaimer ...")
else:
logger.info("Disclaimer accepted by user.")
def _disable_interface_from_param(interface_identifier, param_value, logger):
if param_value:
if service_api.disable_interfaces(interface_identifier) == 0:
logger.warning("No " + interface_identifier + " interface to disable")
else:
logger.info(interface_identifier.capitalize() + " interface disabled")
def _log_environment(logger):
try:
logger.debug(f"Running on {os_util.get_current_platform()} with {os_util.get_octobot_type()}")
except Exception as e:
logger.error(f"Impossible to identify the current running environment: {e}")
def _create_configuration():
config_path = configuration.get_user_config()
config = configuration.Configuration(config_path,
common_constants.USER_PROFILES_FOLDER,
constants.CONFIG_FILE_SCHEMA,
constants.PROFILE_FILE_SCHEMA)
return config
def _create_startup_config(logger):
logger.info("Loading config files...")
config = _create_configuration()
is_first_startup = config.is_config_file_empty_or_missing()
if is_first_startup:
logger.info("No configuration found creating default configuration...")
configuration_manager.init_config()
config.read(should_raise=False)
else:
_read_config(config, logger)
try:
_ensure_profile(config)
_validate_config(config, logger)
except (errors.NoProfileError, errors.ConfigError):
# real issue if tentacles exist otherwise continue
if os.path.isdir(tentacles_manager_constants.TENTACLES_PATH):
raise
return config, is_first_startup
def _download_and_select_profile(logger, config, to_download_profile_urls, to_select_profile):
if to_download_profile_urls:
commands.download_missing_env_profiles(
config,
to_download_profile_urls
)
if commands.select_forced_profile_if_any(config, to_select_profile, logger):
_ensure_profile(config)
async def _apply_community_startup_info_to_config(logger, config, community_auth):
try:
if not community_auth.is_initialized() and constants.USER_ACCOUNT_EMAIL and constants.USER_PASSWORD_TOKEN:
await community_auth.login(
constants.USER_ACCOUNT_EMAIL, None, password_token=constants.USER_PASSWORD_TOKEN
)
if not community_auth.is_initialized():
await community_auth.async_init_account()
if not community_auth.is_logged_in():
return
startup_info = await community_auth.get_startup_info()
logger.debug(f"Fetched startup info: {startup_info}")
_download_and_select_profile(
logger, config,
startup_info.get_subscribed_products_urls(),
startup_info.get_forced_profile_url()
)
except octobot_community.errors.BotError:
return
except authentication.FailedAuthentication as err:
logger.error(f"Failed authentication when fetching bot startup info: {err}")
except Exception as err:
logger.error(f"Error when fetching community startup info: {err}")
def _apply_env_variables_to_config(logger, config):
_download_and_select_profile(
logger, config,
[url.strip() for url in constants.TO_DOWNLOAD_PROFILES.split(",")] if constants.TO_DOWNLOAD_PROFILES else [],
constants.FORCED_PROFILE
)
def _handle_forced_startup_config(logger, config, is_first_startup):
# switch environments if necessary
octobot_community.IdentifiersProvider.use_environment_from_config(config)
# 1. at first startup, get startup info from community when possible
community_auth = octobot_community.CommunityAuthentication.create(config)
if is_first_startup:
asyncio.run(_apply_community_startup_info_to_config(logger, config, community_auth))
# 2. handle profiles from env variables
_apply_env_variables_to_config(logger, config)
return community_auth
def _read_config(config, logger):
try:
config.read(should_raise=True, fill_missing_fields=True)
except errors.NoProfileError:
_repair_with_default_profile(config, logger)
config = _create_configuration()
config.read(should_raise=False, fill_missing_fields=True)
except Exception as e:
raise errors.ConfigError(e)
def _ensure_profile(config):
if config.profile is None:
# no selected profile or profile not found
try:
config.select_profile(common_constants.DEFAULT_PROFILE)
except KeyError:
raise errors.NoProfileError
def _validate_config(config, logger):
try:
config.validate()
except Exception as err:
if configuration_manager.migrate_from_previous_config(config):
logger.info("Your configuration has been migrated into the newest format.")
else:
logger.error("OctoBot can't repair your config.json file: invalid format: " + str(err))
raise errors.ConfigError from err
def _repair_with_default_profile(config, logger):
logger.error("OctoBot can't start without a valid profile configuration. Selecting default profile ...")
configuration_manager.set_default_profile(config)
config.load_profiles_if_possible_and_necessary()
def _load_or_create_tentacles(config, logger):
# add tentacles folder to Python path
sys.path.append(os.path.realpath(os.getcwd()))
# when tentacles folder already exists
if os.path.isfile(tentacles_manager_constants.USER_REFERENCE_TENTACLE_CONFIG_FILE_PATH):
config.load_profiles_if_possible_and_necessary()
tentacles_setup_config = tentacles_manager_api.get_tentacles_setup_config(
config.get_tentacles_config_path()
)
commands.run_update_or_repair_tentacles_if_necessary(config, tentacles_setup_config)
else:
# when no tentacles folder has been found
logger.info("OctoBot tentacles can't be found. Installing default tentacles ...")
commands.run_tentacles_install_or_update(config)
config.load_profiles_if_possible_and_necessary()
def start_octobot(args):
logger = None
try:
if args.version:
print(constants.LONG_VERSION)
return
logger = octobot_logger.init_logger()
startup_messages = []
# Version
logger.info("Version : {0}".format(constants.LONG_VERSION))
# Current running environment
_log_environment(logger)
# load configuration
config, is_first_startup = _create_startup_config(logger)
# check config loading
if not config.is_loaded():
raise errors.ConfigError
# Handle utility methods before bot initializing if possible
if args.encrypter:
commands.exchange_keys_encrypter()
return
# add args to config
update_config_with_args(args, config, logger)
# show terms
_log_terms_if_unaccepted(config, logger)
# tries to load, install or repair tentacles
_load_or_create_tentacles(config, logger)
# patch setup with forced values
community_auth = _handle_forced_startup_config(logger, config, is_first_startup)
# Can now perform config health check (some checks require a loaded profile)
configuration_manager.config_health_check(config, args.backtesting)
# Keep track of errors if any
octobot_community.register_error_uploader(constants.ERRORS_POST_ENDPOINT, config)
# Apply config limits if any
startup_messages += limits.apply_config_limits(config)
# create OctoBot instance
if args.backtesting:
bot = octobot_backtesting.OctoBotBacktestingFactory(config,
run_on_common_part_only=not args.whole_data_range,
enable_join_timeout=args.enable_backtesting_timeout,
enable_logs=not args.no_logs)
else:
bot = octobot_class.OctoBot(config, community_authenticator=community_auth,
reset_trading_history=args.reset_trading_history,
startup_messages=startup_messages)
# set global bot instance
commands.set_global_bot_instance(bot)
# Clear community cache
bot.community_auth.clear_cache()
if args.identifier:
# set community identifier
bot.community_auth.identifier = args.identifier[0]
if args.update:
return commands.update_bot(bot.octobot_api)
if args.strategy_optimizer:
commands.start_strategy_optimizer(config, args.strategy_optimizer)
return
# In those cases load OctoBot
_disable_interface_from_param("telegram", args.no_telegram, logger)
_disable_interface_from_param("web", args.no_web, logger)
commands.run_bot(bot, logger)
except errors.ConfigError as e:
logger.error("OctoBot can't start without a valid " + common_constants.CONFIG_FILE
+ " configuration file.\nError: " + str(e) + "\nYou can use " +
constants.DEFAULT_CONFIG_FILE + " as an example to fix it.")
os._exit(-1)
except errors.NoProfileError:
logger.error("Missing default profiles. OctoBot can't start without a valid default profile configuration. "
"Please make sure that the {config.profiles_path} "
f"folder is accessible. To reinstall default profiles, delete the "
f"'{tentacles_manager_constants.TENTACLES_PATH}' "
f"folder or start OctoBot with the following arguments: tentacles --install --all")
os._exit(-1)
except ModuleNotFoundError as e:
if 'tentacles' in str(e):
logger.error("Impossible to start OctoBot, tentacles are missing.\nTo install tentacles, "
"please use the following command:\nstart.py tentacles --install --all")
else:
logger.exception(e)
os._exit(-1)
except errors.ConfigEvaluatorError:
logger.error("OctoBot can't start without a valid configuration file.\n"
"This file is generated on tentacle "
"installation using the following command:\nstart.py tentacles --install --all")
os._exit(-1)
except errors.ConfigTradingError:
logger.error("OctoBot can't start without a valid configuration file.\n"
"This file is generated on tentacle "
"installation using the following command:\nstart.py tentacles --install --all")
os._exit(-1)
def octobot_parser(parser):
parser.add_argument('-v', '--version', help='Show OctoBot current version.',
action='store_true')
parser.add_argument('-s', '--simulate', help='Force OctoBot to start with the trader simulator only.',
action='store_true')
parser.add_argument('-u', '--update', help='Update OctoBot to latest version.',
action='store_true')
parser.add_argument('-rts', '--reset-trading-history', help='Force the traders to reset their history. They will '
'now take the next portfolio as a reference for '
'profitability and trading simulators will use a '
'fresh new portfolio.',
action='store_true')
parser.add_argument('-b', '--backtesting', help='Start OctoBot in backesting mode using the backtesting '
'config stored in config.json.',
action='store_true')
parser.add_argument('-bf', '--backtesting-files', type=str, nargs='+',
help='Backtesting files to use (should be provided with -b or --backtesting).',
required=False)
parser.add_argument('-wdr', '--whole-data-range',
help='On multiple files backtesting: run on the whole available data instead of the '
'common part only (default behavior).',
action='store_true')
parser.add_argument('-ebt', '--enable-backtesting-timeout',
help='When enabled, the watcher is limiting backtesting time to 30min.'
'When disabled, the backtesting run will not be interrupted during execution',
action='store_true')
parser.add_argument('-r', '--risk', type=float, help='Force a specific risk configuration (between 0 and 1).')
parser.add_argument('-nw', '--no_web', help="Don't start OctoBot web interface.",
action='store_true')
parser.add_argument('-nl', '--no_logs', help="Disable OctoBot logs in backtesting.",
action='store_true')
parser.add_argument('-nt', '--no-telegram', help='Start OctoBot without telegram interface, even if telegram '
'credentials are in config. With this parameter, your Octobot '
'won`t reply to any telegram command but is still able to listen '
'to telegram feed and send telegram notifications',
action='store_true')
parser.add_argument('--encrypter', help="Start the exchange api keys encrypter. This tool is useful to manually add"
" exchanges configuration in your config.json without using any interface "
"(ie the web interface that handle encryption automatically).",
action='store_true')
parser.add_argument('--identifier', help="OctoBot community identifier.", type=str, nargs=1)
parser.add_argument('-o', '--strategy_optimizer', help='Start Octobot strategy optimizer. This mode will make '
'octobot play backtesting scenarii located in '
'abstract_strategy_test.py with different timeframes, '
'evaluators and risk using the trading mode set in '
'config.json. This tool is useful to quickly test a '
'strategy and automatically find the best compatible '
'settings. Param is the name of the strategy class to '
'test. Example: -o TechnicalAnalysisStrategyEvaluator'
' Warning: this process may take a long time.',
nargs='+')
parser.set_defaults(func=start_octobot)
# add sub commands
subparsers = parser.add_subparsers(title="Other commands")
# tentacles manager
tentacles_parser = subparsers.add_parser("tentacles", help='Calls OctoBot tentacles manager.\n'
'Use "tentacles --help" to get the '
'tentacles manager help.')
tentacles_manager_cli.register_tentacles_manager_arguments(tentacles_parser)
tentacles_parser.set_defaults(func=commands.call_tentacles_manager)
def start_background_octobot_with_args(version=False,
update=False,
encrypter=False,
strategy_optimizer=False,
data_collector=False,
backtesting_files=None,
no_telegram=False,
no_web=False,
no_logs=False,
backtesting=False,
identifier=None,
whole_data_range=True,
enable_backtesting_timeout=True,
simulate=True,
risk=None,
in_subprocess=False,
reset_trading_history=False,):
if backtesting_files is None:
backtesting_files = []
args = argparse.Namespace(version=version,
update=update,
encrypter=encrypter,
strategy_optimizer=strategy_optimizer,
data_collector=data_collector,
backtesting_files=backtesting_files,
no_telegram=no_telegram,
no_web=no_web,
no_logs=no_logs,
backtesting=backtesting,
identifier=identifier,
whole_data_range=whole_data_range,
enable_backtesting_timeout=enable_backtesting_timeout,
simulate=simulate,
risk=risk,
reset_trading_history=reset_trading_history)
if in_subprocess:
bot_process = multiprocessing.Process(target=start_octobot, args=(args,))
bot_process.start()
return bot_process
else:
return start_octobot(args)
def main(args=None):
if not args:
args = sys.argv[1:]
parser = argparse.ArgumentParser(description='OctoBot')
octobot_parser(parser)
MIN_TENTACLE_MANAGER_VERSION = "1.0.10"
# check compatible tentacle manager
try:
from octobot_tentacles_manager import VERSION
if packaging_version.Version(VERSION) < packaging_version.Version(MIN_TENTACLE_MANAGER_VERSION):
print("OctoBot requires OctoBot-Tentacles-Manager in a minimum version of " + MIN_TENTACLE_MANAGER_VERSION +
" you can install and update OctoBot-Tentacles-Manager using the following command: "
"python3 -m pip install -U OctoBot-Tentacles-Manager", file=sys.stderr)
sys.exit(-1)
except ImportError:
print("OctoBot requires OctoBot-Tentacles-Manager, you can install it using "
"python3 -m pip install -U OctoBot-Tentacles-Manager", file=sys.stderr)
sys.exit(-1)
args = parser.parse_args(args)
# call the appropriate command entry point
args.func(args)