stable/main.py

239 lines
8.2 KiB
Python
Raw Normal View History

2017-05-12 17:11:56 +00:00
#!/usr/bin/env python
2017-06-02 14:08:46 +00:00
import json
2017-05-12 17:11:56 +00:00
import logging
import threading
import time
import traceback
from datetime import datetime
from json import JSONDecodeError
from requests import ConnectionError
2017-05-12 17:11:56 +00:00
2017-05-14 12:14:16 +00:00
from wrapt import synchronized
2017-05-24 19:52:41 +00:00
from analyze import get_buy_signal
2017-05-12 17:11:56 +00:00
logging.basicConfig(level=logging.DEBUG,
format='%(asctime)s - %(name)s - %(levelname)s - %(message)s')
logger = logging.getLogger(__name__)
from persistence import Trade, Session
from exchange import get_exchange_api
from rpc.telegram import TelegramHandler
from utils import get_conf
2017-05-17 23:46:08 +00:00
2017-05-12 17:11:56 +00:00
__author__ = "gcarq"
__copyright__ = "gcarq 2017"
2017-05-17 23:46:08 +00:00
__license__ = "GPLv3"
2017-06-08 20:52:38 +00:00
__version__ = "0.8.0"
2017-05-12 17:11:56 +00:00
conf = get_conf()
api_wrapper = get_exchange_api(conf)
2017-05-14 12:14:16 +00:00
@synchronized
def get_instance(recreate=False):
"""
Get the current instance of this thread. This is a singleton.
:param recreate: Must be True if you want to start the instance
:return: TradeThread instance
"""
global _instance, _should_stop
if recreate and not _instance.is_alive():
logger.debug('Creating TradeThread instance')
_should_stop = False
_instance = TradeThread()
return _instance
2017-05-12 17:11:56 +00:00
2017-05-14 12:14:16 +00:00
def stop_instance():
global _should_stop
_should_stop = True
2017-05-12 17:11:56 +00:00
2017-05-14 12:14:16 +00:00
class TradeThread(threading.Thread):
2017-05-12 17:11:56 +00:00
def run(self):
"""
Threaded main function
:return: None
"""
try:
TelegramHandler.send_msg('*Status:* `trader started`')
2017-05-14 12:14:16 +00:00
logger.info('Trader started')
2017-05-12 17:11:56 +00:00
while not _should_stop:
try:
2017-05-14 12:14:16 +00:00
self._process()
except (ConnectionError, JSONDecodeError, ValueError) as e:
msg = 'Got {} during _process()'.format(e.__class__.__name__)
logger.exception(msg)
2017-05-12 17:11:56 +00:00
finally:
Session.flush()
time.sleep(25)
2017-06-02 14:08:46 +00:00
except (RuntimeError, json.decoder.JSONDecodeError) as e:
2017-05-12 20:41:49 +00:00
TelegramHandler.send_msg('*Status:* Got RuntimeError: ```\n{}\n```'.format(traceback.format_exc()))
logger.exception('RuntimeError. Stopping trader ...')
2017-05-12 17:11:56 +00:00
finally:
2017-05-12 20:41:49 +00:00
TelegramHandler.send_msg('*Status:* `Trader has stopped`')
2017-05-12 17:11:56 +00:00
2017-05-14 12:14:16 +00:00
@staticmethod
def _process():
"""
2017-05-24 21:28:40 +00:00
Queries the persistence layer for open trades and handles them,
otherwise a new trade is created.
2017-05-14 12:14:16 +00:00
:return: None
"""
# Query trades from persistence layer
trades = Trade.query.filter(Trade.is_open.is_(True)).all()
if len(trades) < conf['max_open_trades']:
2017-05-14 12:14:16 +00:00
# Create entity and execute trade
try:
Session.add(create_trade(float(conf['stake_amount']), api_wrapper.exchange))
except ValueError:
logger.exception('ValueError during trade creation')
for trade in trades:
# Check if there is already an open order for this trade
orders = api_wrapper.get_open_orders(trade.pair)
orders = [o for o in orders if o['id'] == trade.open_order_id]
if orders:
2017-05-17 23:46:08 +00:00
msg = 'There exists an open order for {}: Order(total={}, remaining={}, type={}, id={})' \
.format(
trade,
round(orders[0]['amount'], 8),
round(orders[0]['remaining'], 8),
orders[0]['type'],
orders[0]['id'])
logger.info(msg)
continue
# Update state
trade.open_order_id = None
# Check if this trade can be marked as closed
if close_trade_if_fulfilled(trade):
2017-05-17 23:46:08 +00:00
logger.info('No open orders found and trade is fulfilled. Marking {} as closed ...'.format(trade))
continue
# Check if we can sell our current pair
handle_trade(trade)
2017-05-14 12:14:16 +00:00
# Initial stopped TradeThread instance
_instance = TradeThread()
_should_stop = False
2017-05-12 17:11:56 +00:00
def close_trade_if_fulfilled(trade):
"""
Checks if the trade is closable, and if so it is being closed.
:param trade: Trade
:return: True if trade has been closed else False
"""
# If we don't have an open order and the close rate is already set,
# we can close this trade.
2017-05-14 12:14:16 +00:00
if trade.close_profit and trade.close_date and trade.close_rate and not trade.open_order_id:
2017-05-12 17:11:56 +00:00
trade.is_open = False
2017-06-08 20:52:38 +00:00
Session.flush()
2017-05-12 17:11:56 +00:00
return True
return False
def handle_trade(trade):
"""
2017-05-14 12:14:16 +00:00
Sells the current pair if the threshold is reached and updates the trade record.
:return: None
2017-05-12 17:11:56 +00:00
"""
try:
if not trade.is_open:
raise ValueError('attempt to handle closed trade: {}'.format(trade))
logger.debug('Handling open trade {} ...'.format(trade))
# Get current rate
2017-05-14 12:14:16 +00:00
current_rate = api_wrapper.get_ticker(trade.pair)['bid']
2017-05-12 17:11:56 +00:00
current_profit = 100 * ((current_rate - trade.open_rate) / trade.open_rate)
# Get available balance
currency = trade.pair.split('_')[1]
balance = api_wrapper.get_balance(currency)
2017-05-20 19:30:42 +00:00
for duration, threshold in sorted(conf['minimal_roi'].items()):
duration, threshold = float(duration), float(threshold)
2017-05-12 17:11:56 +00:00
# Check if time matches and current rate is above threshold
time_diff = (datetime.utcnow() - trade.open_date).total_seconds() / 60
if time_diff > duration and current_rate > (1 + threshold) * trade.open_rate:
2017-06-08 18:01:01 +00:00
# Execute sell
profit = trade.exec_sell_order(current_rate, balance)
2017-06-05 19:17:10 +00:00
message = '*{}:* Selling [{}]({}) at rate `{:f} (profit: {}%)`'.format(
2017-05-12 17:11:56 +00:00
trade.exchange.name,
trade.pair.replace('_', '/'),
2017-06-05 19:17:10 +00:00
api_wrapper.get_pair_detail_url(trade.pair),
2017-05-12 17:11:56 +00:00
trade.close_rate,
2017-06-08 18:01:01 +00:00
round(profit, 2)
2017-05-12 17:11:56 +00:00
)
logger.info(message)
TelegramHandler.send_msg(message)
return
else:
logger.debug('Threshold not reached. (cur_profit: {}%)'.format(round(current_profit, 2)))
except ValueError:
logger.exception('Unable to handle open order')
def create_trade(stake_amount: float, exchange):
"""
Creates a new trade record with a random pair
:param stake_amount: amount of btc to spend
:param exchange: exchange to use
"""
logger.info('Creating new trade with stake_amount: {} ...'.format(stake_amount))
2017-05-12 17:11:56 +00:00
whitelist = conf[exchange.name.lower()]['pair_whitelist']
# Check if btc_amount is fulfilled
2017-05-18 16:53:22 +00:00
if api_wrapper.get_balance(conf['stake_currency']) < stake_amount:
raise ValueError('stake amount is not fulfilled (currency={}'.format(conf['stake_currency']))
# Remove currently opened and latest pairs from whitelist
2017-05-17 23:46:08 +00:00
trades = Trade.query.filter(Trade.is_open.is_(True)).all()
2017-05-21 15:28:20 +00:00
latest_trade = Trade.query.filter(Trade.is_open.is_(False)).order_by(Trade.id.desc()).first()
if latest_trade:
trades.append(latest_trade)
2017-05-17 23:46:08 +00:00
for trade in trades:
2017-05-21 14:52:36 +00:00
if trade.pair in whitelist:
whitelist.remove(trade.pair)
logger.debug('Ignoring {} in pair whitelist'.format(trade.pair))
if not whitelist:
raise ValueError('No pair in whitelist')
2017-05-24 19:52:41 +00:00
# Pick pair based on StochRSI buy signals
for p in whitelist:
if get_buy_signal(p):
pair = p
break
else:
2017-05-24 21:28:40 +00:00
raise ValueError('No buy signal from pairs: {}'.format(', '.join(whitelist)))
2017-05-24 19:52:41 +00:00
2017-05-14 12:14:16 +00:00
open_rate = api_wrapper.get_ticker(pair)['ask']
2017-05-12 17:11:56 +00:00
amount = stake_amount / open_rate
exchange = exchange
2017-05-14 12:14:16 +00:00
order_id = api_wrapper.buy(pair, open_rate, amount)
# Create trade entity and return
2017-06-05 19:17:10 +00:00
message = '*{}:* Buying [{}]({}) at rate `{:f}`'.format(
exchange.name,
pair.replace('_', '/'),
api_wrapper.get_pair_detail_url(pair),
open_rate
)
2017-05-12 17:11:56 +00:00
logger.info(message)
TelegramHandler.send_msg(message)
2017-05-14 12:14:16 +00:00
return Trade(pair=pair,
btc_amount=stake_amount,
open_rate=open_rate,
amount=amount,
exchange=exchange,
open_order_id=order_id)
2017-05-12 17:11:56 +00:00
if __name__ == '__main__':
2017-05-17 23:46:08 +00:00
logger.info('Starting freqtrade {}'.format(__version__))
2017-05-12 17:11:56 +00:00
TelegramHandler.listen()
while True:
2017-05-14 12:14:16 +00:00
time.sleep(0.5)