stable/scripts/plot_profit.py

144 lines
4.1 KiB
Python
Raw Normal View History

2018-01-12 09:55:49 +00:00
#!/usr/bin/env python3
"""
Script to display profits
2019-06-29 18:07:25 +00:00
Use `python plot_profit.py --help` to display the command line arguments
"""
2018-03-25 19:37:14 +00:00
import logging
2018-01-12 09:55:49 +00:00
import sys
from argparse import Namespace
2018-12-15 12:54:35 +00:00
from pathlib import Path
from typing import List
2018-01-12 09:55:49 +00:00
import pandas as pd
2019-03-23 18:18:10 +00:00
import plotly.graph_objs as go
from plotly import tools
from plotly.offline import plot
from freqtrade.arguments import ARGS_PLOT_PROFIT, Arguments
from freqtrade.configuration import Configuration
2018-12-15 12:54:35 +00:00
from freqtrade.data import history
from freqtrade.data.btanalysis import create_cum_profit, load_trades
from freqtrade.plot.plotting import generate_plot_file
from freqtrade.resolvers import StrategyResolver
from freqtrade.state import RunMode
2018-03-25 19:37:14 +00:00
logger = logging.getLogger(__name__)
2018-01-12 09:55:49 +00:00
def plot_profit(args: Namespace) -> None:
2018-01-12 09:55:49 +00:00
"""
Plots the total profit for all pairs.
Note, the profit calculation isn't realistic.
But should be somewhat proportional, and therefor useful
in helping out to find a good algorithm.
"""
# We need to use the same pairs and the same ticker_interval
# as used in backtesting / trading
# to match the tickerdata against the results
timerange = Arguments.parse_timerange(args.timerange)
2018-01-12 09:55:49 +00:00
config = Configuration(args, RunMode.OTHER).get_config()
# Init strategy
strategy = StrategyResolver(config).strategy
# Take pairs from the cli otherwise switch to the pair in the config file
if args.pairs:
filter_pairs = args.pairs
filter_pairs = filter_pairs.split(',')
else:
filter_pairs = config['exchange']['pair_whitelist']
# Load the profits results
trades = load_trades(config)
trades = trades[trades['pair'].isin(filter_pairs)]
ticker_interval = strategy.ticker_interval
2018-01-12 09:55:49 +00:00
pairs = config['exchange']['pair_whitelist']
if filter_pairs:
pairs = list(set(pairs) & set(filter_pairs))
logger.info('Filter, keep pairs %s' % pairs)
2018-12-13 05:34:37 +00:00
tickers = history.load_data(
2019-03-23 18:28:06 +00:00
datadir=Path(str(config.get('datadir'))),
pairs=pairs,
ticker_interval=ticker_interval,
refresh_pairs=False,
timerange=timerange
)
2018-01-12 09:55:49 +00:00
# Create an average close price of all the pairs that were involved.
# this could be useful to gauge the overall market trend
2018-01-12 09:55:49 +00:00
# Combine close-values for all pairs, rename columns to "pair"
df_comb = pd.concat([tickers[pair].set_index('date').rename(
{'close': pair}, axis=1)[pair] for pair in tickers], axis=1)
df_comb['mean'] = df_comb.mean(axis=1)
2018-01-12 09:55:49 +00:00
# Add combined cumulative profit
df_comb = create_cum_profit(df_comb, trades, 'cum_profit')
2018-01-12 09:55:49 +00:00
# Plot the pairs average close prices, and total profit growth
avgclose = go.Scattergl(
x=df_comb.index,
y=df_comb['mean'],
name='Avg close price',
)
profit = go.Scattergl(
x=df_comb.index,
y=df_comb['cum_profit'],
name='Profit',
)
fig = tools.make_subplots(rows=3, cols=1, shared_xaxes=True, row_width=[1, 1, 1])
fig.append_trace(avgclose, 1, 1)
fig.append_trace(profit, 2, 1)
2018-01-12 09:55:49 +00:00
for pair in pairs:
profit_col = f'cum_profit_{pair}'
df_comb = create_cum_profit(df_comb, trades[trades['pair'] == pair], profit_col)
pair_profit = go.Scattergl(
x=df_comb.index,
y=df_comb[profit_col],
name=f"Profit {pair}",
)
fig.append_trace(pair_profit, 3, 1)
generate_plot_file(fig,
filename='freqtrade-profit-plot.html',
auto_open=True)
2018-03-05 04:24:01 +00:00
def plot_parse_args(args: List[str]) -> Namespace:
"""
Parse args passed to the script
:param args: Cli arguments
:return: args: Array with all arguments
"""
arguments = Arguments(args, 'Graph profits')
2019-06-22 18:27:29 +00:00
arguments.build_args(optionlist=ARGS_PLOT_PROFIT)
return arguments.parse_args()
def main(sysargv: List[str]) -> None:
"""
This function will initiate the bot and start the trading loop.
:return: None
"""
logger.info('Starting Plot Dataframe')
plot_profit(
plot_parse_args(sysargv)
)
2018-01-12 09:55:49 +00:00
if __name__ == '__main__':
main(sys.argv[1:])