stable/analyze.py

144 lines
4.7 KiB
Python
Raw Normal View History

2017-06-05 19:17:10 +00:00
import time
2017-05-24 19:52:41 +00:00
from datetime import timedelta
import logging
2017-08-27 14:12:28 +00:00
import arrow
2017-05-24 19:52:41 +00:00
import requests
from pandas.io.json import json_normalize
from stockstats import StockDataFrame
2017-09-02 08:41:30 +00:00
import talib.abstract as ta
2017-05-24 19:52:41 +00:00
logging.basicConfig(level=logging.DEBUG,
format='%(asctime)s - %(name)s - %(levelname)s - %(message)s')
logger = logging.getLogger(__name__)
2017-09-01 19:11:46 +00:00
def get_ticker_dataframe(pair: str) -> StockDataFrame:
2017-05-24 19:52:41 +00:00
"""
Analyses the trend for the given pair
:param pair: pair as str in format BTC_ETH or BTC-ETH
:return: StockDataFrame
"""
minimum_date = arrow.now() - timedelta(hours=6)
2017-05-24 19:52:41 +00:00
url = 'https://bittrex.com/Api/v2.0/pub/market/GetTicks'
2017-05-24 20:23:20 +00:00
headers = {
'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/58.0.3029.110 Safari/537.36',
}
2017-05-24 19:52:41 +00:00
params = {
'marketName': pair.replace('_', '-'),
'tickInterval': 'OneMin',
'_': minimum_date.timestamp * 1000
}
2017-05-24 20:23:20 +00:00
data = requests.get(url, params=params, headers=headers).json()
2017-05-24 19:52:41 +00:00
if not data['success']:
raise RuntimeError('BITTREX: {}'.format(data['message']))
data = [{
'close': t['C'],
'volume': t['V'],
'open': t['O'],
'high': t['H'],
'low': t['L'],
'date': t['T'],
} for t in sorted(data['result'], key=lambda k: k['T']) if arrow.get(t['T']) > minimum_date]
2017-05-24 19:52:41 +00:00
dataframe = StockDataFrame(json_normalize(data))
# calculate StochRSI
2017-09-02 08:41:30 +00:00
stochrsi = ta.STOCHRSI(dataframe)
dataframe['stochrsi'] = stochrsi['fastd'] # values between 0-100, not 0-1
2017-05-24 19:52:41 +00:00
return dataframe
2017-09-01 19:11:46 +00:00
def populate_trends(dataframe: StockDataFrame) -> StockDataFrame:
2017-05-24 19:52:41 +00:00
"""
Populates the trends for the given dataframe
:param dataframe: StockDataFrame
:return: StockDataFrame with populated trends
"""
"""
2017-05-24 19:52:41 +00:00
dataframe.loc[
2017-09-02 08:41:30 +00:00
(dataframe['stochrsi'] < 20)
& (dataframe['close_30_ema'] > (1 + 0.0025) * dataframe['close_60_ema']),
'underpriced'
] = 1
"""
dataframe.loc[
2017-09-02 08:41:30 +00:00
(dataframe['stochrsi'] < 20)
2017-06-05 19:17:10 +00:00
& (dataframe['macd'] > dataframe['macds']),
2017-05-24 21:28:40 +00:00
'underpriced'
2017-05-24 19:52:41 +00:00
] = 1
dataframe.loc[dataframe['underpriced'] == 1, 'buy'] = dataframe['close']
return dataframe
2017-09-01 19:11:46 +00:00
def get_buy_signal(pair: str) -> bool:
2017-05-24 19:52:41 +00:00
"""
Calculates a buy signal based on StochRSI indicator
:param pair: pair in format BTC_ANT or BTC-ANT
:return: True if pair is underpriced, False otherwise
"""
dataframe = get_ticker_dataframe(pair)
dataframe = populate_trends(dataframe)
latest = dataframe.iloc[-1]
# Check if dataframe is out of date
signal_date = arrow.get(latest['date'])
if signal_date < arrow.now() - timedelta(minutes=10):
return False
2017-05-24 19:52:41 +00:00
signal = latest['underpriced'] == 1
logger.debug('buy_trigger: %s (pair=%s, signal=%s)', latest['date'], pair, signal)
2017-05-24 19:52:41 +00:00
return signal
2017-09-01 19:11:46 +00:00
def plot_dataframe(dataframe: StockDataFrame, pair: str) -> None:
2017-05-24 19:52:41 +00:00
"""
Plots the given dataframe
:param dataframe: StockDataFrame
:param pair: pair as str
:return: None
"""
2017-06-05 19:17:10 +00:00
import matplotlib
matplotlib.use("Qt5Agg")
import matplotlib.pyplot as plt
2017-05-24 19:52:41 +00:00
# Three subplots sharing x axe
2017-08-27 13:40:27 +00:00
fig, (ax1, ax2, ax3) = plt.subplots(3, sharex=True)
fig.suptitle(pair, fontsize=14, fontweight='bold')
2017-05-24 19:52:41 +00:00
ax1.plot(dataframe.index.values, dataframe['close'], label='close')
2017-06-05 19:17:10 +00:00
ax1.plot(dataframe.index.values, dataframe['close_30_ema'], label='EMA(60)')
ax1.plot(dataframe.index.values, dataframe['close_90_ema'], label='EMA(120)')
2017-05-24 19:52:41 +00:00
# ax1.plot(dataframe.index.values, dataframe['sell'], 'ro', label='sell')
ax1.plot(dataframe.index.values, dataframe['buy'], 'bo', label='buy')
ax1.legend()
2017-06-05 19:17:10 +00:00
ax2.plot(dataframe.index.values, dataframe['macd'], label='MACD')
ax2.plot(dataframe.index.values, dataframe['macds'], label='MACDS')
ax2.plot(dataframe.index.values, dataframe['macdh'], label='MACD Histogram')
ax2.plot(dataframe.index.values, [0] * len(dataframe.index.values))
2017-05-24 21:28:40 +00:00
ax2.legend()
2017-05-24 19:52:41 +00:00
2017-06-05 19:17:10 +00:00
ax3.plot(dataframe.index.values, dataframe['stochrsi'], label='StochRSI')
2017-09-02 08:41:30 +00:00
ax3.plot(dataframe.index.values, [80] * len(dataframe.index.values))
ax3.plot(dataframe.index.values, [20] * len(dataframe.index.values))
2017-06-05 19:17:10 +00:00
ax3.legend()
2017-05-24 19:52:41 +00:00
# Fine-tune figure; make subplots close to each other and hide x ticks for
# all but bottom plot.
2017-08-27 13:40:27 +00:00
fig.subplots_adjust(hspace=0)
plt.setp([a.get_xticklabels() for a in fig.axes[:-1]], visible=False)
2017-05-24 19:52:41 +00:00
plt.show()
if __name__ == '__main__':
while True:
pair = 'BTC_ANT'
2017-06-05 19:17:10 +00:00
#for pair in ['BTC_ANT', 'BTC_ETH', 'BTC_GNT', 'BTC_ETC']:
# get_buy_signal(pair)
dataframe = get_ticker_dataframe(pair)
dataframe = populate_trends(dataframe)
plot_dataframe(dataframe, pair)
time.sleep(60)