-
Notifications
You must be signed in to change notification settings - Fork 21
/
Copy pathorderbook.py
317 lines (270 loc) · 11.1 KB
/
orderbook.py
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
"""Implements an order book based on GDAX's Websocket endpoint.
See: https://docs.gdax.com/#websocket-feed.
"""
import asyncio
from decimal import Decimal
import json
import logging
from operator import itemgetter
from sortedcontainers import SortedDict
import aiohttp
import gdax.trader
import gdax.utils
from gdax.websocket_feed_listener import WebSocketFeedListener
class OrderBookError(Exception):
pass
class OrderBook(WebSocketFeedListener):
def __init__(self, product_ids='ETH-USD', api_key=None, api_secret=None,
passphrase=None, use_heartbeat=False,
trade_log_file_path=None):
super().__init__(product_ids=product_ids,
api_key=api_key,
api_secret=api_secret,
passphrase=passphrase,
use_heartbeat=use_heartbeat,
trade_log_file_path=trade_log_file_path)
if not isinstance(product_ids, list):
product_ids = [product_ids]
self.traders = {product_id: gdax.trader.Trader(product_id=product_id)
for product_id in product_ids}
self._asks = {product_id: SortedDict() for product_id in product_ids}
self._bids = {product_id: SortedDict() for product_id in product_ids}
self._sequences = {product_id: None for product_id in product_ids}
async def __aenter__(self):
await super().__aenter__()
# get order book snapshot
books = await asyncio.gather(
*[trader.get_product_order_book(level=3)
for trader in self.traders.values()]
)
if self._trade_file:
await asyncio.gather(
*[self._trade_file.write(
f'B {product_id} '
f'{json.dumps(book, cls=gdax.utils.DecimalEncoder)}\n')
for product_id, book in zip(self.product_ids, books)])
for product_id, book in zip(self.product_ids, books):
for bid in book['bids']:
self.add(product_id, {
'id': bid[2],
'side': 'buy',
'price': Decimal(bid[0]),
'size': Decimal(bid[1])
})
for ask in book['asks']:
self.add(product_id, {
'id': ask[2],
'side': 'sell',
'price': Decimal(ask[0]),
'size': Decimal(ask[1])
})
self._sequences[product_id] = book['sequence']
return self
async def handle_message(self):
try:
message = await self._recv()
except aiohttp.ServerDisconnectedError as exc:
logging.error(
f'Error: Exception: f{exc}. Re-initializing websocket.')
await self.__aexit__(None, None, None)
await self.__aenter__()
return
msg_type = message['type']
if msg_type == 'error':
raise OrderBookError(f'Error: {message["message"]}')
if msg_type == 'subscriptions':
return # must filter out here because the subscriptions message does not have a product_id key
product_id = message['product_id']
assert self._sequences[product_id] is not None
sequence = message['sequence']
if sequence <= self._sequences[product_id]:
# ignore older messages (e.g. before order book initialization
# from getProductOrderBook)
return message
elif sequence > self._sequences[product_id] + 1:
logging.error(
'Error: messages missing ({} - {}). Re-initializing websocket.'
.format(sequence, self._sequences[product_id]))
await self.__aexit__(None, None, None)
await self.__aenter__()
return
if msg_type == 'open':
self.add(product_id, message)
elif msg_type == 'done' and 'price' in message:
self.remove(product_id, message)
elif msg_type == 'match':
self.match(product_id, message)
elif msg_type == 'change':
self.change(product_id, message)
elif msg_type == 'heartbeat':
pass
elif msg_type == 'received':
pass
elif msg_type == 'done':
pass
else:
raise OrderBookError(f'unknown message type {msg_type}')
self._sequences[product_id] = sequence
return message
def add(self, product_id, order):
order = {
'id': order.get('order_id') or order['id'],
'side': order['side'],
'price': Decimal(order['price']),
'size': Decimal(order.get('size') or order['remaining_size'])
}
if order['side'] == 'buy':
bids = self.get_bids(product_id, order['price'])
if bids is None:
bids = [order]
else:
bids.append(order)
self.set_bids(product_id, order['price'], bids)
else:
asks = self.get_asks(product_id, order['price'])
if asks is None:
asks = [order]
else:
asks.append(order)
self.set_asks(product_id, order['price'], asks)
def remove(self, product_id, order):
price = Decimal(order['price'])
if order['side'] == 'buy':
bids = self.get_bids(product_id, price)
if bids is not None:
bids = [o for o in bids if o['id'] != order['order_id']]
if bids:
self.set_bids(product_id, price, bids)
else:
self.remove_bids(product_id, price)
else:
asks = self.get_asks(product_id, price)
if asks is not None:
asks = [o for o in asks if o['id'] != order['order_id']]
if asks:
self.set_asks(product_id, price, asks)
else:
self.remove_asks(product_id, price)
def match(self, product_id, order):
size = Decimal(order['size'])
price = Decimal(order['price'])
if order['side'] == 'buy':
bids = self.get_bids(product_id, price)
if not bids:
return
assert bids[0]['id'] == order['maker_order_id']
if bids[0]['size'] == size:
self.set_bids(product_id, price, bids[1:])
else:
bids[0]['size'] -= size
self.set_bids(product_id, price, bids)
else:
asks = self.get_asks(product_id, price)
if not asks:
return
assert asks[0]['id'] == order['maker_order_id']
if asks[0]['size'] == size:
self.set_asks(product_id, price, asks[1:])
else:
asks[0]['size'] -= size
self.set_asks(product_id, price, asks)
def change(self, product_id, order):
if 'new_size' not in order:
# market order
# TODO
raise NotImplementedError(
'change operation not implemented with missing new_size')
else:
new_size = Decimal(order['new_size'])
tree = (self._asks[product_id] if order['side'] == 'sell'
else self._bids[product_id])
if 'price' in order:
price = Decimal(order['price'])
else:
# missing price means market price
price = (tree.min_key() if order['side'] == 'sell'
else tree.max_key())
node = tree.get(price)
# TODO: check old_size
if node is None or not any(o['id'] == order['order_id'] for o in node):
return
index = list(map(itemgetter('id'), node)).index(order['order_id'])
if 'new_size' in order:
node[index]['size'] = new_size
if 'new_funds' in order: # pragma: no cover
assert False, 'This should not happen.'
def get_current_book(self, product_id):
result = {
'sequence': self._sequences[product_id],
'asks': [],
'bids': [],
}
for ask in self._asks[product_id]:
try:
# There can be a race condition here, where a price point is
# removed between these two ops
this_ask = self._asks[product_id][ask]
except KeyError:
continue
for order in this_ask:
result['asks'].append(
[order['price'], order['size'], order['id']])
for bid in self._bids[product_id]:
try:
# There can be a race condition here, where a price point is
# removed between these two ops
this_bid = self._bids[product_id][bid]
except KeyError:
continue
for order in this_bid:
result['bids'].append(
[order['price'], order['size'], order['id']])
return result
def get_ask(self, product_id):
return self._asks[product_id].iloc[0]
def get_asks(self, product_id, price):
return self._asks[product_id].get(price)
def remove_asks(self, product_id, price):
del self._asks[product_id][price]
def set_asks(self, product_id, price, asks):
self._asks[product_id].update({price: asks})
def get_bid(self, product_id):
return self._bids[product_id].iloc[-1]
def get_bids(self, product_id, price):
return self._bids[product_id].get(price)
def remove_bids(self, product_id, price):
del self._bids[product_id][price]
def set_bids(self, product_id, price, bids):
self._bids[product_id].update({price: bids})
def get_min_ask_depth(self, product_id):
orders = self._asks[product_id].get(self._asks[product_id].iloc[0])
return sum([order['size'] for order in orders])
def get_max_bid_depth(self, product_id):
orders = self._bids[product_id].get(self._bids[product_id].iloc[-1])
return sum([order['size'] for order in orders])
async def run_orderbook(): # pragma: no cover
async with OrderBook(
['ETH-USD', 'BTC-USD'],
api_key=None,
api_secret=None,
passphrase=None,
# trade_log_file_path='trades.txt',
) as orderbook:
while True:
message = await orderbook.handle_message()
if message is None:
continue
product_id = message['product_id']
logging.info('%20s %10s %10s %10s %10s',
orderbook._sequences[product_id],
orderbook.get_bid('ETH-USD'),
orderbook.get_ask('ETH-USD'),
orderbook.get_bid('BTC-USD'),
orderbook.get_ask('BTC-USD'))
logging.info('ask: %s bid: %s',
orderbook.get_min_ask_depth('ETH-USD'),
orderbook.get_max_bid_depth('ETH-USD'))
if __name__ == "__main__": # pragma: no cover
logging.getLogger().setLevel(logging.INFO)
loop = asyncio.get_event_loop()
loop.run_until_complete(run_orderbook())