2018-03-02 15:22:00 +00:00
|
|
|
"""
|
|
|
|
This module contains the class to persist trades into SQLite
|
|
|
|
"""
|
2017-10-31 23:22:38 +00:00
|
|
|
import logging
|
2020-08-22 07:12:09 +00:00
|
|
|
from datetime import datetime, timezone
|
2018-10-21 07:21:32 +00:00
|
|
|
from decimal import Decimal
|
2019-02-25 19:00:17 +00:00
|
|
|
from typing import Any, Dict, List, Optional
|
2017-05-12 17:11:56 +00:00
|
|
|
|
2017-10-31 23:22:38 +00:00
|
|
|
import arrow
|
2020-08-13 12:50:57 +00:00
|
|
|
from sqlalchemy import (Boolean, Column, DateTime, Float, ForeignKey, Integer,
|
2020-08-22 13:48:42 +00:00
|
|
|
String, create_engine, desc, func, inspect)
|
2018-06-07 19:35:57 +00:00
|
|
|
from sqlalchemy.exc import NoSuchModuleError
|
2017-05-12 17:11:56 +00:00
|
|
|
from sqlalchemy.ext.declarative import declarative_base
|
2020-08-13 07:34:53 +00:00
|
|
|
from sqlalchemy.orm import Query, relationship
|
2017-09-03 06:50:48 +00:00
|
|
|
from sqlalchemy.orm.scoping import scoped_session
|
|
|
|
from sqlalchemy.orm.session import sessionmaker
|
2017-11-09 22:45:22 +00:00
|
|
|
from sqlalchemy.pool import StaticPool
|
2020-08-13 14:14:28 +00:00
|
|
|
from sqlalchemy.sql.schema import UniqueConstraint
|
2017-05-12 17:11:56 +00:00
|
|
|
|
2019-12-30 14:02:17 +00:00
|
|
|
from freqtrade.exceptions import OperationalException
|
2020-07-15 19:02:31 +00:00
|
|
|
from freqtrade.misc import safe_value_fallback
|
2020-08-13 06:33:46 +00:00
|
|
|
from freqtrade.persistence.migrations import check_migrate
|
2018-06-07 19:35:57 +00:00
|
|
|
|
2017-10-31 23:22:38 +00:00
|
|
|
logger = logging.getLogger(__name__)
|
2017-09-08 13:51:00 +00:00
|
|
|
|
2019-09-10 07:42:45 +00:00
|
|
|
|
2018-05-31 19:10:15 +00:00
|
|
|
_DECL_BASE: Any = declarative_base()
|
2018-06-23 13:27:29 +00:00
|
|
|
_SQL_DOCS_URL = 'http://docs.sqlalchemy.org/en/latest/core/engines.html#database-urls'
|
2017-05-12 17:11:56 +00:00
|
|
|
|
|
|
|
|
2019-05-30 04:31:34 +00:00
|
|
|
def init(db_url: str, clean_open_orders: bool = False) -> None:
|
2017-09-08 13:51:00 +00:00
|
|
|
"""
|
|
|
|
Initializes this module with the given config,
|
|
|
|
registers all known command handlers
|
|
|
|
and starts polling for message updates
|
2019-05-30 04:31:34 +00:00
|
|
|
:param db_url: Database to use
|
|
|
|
:param clean_open_orders: Remove open orders from the database.
|
|
|
|
Useful for dry-run or if all orders have been reset on the exchange.
|
2017-09-08 13:51:00 +00:00
|
|
|
:return: None
|
|
|
|
"""
|
2018-06-07 03:25:53 +00:00
|
|
|
kwargs = {}
|
|
|
|
|
2018-06-07 17:10:26 +00:00
|
|
|
# Take care of thread ownership if in-memory db
|
|
|
|
if db_url == 'sqlite://':
|
2018-06-07 03:25:53 +00:00
|
|
|
kwargs.update({
|
|
|
|
'connect_args': {'check_same_thread': False},
|
|
|
|
'poolclass': StaticPool,
|
|
|
|
'echo': False,
|
|
|
|
})
|
|
|
|
|
2018-06-07 19:35:57 +00:00
|
|
|
try:
|
|
|
|
engine = create_engine(db_url, **kwargs)
|
|
|
|
except NoSuchModuleError:
|
2019-08-25 18:38:51 +00:00
|
|
|
raise OperationalException(f"Given value for db_url: '{db_url}' "
|
|
|
|
f"is no valid database URL! (See {_SQL_DOCS_URL})")
|
2018-06-07 19:35:57 +00:00
|
|
|
|
2019-10-29 13:26:03 +00:00
|
|
|
# https://docs.sqlalchemy.org/en/13/orm/contextual.html#thread-local-scope
|
|
|
|
# Scoped sessions proxy requests to the appropriate thread-local session.
|
|
|
|
# We should use the scoped_session object - not a seperately initialized version
|
|
|
|
Trade.session = scoped_session(sessionmaker(bind=engine, autoflush=True, autocommit=True))
|
|
|
|
Trade.query = Trade.session.query_property()
|
2020-08-13 12:13:58 +00:00
|
|
|
# Copy session attributes to order object too
|
|
|
|
Order.session = Trade.session
|
|
|
|
Order.query = Order.session.query_property()
|
2020-08-13 12:50:57 +00:00
|
|
|
previous_tables = inspect(engine).get_table_names()
|
2017-11-07 19:13:36 +00:00
|
|
|
_DECL_BASE.metadata.create_all(engine)
|
2020-08-13 12:50:57 +00:00
|
|
|
check_migrate(engine, decl_base=_DECL_BASE, previous_tables=previous_tables)
|
2017-09-08 13:51:00 +00:00
|
|
|
|
2018-06-07 17:10:26 +00:00
|
|
|
# Clean dry_run DB if the db is not in-memory
|
2019-05-30 04:31:34 +00:00
|
|
|
if clean_open_orders and db_url != 'sqlite://':
|
2018-01-23 07:23:29 +00:00
|
|
|
clean_dry_run_db()
|
|
|
|
|
2017-09-08 13:51:00 +00:00
|
|
|
|
2017-10-27 13:52:14 +00:00
|
|
|
def cleanup() -> None:
|
|
|
|
"""
|
|
|
|
Flushes all pending operations to disk.
|
|
|
|
:return: None
|
|
|
|
"""
|
|
|
|
Trade.session.flush()
|
|
|
|
|
|
|
|
|
2018-01-23 07:23:29 +00:00
|
|
|
def clean_dry_run_db() -> None:
|
|
|
|
"""
|
|
|
|
Remove open_order_id from a Dry_run DB
|
|
|
|
:return: None
|
|
|
|
"""
|
|
|
|
for trade in Trade.query.filter(Trade.open_order_id.isnot(None)).all():
|
|
|
|
# Check we are updating only a dry_run order not a prod one
|
|
|
|
if 'dry_run' in trade.open_order_id:
|
|
|
|
trade.open_order_id = None
|
|
|
|
|
|
|
|
|
2020-08-13 07:34:53 +00:00
|
|
|
class Order(_DECL_BASE):
|
|
|
|
"""
|
|
|
|
Order database model
|
|
|
|
Keeps a record of all orders placed on the exchange
|
|
|
|
|
|
|
|
One to many relationship with Trades:
|
|
|
|
- One trade can have many orders
|
|
|
|
- One Order can only be associated with one Trade
|
|
|
|
|
|
|
|
Mirrors CCXT Order structure
|
|
|
|
"""
|
|
|
|
__tablename__ = 'orders'
|
2020-08-13 14:14:28 +00:00
|
|
|
# Uniqueness should be ensured over pair, order_id
|
|
|
|
# its likely that order_id is unique per Pair on some exchanges.
|
2020-08-13 15:17:52 +00:00
|
|
|
__table_args__ = (UniqueConstraint('ft_pair', 'order_id', name="_order_pair_order_id"),)
|
2020-08-13 07:34:53 +00:00
|
|
|
|
|
|
|
id = Column(Integer, primary_key=True)
|
2020-08-13 15:17:52 +00:00
|
|
|
ft_trade_id = Column(Integer, ForeignKey('trades.id'), index=True)
|
2020-08-13 07:34:53 +00:00
|
|
|
|
2020-08-13 17:37:41 +00:00
|
|
|
trade = relationship("Trade", back_populates="orders")
|
|
|
|
|
2020-08-13 11:39:36 +00:00
|
|
|
ft_order_side = Column(String, nullable=False)
|
2020-08-13 14:14:28 +00:00
|
|
|
ft_pair = Column(String, nullable=False)
|
2020-08-13 15:17:52 +00:00
|
|
|
ft_is_open = Column(Boolean, nullable=False, default=True, index=True)
|
2020-08-13 11:39:36 +00:00
|
|
|
|
2020-08-13 13:39:29 +00:00
|
|
|
order_id = Column(String, nullable=False, index=True)
|
2020-08-13 11:39:36 +00:00
|
|
|
status = Column(String, nullable=True)
|
|
|
|
symbol = Column(String, nullable=True)
|
|
|
|
order_type = Column(String, nullable=True)
|
|
|
|
side = Column(String, nullable=True)
|
|
|
|
price = Column(Float, nullable=True)
|
|
|
|
amount = Column(Float, nullable=True)
|
2020-08-13 07:34:53 +00:00
|
|
|
filled = Column(Float, nullable=True)
|
|
|
|
remaining = Column(Float, nullable=True)
|
|
|
|
cost = Column(Float, nullable=True)
|
2020-08-13 12:50:57 +00:00
|
|
|
order_date = Column(DateTime, nullable=True, default=datetime.utcnow)
|
2020-08-13 07:34:53 +00:00
|
|
|
order_filled_date = Column(DateTime, nullable=True)
|
2020-08-13 12:13:58 +00:00
|
|
|
order_update_date = Column(DateTime, nullable=True)
|
|
|
|
|
|
|
|
def __repr__(self):
|
|
|
|
|
2020-08-13 15:17:52 +00:00
|
|
|
return (f'Order(id={self.id}, order_id={self.order_id}, trade_id={self.ft_trade_id}, '
|
2020-08-24 04:50:43 +00:00
|
|
|
f'side={self.side}, order_type={self.order_type}, status={self.status})')
|
2020-08-13 07:34:53 +00:00
|
|
|
|
2020-08-13 11:39:36 +00:00
|
|
|
def update_from_ccxt_object(self, order):
|
|
|
|
"""
|
|
|
|
Update Order from ccxt response
|
|
|
|
Only updates if fields are available from ccxt -
|
|
|
|
"""
|
|
|
|
if self.order_id != str(order['id']):
|
|
|
|
return OperationalException("Order-id's don't match")
|
|
|
|
|
|
|
|
self.status = order.get('status', self.status)
|
|
|
|
self.symbol = order.get('symbol', self.symbol)
|
|
|
|
self.order_type = order.get('type', self.order_type)
|
|
|
|
self.side = order.get('side', self.side)
|
|
|
|
self.price = order.get('price', self.price)
|
|
|
|
self.amount = order.get('amount', self.amount)
|
|
|
|
self.filled = order.get('filled', self.filled)
|
|
|
|
self.remaining = order.get('remaining', self.remaining)
|
|
|
|
self.cost = order.get('cost', self.cost)
|
|
|
|
if 'timestamp' in order and order['timestamp'] is not None:
|
2020-08-22 07:12:09 +00:00
|
|
|
self.order_date = datetime.fromtimestamp(order['timestamp'] / 1000, tz=timezone.utc)
|
2020-08-13 11:39:36 +00:00
|
|
|
|
2020-08-13 15:17:52 +00:00
|
|
|
if self.status in ('closed', 'canceled', 'cancelled'):
|
|
|
|
self.ft_is_open = False
|
2020-08-22 07:12:09 +00:00
|
|
|
if order.get('filled', 0) > 0:
|
|
|
|
self.order_filled_date = arrow.utcnow().datetime
|
|
|
|
self.order_update_date = arrow.utcnow().datetime
|
2020-08-13 15:17:52 +00:00
|
|
|
|
2020-08-13 12:13:58 +00:00
|
|
|
@staticmethod
|
2020-08-13 13:39:29 +00:00
|
|
|
def update_orders(orders: List['Order'], order: Dict[str, Any]):
|
2020-08-13 12:13:58 +00:00
|
|
|
"""
|
2020-08-13 15:18:56 +00:00
|
|
|
Get all non-closed orders - useful when trying to batch-update orders
|
2020-08-13 12:13:58 +00:00
|
|
|
"""
|
2020-08-13 13:39:29 +00:00
|
|
|
filtered_orders = [o for o in orders if o.order_id == order['id']]
|
2020-08-13 13:54:36 +00:00
|
|
|
if filtered_orders:
|
|
|
|
oobj = filtered_orders[0]
|
|
|
|
oobj.update_from_ccxt_object(order)
|
|
|
|
else:
|
|
|
|
logger.warning(f"Did not find order for {order['id']}.")
|
2020-08-13 12:13:58 +00:00
|
|
|
|
2020-08-13 07:34:53 +00:00
|
|
|
@staticmethod
|
2020-08-13 14:14:28 +00:00
|
|
|
def parse_from_ccxt_object(order: Dict[str, Any], pair: str, side: str) -> 'Order':
|
2020-08-13 07:34:53 +00:00
|
|
|
"""
|
|
|
|
Parse an order from a ccxt object and return a new order Object.
|
|
|
|
"""
|
2020-08-13 14:14:28 +00:00
|
|
|
o = Order(order_id=str(order['id']), ft_order_side=side, ft_pair=pair)
|
2020-08-13 11:39:36 +00:00
|
|
|
|
|
|
|
o.update_from_ccxt_object(order)
|
2020-08-13 07:34:53 +00:00
|
|
|
return o
|
|
|
|
|
2020-08-13 15:18:56 +00:00
|
|
|
@staticmethod
|
2020-08-13 17:37:41 +00:00
|
|
|
def get_open_orders() -> List['Order']:
|
2020-08-13 15:18:56 +00:00
|
|
|
"""
|
|
|
|
"""
|
|
|
|
return Order.query.filter(Order.ft_is_open.is_(True)).all()
|
|
|
|
|
2020-08-13 07:34:53 +00:00
|
|
|
|
2017-11-07 19:13:36 +00:00
|
|
|
class Trade(_DECL_BASE):
|
2018-03-02 15:22:00 +00:00
|
|
|
"""
|
2020-08-13 07:34:53 +00:00
|
|
|
Trade database model.
|
|
|
|
Also handles updating and querying trades
|
2018-03-02 15:22:00 +00:00
|
|
|
"""
|
2017-05-12 17:11:56 +00:00
|
|
|
__tablename__ = 'trades'
|
|
|
|
|
|
|
|
id = Column(Integer, primary_key=True)
|
2020-08-13 07:34:53 +00:00
|
|
|
|
2020-08-13 14:55:43 +00:00
|
|
|
orders = relationship("Order", order_by="Order.id", cascade="all, delete-orphan")
|
2020-08-13 07:34:53 +00:00
|
|
|
|
2017-10-06 10:22:04 +00:00
|
|
|
exchange = Column(String, nullable=False)
|
2018-08-12 07:30:12 +00:00
|
|
|
pair = Column(String, nullable=False, index=True)
|
2018-08-02 23:39:13 +00:00
|
|
|
is_open = Column(Boolean, nullable=False, default=True, index=True)
|
2018-04-21 17:47:08 +00:00
|
|
|
fee_open = Column(Float, nullable=False, default=0.0)
|
2020-04-30 04:51:42 +00:00
|
|
|
fee_open_cost = Column(Float, nullable=True)
|
|
|
|
fee_open_currency = Column(String, nullable=True)
|
2018-04-21 17:47:08 +00:00
|
|
|
fee_close = Column(Float, nullable=False, default=0.0)
|
2020-04-30 04:51:42 +00:00
|
|
|
fee_close_cost = Column(Float, nullable=True)
|
|
|
|
fee_close_currency = Column(String, nullable=True)
|
2017-10-31 23:22:38 +00:00
|
|
|
open_rate = Column(Float)
|
2018-04-25 18:16:36 +00:00
|
|
|
open_rate_requested = Column(Float)
|
2020-04-06 09:00:31 +00:00
|
|
|
# open_trade_price - calculated via _calc_open_trade_price
|
2019-12-17 06:02:02 +00:00
|
|
|
open_trade_price = Column(Float)
|
2017-05-12 17:11:56 +00:00
|
|
|
close_rate = Column(Float)
|
2018-04-25 18:16:36 +00:00
|
|
|
close_rate_requested = Column(Float)
|
2017-05-12 17:11:56 +00:00
|
|
|
close_profit = Column(Float)
|
2020-03-22 10:16:09 +00:00
|
|
|
close_profit_abs = Column(Float)
|
2017-11-01 01:20:55 +00:00
|
|
|
stake_amount = Column(Float, nullable=False)
|
2017-10-31 23:22:38 +00:00
|
|
|
amount = Column(Float)
|
2020-07-15 18:15:29 +00:00
|
|
|
amount_requested = Column(Float)
|
2017-05-12 17:11:56 +00:00
|
|
|
open_date = Column(DateTime, nullable=False, default=datetime.utcnow)
|
|
|
|
close_date = Column(DateTime)
|
2017-05-14 12:14:16 +00:00
|
|
|
open_order_id = Column(String)
|
2018-06-26 18:49:07 +00:00
|
|
|
# absolute value of the stop loss
|
|
|
|
stop_loss = Column(Float, nullable=True, default=0.0)
|
2019-03-28 20:18:26 +00:00
|
|
|
# percentage value of the stop loss
|
2019-03-29 07:08:29 +00:00
|
|
|
stop_loss_pct = Column(Float, nullable=True)
|
2018-06-26 18:49:07 +00:00
|
|
|
# absolute value of the initial stop loss
|
|
|
|
initial_stop_loss = Column(Float, nullable=True, default=0.0)
|
2019-03-28 20:18:26 +00:00
|
|
|
# percentage value of the initial stop loss
|
2019-03-29 07:08:29 +00:00
|
|
|
initial_stop_loss_pct = Column(Float, nullable=True)
|
2018-11-24 15:53:10 +00:00
|
|
|
# stoploss order id which is on exchange
|
2018-11-23 14:17:36 +00:00
|
|
|
stoploss_order_id = Column(String, nullable=True, index=True)
|
2019-01-08 11:39:10 +00:00
|
|
|
# last update time of the stoploss order on exchange
|
|
|
|
stoploss_last_update = Column(DateTime, nullable=True)
|
2018-11-24 15:53:10 +00:00
|
|
|
# absolute value of the highest reached price
|
2018-06-26 18:49:07 +00:00
|
|
|
max_rate = Column(Float, nullable=True, default=0.0)
|
2019-03-16 18:54:16 +00:00
|
|
|
# Lowest price reached
|
2019-03-16 19:04:39 +00:00
|
|
|
min_rate = Column(Float, nullable=True)
|
2018-07-11 17:57:01 +00:00
|
|
|
sell_reason = Column(String, nullable=True)
|
2020-05-17 08:52:20 +00:00
|
|
|
sell_order_status = Column(String, nullable=True)
|
2018-07-12 18:38:57 +00:00
|
|
|
strategy = Column(String, nullable=True)
|
2020-06-02 08:02:24 +00:00
|
|
|
timeframe = Column(Integer, nullable=True)
|
2017-05-12 17:11:56 +00:00
|
|
|
|
2019-12-17 06:02:02 +00:00
|
|
|
def __init__(self, **kwargs):
|
|
|
|
super().__init__(**kwargs)
|
2019-12-17 06:08:36 +00:00
|
|
|
self.recalc_open_trade_price()
|
2019-12-17 06:02:02 +00:00
|
|
|
|
2017-05-12 17:11:56 +00:00
|
|
|
def __repr__(self):
|
2019-09-13 20:00:09 +00:00
|
|
|
open_since = self.open_date.strftime('%Y-%m-%d %H:%M:%S') if self.is_open else 'closed'
|
2018-06-23 13:27:29 +00:00
|
|
|
|
|
|
|
return (f'Trade(id={self.id}, pair={self.pair}, amount={self.amount:.8f}, '
|
|
|
|
f'open_rate={self.open_rate:.8f}, open_since={open_since})')
|
2017-05-12 22:30:08 +00:00
|
|
|
|
2019-05-05 12:07:08 +00:00
|
|
|
def to_json(self) -> Dict[str, Any]:
|
|
|
|
return {
|
|
|
|
'trade_id': self.id,
|
|
|
|
'pair': self.pair,
|
2020-04-06 09:00:31 +00:00
|
|
|
'is_open': self.is_open,
|
2020-06-01 08:53:02 +00:00
|
|
|
'exchange': self.exchange,
|
|
|
|
'amount': round(self.amount, 8),
|
2020-08-12 13:32:56 +00:00
|
|
|
'amount_requested': round(self.amount_requested, 8) if self.amount_requested else None,
|
2020-06-01 08:53:02 +00:00
|
|
|
'stake_amount': round(self.stake_amount, 8),
|
|
|
|
'strategy': self.strategy,
|
2020-06-02 17:43:15 +00:00
|
|
|
'ticker_interval': self.timeframe, # DEPRECATED
|
2020-06-02 12:56:34 +00:00
|
|
|
'timeframe': self.timeframe,
|
2020-06-01 08:53:02 +00:00
|
|
|
|
2020-04-06 09:00:31 +00:00
|
|
|
'fee_open': self.fee_open,
|
2020-04-30 04:51:42 +00:00
|
|
|
'fee_open_cost': self.fee_open_cost,
|
|
|
|
'fee_open_currency': self.fee_open_currency,
|
2020-04-06 09:00:31 +00:00
|
|
|
'fee_close': self.fee_close,
|
2020-04-30 04:51:42 +00:00
|
|
|
'fee_close_cost': self.fee_close_cost,
|
|
|
|
'fee_close_currency': self.fee_close_currency,
|
2020-06-01 08:53:02 +00:00
|
|
|
|
2019-05-06 04:55:12 +00:00
|
|
|
'open_date_hum': arrow.get(self.open_date).humanize(),
|
|
|
|
'open_date': self.open_date.strftime("%Y-%m-%d %H:%M:%S"),
|
2020-08-23 08:16:28 +00:00
|
|
|
'open_timestamp': int(self.open_date.replace(tzinfo=timezone.utc).timestamp() * 1000),
|
2020-06-01 08:53:02 +00:00
|
|
|
'open_rate': self.open_rate,
|
|
|
|
'open_rate_requested': self.open_rate_requested,
|
2020-07-15 18:51:52 +00:00
|
|
|
'open_trade_price': round(self.open_trade_price, 8),
|
2020-06-01 08:53:02 +00:00
|
|
|
|
2019-05-06 04:55:12 +00:00
|
|
|
'close_date_hum': (arrow.get(self.close_date).humanize()
|
|
|
|
if self.close_date else None),
|
|
|
|
'close_date': (self.close_date.strftime("%Y-%m-%d %H:%M:%S")
|
|
|
|
if self.close_date else None),
|
2020-08-23 08:16:28 +00:00
|
|
|
'close_timestamp': int(self.close_date.replace(
|
|
|
|
tzinfo=timezone.utc).timestamp() * 1000) if self.close_date else None,
|
2019-05-05 12:07:08 +00:00
|
|
|
'close_rate': self.close_rate,
|
2020-04-06 09:00:31 +00:00
|
|
|
'close_rate_requested': self.close_rate_requested,
|
|
|
|
'close_profit': self.close_profit,
|
2020-05-30 09:34:39 +00:00
|
|
|
'close_profit_abs': self.close_profit_abs,
|
2020-06-01 08:53:02 +00:00
|
|
|
|
2020-04-06 09:00:31 +00:00
|
|
|
'sell_reason': self.sell_reason,
|
2020-05-17 08:52:20 +00:00
|
|
|
'sell_order_status': self.sell_order_status,
|
2020-06-01 09:05:37 +00:00
|
|
|
'stop_loss': self.stop_loss, # Deprecated - should not be used
|
|
|
|
'stop_loss_abs': self.stop_loss,
|
2020-06-01 08:53:02 +00:00
|
|
|
'stop_loss_ratio': self.stop_loss_pct if self.stop_loss_pct else None,
|
2019-05-05 12:07:08 +00:00
|
|
|
'stop_loss_pct': (self.stop_loss_pct * 100) if self.stop_loss_pct else None,
|
2020-05-30 09:34:39 +00:00
|
|
|
'stoploss_order_id': self.stoploss_order_id,
|
|
|
|
'stoploss_last_update': (self.stoploss_last_update.strftime("%Y-%m-%d %H:%M:%S")
|
|
|
|
if self.stoploss_last_update else None),
|
2020-08-23 08:16:28 +00:00
|
|
|
'stoploss_last_update_timestamp': int(self.stoploss_last_update.replace(
|
|
|
|
tzinfo=timezone.utc).timestamp() * 1000) if self.stoploss_last_update else None,
|
2020-06-01 09:05:37 +00:00
|
|
|
'initial_stop_loss': self.initial_stop_loss, # Deprecated - should not be used
|
|
|
|
'initial_stop_loss_abs': self.initial_stop_loss,
|
2020-06-01 08:53:02 +00:00
|
|
|
'initial_stop_loss_ratio': (self.initial_stop_loss_pct
|
|
|
|
if self.initial_stop_loss_pct else None),
|
2019-05-06 04:55:12 +00:00
|
|
|
'initial_stop_loss_pct': (self.initial_stop_loss_pct * 100
|
|
|
|
if self.initial_stop_loss_pct else None),
|
2020-04-06 09:00:31 +00:00
|
|
|
'min_rate': self.min_rate,
|
|
|
|
'max_rate': self.max_rate,
|
2020-06-01 08:53:02 +00:00
|
|
|
|
2020-04-06 09:00:31 +00:00
|
|
|
'open_order_id': self.open_order_id,
|
2019-05-05 12:07:08 +00:00
|
|
|
}
|
|
|
|
|
2020-02-02 04:00:40 +00:00
|
|
|
def adjust_min_max_rates(self, current_price: float) -> None:
|
2019-03-16 18:54:16 +00:00
|
|
|
"""
|
|
|
|
Adjust the max_rate and min_rate.
|
|
|
|
"""
|
2019-03-17 12:12:04 +00:00
|
|
|
self.max_rate = max(current_price, self.max_rate or self.open_rate)
|
|
|
|
self.min_rate = min(current_price, self.min_rate or self.open_rate)
|
2019-03-16 18:54:16 +00:00
|
|
|
|
2020-02-02 04:00:40 +00:00
|
|
|
def adjust_stop_loss(self, current_price: float, stoploss: float,
|
|
|
|
initial: bool = False) -> None:
|
2019-03-17 12:18:29 +00:00
|
|
|
"""
|
|
|
|
This adjusts the stop loss to it's most recently observed setting
|
|
|
|
:param current_price: Current rate the asset is traded
|
|
|
|
:param stoploss: Stoploss as factor (sample -0.05 -> -5% below current price).
|
|
|
|
:param initial: Called to initiate stop_loss.
|
|
|
|
Skips everything if self.stop_loss is already set.
|
|
|
|
"""
|
2018-06-27 04:38:49 +00:00
|
|
|
if initial and not (self.stop_loss is None or self.stop_loss == 0):
|
|
|
|
# Don't modify if called with initial and nothing to do
|
|
|
|
return
|
|
|
|
|
2018-06-26 20:41:28 +00:00
|
|
|
new_loss = float(current_price * (1 - abs(stoploss)))
|
2018-06-26 18:49:07 +00:00
|
|
|
|
|
|
|
# no stop loss assigned yet
|
2018-07-01 17:54:26 +00:00
|
|
|
if not self.stop_loss:
|
2019-09-11 20:32:08 +00:00
|
|
|
logger.debug(f"{self.pair} - Assigning new stoploss...")
|
2018-06-26 18:49:07 +00:00
|
|
|
self.stop_loss = new_loss
|
2019-03-31 11:15:35 +00:00
|
|
|
self.stop_loss_pct = -1 * abs(stoploss)
|
2018-06-26 18:49:07 +00:00
|
|
|
self.initial_stop_loss = new_loss
|
2019-03-31 11:15:35 +00:00
|
|
|
self.initial_stop_loss_pct = -1 * abs(stoploss)
|
2019-01-15 10:04:32 +00:00
|
|
|
self.stoploss_last_update = datetime.utcnow()
|
2018-06-26 18:49:07 +00:00
|
|
|
|
|
|
|
# evaluate if the stop loss needs to be updated
|
|
|
|
else:
|
|
|
|
if new_loss > self.stop_loss: # stop losses only walk up, never down!
|
2019-09-11 20:32:08 +00:00
|
|
|
logger.debug(f"{self.pair} - Adjusting stoploss...")
|
2018-06-26 18:49:07 +00:00
|
|
|
self.stop_loss = new_loss
|
2019-03-31 11:15:35 +00:00
|
|
|
self.stop_loss_pct = -1 * abs(stoploss)
|
2019-01-15 10:04:32 +00:00
|
|
|
self.stoploss_last_update = datetime.utcnow()
|
2018-06-26 18:49:07 +00:00
|
|
|
else:
|
2019-09-11 20:32:08 +00:00
|
|
|
logger.debug(f"{self.pair} - Keeping current stoploss...")
|
2018-06-26 18:49:07 +00:00
|
|
|
|
|
|
|
logger.debug(
|
2019-09-11 23:29:47 +00:00
|
|
|
f"{self.pair} - Stoploss adjusted. current_price={current_price:.8f}, "
|
|
|
|
f"open_rate={self.open_rate:.8f}, max_rate={self.max_rate:.8f}, "
|
|
|
|
f"initial_stop_loss={self.initial_stop_loss:.8f}, "
|
|
|
|
f"stop_loss={self.stop_loss:.8f}. "
|
2019-09-10 07:42:45 +00:00
|
|
|
f"Trailing stoploss saved us: "
|
2019-09-11 23:29:47 +00:00
|
|
|
f"{float(self.stop_loss) - float(self.initial_stop_loss):.8f}.")
|
2018-06-26 18:49:07 +00:00
|
|
|
|
2017-10-31 23:22:38 +00:00
|
|
|
def update(self, order: Dict) -> None:
|
2017-06-08 18:01:01 +00:00
|
|
|
"""
|
2017-10-31 23:22:38 +00:00
|
|
|
Updates this entity with amount and actual open/close rates.
|
2020-06-28 14:27:35 +00:00
|
|
|
:param order: order retrieved by exchange.fetch_order()
|
2017-10-31 23:22:38 +00:00
|
|
|
:return: None
|
2017-06-08 18:01:01 +00:00
|
|
|
"""
|
2018-06-23 13:27:29 +00:00
|
|
|
order_type = order['type']
|
2017-12-16 01:36:43 +00:00
|
|
|
# Ignore open and cancelled orders
|
2020-07-20 17:39:12 +00:00
|
|
|
if order['status'] == 'open' or safe_value_fallback(order, 'average', 'price') is None:
|
2017-10-31 23:22:38 +00:00
|
|
|
return
|
|
|
|
|
2018-12-27 10:19:26 +00:00
|
|
|
logger.info('Updating trade (id=%s) ...', self.id)
|
2017-12-17 21:07:56 +00:00
|
|
|
|
2018-12-27 10:19:26 +00:00
|
|
|
if order_type in ('market', 'limit') and order['side'] == 'buy':
|
2017-10-31 23:54:16 +00:00
|
|
|
# Update open rate and actual amount
|
2020-07-20 17:39:12 +00:00
|
|
|
self.open_rate = Decimal(safe_value_fallback(order, 'average', 'price'))
|
2020-07-15 19:02:31 +00:00
|
|
|
self.amount = Decimal(safe_value_fallback(order, 'filled', 'amount'))
|
2019-12-17 06:08:36 +00:00
|
|
|
self.recalc_open_trade_price()
|
2020-08-21 18:13:06 +00:00
|
|
|
logger.info(f'{order_type.upper()}_BUY has been fulfilled for {self}.')
|
2017-12-16 00:09:07 +00:00
|
|
|
self.open_order_id = None
|
2018-12-27 10:19:26 +00:00
|
|
|
elif order_type in ('market', 'limit') and order['side'] == 'sell':
|
2020-07-20 17:39:12 +00:00
|
|
|
self.close(safe_value_fallback(order, 'average', 'price'))
|
2020-08-21 18:13:06 +00:00
|
|
|
logger.info(f'{order_type.upper()}_SELL has been fulfilled for {self}.')
|
2020-06-01 08:36:23 +00:00
|
|
|
elif order_type in ('stop_loss_limit', 'stop-loss', 'stop'):
|
2018-11-23 14:17:36 +00:00
|
|
|
self.stoploss_order_id = None
|
2019-03-12 20:46:35 +00:00
|
|
|
self.close_rate_requested = self.stop_loss
|
2020-08-21 18:13:06 +00:00
|
|
|
logger.info(f'{order_type.upper()} is hit for {self}.')
|
2018-11-28 14:45:11 +00:00
|
|
|
self.close(order['average'])
|
2017-10-31 23:22:38 +00:00
|
|
|
else:
|
2018-06-23 13:27:29 +00:00
|
|
|
raise ValueError(f'Unknown order type: {order_type}')
|
2017-12-27 10:41:11 +00:00
|
|
|
cleanup()
|
2017-06-08 18:01:01 +00:00
|
|
|
|
2017-12-16 00:09:07 +00:00
|
|
|
def close(self, rate: float) -> None:
|
|
|
|
"""
|
|
|
|
Sets close_rate to the given rate, calculates total profit
|
|
|
|
and marks trade as closed
|
|
|
|
"""
|
2017-12-17 21:07:56 +00:00
|
|
|
self.close_rate = Decimal(rate)
|
2019-12-17 07:53:30 +00:00
|
|
|
self.close_profit = self.calc_profit_ratio()
|
2020-03-22 10:16:09 +00:00
|
|
|
self.close_profit_abs = self.calc_profit()
|
2017-12-16 00:09:07 +00:00
|
|
|
self.close_date = datetime.utcnow()
|
|
|
|
self.is_open = False
|
2020-05-17 08:52:20 +00:00
|
|
|
self.sell_order_status = 'closed'
|
2017-10-31 23:22:38 +00:00
|
|
|
self.open_order_id = None
|
2017-12-16 00:09:07 +00:00
|
|
|
logger.info(
|
|
|
|
'Marking %s as closed as the trade is fulfilled and found no open orders for it.',
|
|
|
|
self
|
|
|
|
)
|
2017-09-08 19:17:58 +00:00
|
|
|
|
2020-05-01 14:00:42 +00:00
|
|
|
def update_fee(self, fee_cost: float, fee_currency: Optional[str], fee_rate: Optional[float],
|
2020-05-01 18:34:58 +00:00
|
|
|
side: str) -> None:
|
2020-05-01 14:00:42 +00:00
|
|
|
"""
|
|
|
|
Update Fee parameters. Only acts once per side
|
|
|
|
"""
|
|
|
|
if side == 'buy' and self.fee_open_currency is None:
|
|
|
|
self.fee_open_cost = fee_cost
|
|
|
|
self.fee_open_currency = fee_currency
|
|
|
|
if fee_rate is not None:
|
|
|
|
self.fee_open = fee_rate
|
|
|
|
# Assume close-fee will fall into the same fee category and take an educated guess
|
|
|
|
self.fee_close = fee_rate
|
|
|
|
elif side == 'sell' and self.fee_close_currency is None:
|
|
|
|
self.fee_close_cost = fee_cost
|
|
|
|
self.fee_close_currency = fee_currency
|
|
|
|
if fee_rate is not None:
|
|
|
|
self.fee_close = fee_rate
|
|
|
|
|
2020-05-01 18:34:58 +00:00
|
|
|
def fee_updated(self, side: str) -> bool:
|
2020-05-01 17:54:16 +00:00
|
|
|
"""
|
|
|
|
Verify if this side (buy / sell) has already been updated
|
|
|
|
"""
|
|
|
|
if side == 'buy':
|
|
|
|
return self.fee_open_currency is not None
|
|
|
|
elif side == 'sell':
|
|
|
|
return self.fee_close_currency is not None
|
2020-05-01 18:02:38 +00:00
|
|
|
else:
|
|
|
|
return False
|
2020-05-01 17:54:16 +00:00
|
|
|
|
2020-08-13 13:39:29 +00:00
|
|
|
def update_order(self, order: Dict) -> None:
|
|
|
|
Order.update_orders(self.orders, order)
|
|
|
|
|
2019-12-17 06:02:02 +00:00
|
|
|
def _calc_open_trade_price(self) -> float:
|
2017-12-17 21:07:56 +00:00
|
|
|
"""
|
2019-12-17 06:09:56 +00:00
|
|
|
Calculate the open_rate including open_fee.
|
2018-11-01 12:05:57 +00:00
|
|
|
:return: Price in of the open trade incl. Fees
|
2017-12-17 21:07:56 +00:00
|
|
|
"""
|
2019-12-17 18:30:04 +00:00
|
|
|
buy_trade = Decimal(self.amount) * Decimal(self.open_rate)
|
2019-12-17 06:02:02 +00:00
|
|
|
fees = buy_trade * Decimal(self.fee_open)
|
2017-12-17 21:07:56 +00:00
|
|
|
return float(buy_trade + fees)
|
|
|
|
|
2019-12-17 06:08:36 +00:00
|
|
|
def recalc_open_trade_price(self) -> None:
|
|
|
|
"""
|
|
|
|
Recalculate open_trade_price.
|
|
|
|
Must be called whenever open_rate or fee_open is changed.
|
|
|
|
"""
|
2019-12-17 07:31:44 +00:00
|
|
|
self.open_trade_price = self._calc_open_trade_price()
|
2019-12-17 06:08:36 +00:00
|
|
|
|
2019-09-10 07:42:45 +00:00
|
|
|
def calc_close_trade_price(self, rate: Optional[float] = None,
|
|
|
|
fee: Optional[float] = None) -> float:
|
2017-12-17 21:07:56 +00:00
|
|
|
"""
|
2018-11-01 12:05:57 +00:00
|
|
|
Calculate the close_rate including fee
|
2017-12-17 21:07:56 +00:00
|
|
|
:param fee: fee to use on the close rate (optional).
|
2019-12-17 07:53:30 +00:00
|
|
|
If rate is not set self.fee will be used
|
2017-12-17 21:07:56 +00:00
|
|
|
:param rate: rate to compare with (optional).
|
2019-12-17 07:53:30 +00:00
|
|
|
If rate is not set self.close_rate will be used
|
2017-12-17 21:07:56 +00:00
|
|
|
:return: Price in BTC of the open trade
|
|
|
|
"""
|
|
|
|
if rate is None and not self.close_rate:
|
|
|
|
return 0.0
|
|
|
|
|
2019-12-17 18:30:04 +00:00
|
|
|
sell_trade = Decimal(self.amount) * Decimal(rate or self.close_rate)
|
2018-04-21 17:47:08 +00:00
|
|
|
fees = sell_trade * Decimal(fee or self.fee_close)
|
2017-12-17 21:07:56 +00:00
|
|
|
return float(sell_trade - fees)
|
|
|
|
|
2019-09-10 07:42:45 +00:00
|
|
|
def calc_profit(self, rate: Optional[float] = None,
|
|
|
|
fee: Optional[float] = None) -> float:
|
2017-12-17 21:07:56 +00:00
|
|
|
"""
|
2018-11-01 12:05:57 +00:00
|
|
|
Calculate the absolute profit in stake currency between Close and Open trade
|
2017-12-17 21:07:56 +00:00
|
|
|
:param fee: fee to use on the close rate (optional).
|
2019-12-17 07:53:30 +00:00
|
|
|
If rate is not set self.fee will be used
|
2017-12-17 21:07:56 +00:00
|
|
|
:param rate: close rate to compare with (optional).
|
2019-12-17 07:53:30 +00:00
|
|
|
If rate is not set self.close_rate will be used
|
2018-11-01 12:05:57 +00:00
|
|
|
:return: profit in stake currency as float
|
2017-12-17 21:07:56 +00:00
|
|
|
"""
|
|
|
|
close_trade_price = self.calc_close_trade_price(
|
2018-02-06 17:37:10 +00:00
|
|
|
rate=(rate or self.close_rate),
|
2018-04-21 17:47:08 +00:00
|
|
|
fee=(fee or self.fee_close)
|
2017-12-17 21:07:56 +00:00
|
|
|
)
|
2019-12-17 06:08:36 +00:00
|
|
|
profit = close_trade_price - self.open_trade_price
|
2018-06-23 13:27:29 +00:00
|
|
|
return float(f"{profit:.8f}")
|
2017-12-17 21:07:56 +00:00
|
|
|
|
2019-12-17 07:53:30 +00:00
|
|
|
def calc_profit_ratio(self, rate: Optional[float] = None,
|
|
|
|
fee: Optional[float] = None) -> float:
|
2017-10-31 23:22:38 +00:00
|
|
|
"""
|
2019-12-17 07:53:30 +00:00
|
|
|
Calculates the profit as ratio (including fee).
|
2017-10-31 23:22:38 +00:00
|
|
|
:param rate: rate to compare with (optional).
|
2019-12-17 07:53:30 +00:00
|
|
|
If rate is not set self.close_rate will be used
|
2018-03-17 21:12:21 +00:00
|
|
|
:param fee: fee to use on the close rate (optional).
|
2019-12-17 07:53:30 +00:00
|
|
|
:return: profit ratio as float
|
2017-10-31 23:22:38 +00:00
|
|
|
"""
|
2017-12-17 21:07:56 +00:00
|
|
|
close_trade_price = self.calc_close_trade_price(
|
2018-02-06 17:37:10 +00:00
|
|
|
rate=(rate or self.close_rate),
|
2018-04-21 17:47:08 +00:00
|
|
|
fee=(fee or self.fee_close)
|
2017-12-17 21:07:56 +00:00
|
|
|
)
|
2020-02-28 09:36:39 +00:00
|
|
|
profit_ratio = (close_trade_price / self.open_trade_price) - 1
|
|
|
|
return float(f"{profit_ratio:.8f}")
|
2018-12-03 18:45:00 +00:00
|
|
|
|
2020-08-22 13:48:00 +00:00
|
|
|
def select_order(self, order_side: str, status: Optional[str]):
|
2020-08-22 06:39:10 +00:00
|
|
|
"""
|
|
|
|
Returns latest order for this orderside and status
|
|
|
|
Returns None if nothing is found
|
|
|
|
"""
|
2020-08-22 13:48:00 +00:00
|
|
|
orders = [o for o in self.orders if o.side == order_side]
|
|
|
|
if status:
|
|
|
|
orders = [o for o in orders if o.status == status]
|
2020-08-22 06:39:10 +00:00
|
|
|
if len(orders) > 0:
|
|
|
|
return orders[-1]
|
|
|
|
else:
|
|
|
|
return None
|
|
|
|
|
2019-10-29 14:01:10 +00:00
|
|
|
@staticmethod
|
|
|
|
def get_trades(trade_filter=None) -> Query:
|
|
|
|
"""
|
2019-10-29 14:09:01 +00:00
|
|
|
Helper function to query Trades using filters.
|
|
|
|
:param trade_filter: Optional filter to apply to trades
|
|
|
|
Can be either a Filter object, or a List of filters
|
|
|
|
e.g. `(trade_filter=[Trade.id == trade_id, Trade.is_open.is_(True),])`
|
|
|
|
e.g. `(trade_filter=Trade.id == trade_id)`
|
|
|
|
:return: unsorted query object
|
2019-10-29 14:01:10 +00:00
|
|
|
"""
|
|
|
|
if trade_filter is not None:
|
|
|
|
if not isinstance(trade_filter, list):
|
|
|
|
trade_filter = [trade_filter]
|
|
|
|
return Trade.query.filter(*trade_filter)
|
|
|
|
else:
|
|
|
|
return Trade.query
|
|
|
|
|
|
|
|
@staticmethod
|
|
|
|
def get_open_trades() -> List[Any]:
|
|
|
|
"""
|
|
|
|
Query trades from persistence layer
|
|
|
|
"""
|
|
|
|
return Trade.get_trades(Trade.is_open.is_(True)).all()
|
|
|
|
|
2019-10-29 12:32:07 +00:00
|
|
|
@staticmethod
|
|
|
|
def get_open_order_trades():
|
|
|
|
"""
|
|
|
|
Returns all open trades
|
|
|
|
"""
|
2019-10-29 14:01:10 +00:00
|
|
|
return Trade.get_trades(Trade.open_order_id.isnot(None)).all()
|
2019-10-29 12:32:07 +00:00
|
|
|
|
2020-08-22 13:48:42 +00:00
|
|
|
@staticmethod
|
|
|
|
def get_open_trades_without_assigned_fees():
|
|
|
|
"""
|
|
|
|
Returns all open trades which don't have open fees set correctly
|
|
|
|
"""
|
|
|
|
return Trade.get_trades([Trade.fee_open_currency.is_(None),
|
|
|
|
Trade.orders.any(),
|
|
|
|
Trade.is_open.is_(True),
|
|
|
|
]).all()
|
|
|
|
|
2020-08-22 06:39:10 +00:00
|
|
|
@staticmethod
|
|
|
|
def get_sold_trades_without_assigned_fees():
|
|
|
|
"""
|
|
|
|
Returns all closed trades which don't have fees set correctly
|
|
|
|
"""
|
|
|
|
return Trade.get_trades([Trade.fee_close_currency.is_(None),
|
|
|
|
Trade.orders.any(),
|
|
|
|
Trade.is_open.is_(False),
|
|
|
|
]).all()
|
|
|
|
|
2018-12-03 18:46:22 +00:00
|
|
|
@staticmethod
|
2018-12-03 18:55:37 +00:00
|
|
|
def total_open_trades_stakes() -> float:
|
2018-12-03 18:45:00 +00:00
|
|
|
"""
|
|
|
|
Calculates total invested amount in open trades
|
|
|
|
in stake currency
|
|
|
|
"""
|
|
|
|
total_open_stake_amount = Trade.session.query(func.sum(Trade.stake_amount))\
|
|
|
|
.filter(Trade.is_open.is_(True))\
|
|
|
|
.scalar()
|
|
|
|
return total_open_stake_amount or 0
|
2019-02-25 19:00:17 +00:00
|
|
|
|
2019-10-29 10:09:41 +00:00
|
|
|
@staticmethod
|
2019-10-30 08:59:54 +00:00
|
|
|
def get_overall_performance() -> List[Dict[str, Any]]:
|
2019-10-29 12:32:07 +00:00
|
|
|
"""
|
|
|
|
Returns List of dicts containing all Trades, including profit and trade count
|
|
|
|
"""
|
2019-10-29 10:09:41 +00:00
|
|
|
pair_rates = Trade.session.query(
|
|
|
|
Trade.pair,
|
|
|
|
func.sum(Trade.close_profit).label('profit_sum'),
|
|
|
|
func.count(Trade.pair).label('count')
|
|
|
|
).filter(Trade.is_open.is_(False))\
|
|
|
|
.group_by(Trade.pair) \
|
|
|
|
.order_by(desc('profit_sum')) \
|
|
|
|
.all()
|
|
|
|
return [
|
|
|
|
{
|
|
|
|
'pair': pair,
|
2019-10-30 08:59:54 +00:00
|
|
|
'profit': rate,
|
2019-10-29 10:09:41 +00:00
|
|
|
'count': count
|
|
|
|
}
|
|
|
|
for pair, rate, count in pair_rates
|
|
|
|
]
|
|
|
|
|
2019-10-29 10:15:33 +00:00
|
|
|
@staticmethod
|
|
|
|
def get_best_pair():
|
2019-10-29 12:32:07 +00:00
|
|
|
"""
|
|
|
|
Get best pair with closed trade.
|
2020-05-29 07:03:48 +00:00
|
|
|
:returns: Tuple containing (pair, profit_sum)
|
2019-10-29 12:32:07 +00:00
|
|
|
"""
|
2019-10-29 10:15:33 +00:00
|
|
|
best_pair = Trade.session.query(
|
|
|
|
Trade.pair, func.sum(Trade.close_profit).label('profit_sum')
|
|
|
|
).filter(Trade.is_open.is_(False)) \
|
|
|
|
.group_by(Trade.pair) \
|
|
|
|
.order_by(desc('profit_sum')).first()
|
|
|
|
return best_pair
|
|
|
|
|
2019-05-20 05:06:40 +00:00
|
|
|
@staticmethod
|
|
|
|
def stoploss_reinitialization(desired_stoploss):
|
|
|
|
"""
|
|
|
|
Adjust initial Stoploss to desired stoploss for all open trades.
|
|
|
|
"""
|
|
|
|
for trade in Trade.get_open_trades():
|
|
|
|
logger.info("Found open trade: %s", trade)
|
|
|
|
|
|
|
|
# skip case if trailing-stop changed the stoploss already.
|
|
|
|
if (trade.stop_loss == trade.initial_stop_loss
|
|
|
|
and trade.initial_stop_loss_pct != desired_stoploss):
|
|
|
|
# Stoploss value got changed
|
|
|
|
|
2019-09-10 07:42:45 +00:00
|
|
|
logger.info(f"Stoploss for {trade} needs adjustment...")
|
2019-05-20 05:06:40 +00:00
|
|
|
# Force reset of stoploss
|
|
|
|
trade.stop_loss = None
|
|
|
|
trade.adjust_stop_loss(trade.open_rate, desired_stoploss)
|
2019-09-10 07:42:45 +00:00
|
|
|
logger.info(f"New stoploss: {trade.stop_loss}.")
|