Skip to content

Commit ec814fa

Browse files
committed
Merge branch 'jac/flatten_event'
2 parents 3cb3c6e + cf2da6c commit ec814fa

File tree

10 files changed

+247
-66
lines changed

10 files changed

+247
-66
lines changed

.devcontainer/devcontainer.json

+2-3
Original file line numberDiff line numberDiff line change
@@ -16,16 +16,15 @@
1616
// Add the IDs of extensions you want installed when the container is created.
1717
"extensions": [
1818
"ms-python.python"
19-
]
19+
],
2020

2121
// Use 'forwardPorts' to make a list of ports inside the container available locally.
2222
// "forwardPorts": [],
2323

2424
// Uncomment the next line to run commands after the container is created - for example installing curl.
2525
// "postCreateCommand": "apt-get update && apt-get install -y curl",
2626

27-
// Uncomment when using a ptrace-based debugger like C++, Go, and Rust
28-
// "runArgs": [ "--cap-add=SYS_PTRACE", "--security-opt", "seccomp=unconfined" ],
27+
// "runArgs": [ ],
2928

3029
// Uncomment to use the Docker CLI from inside the container. See https://aka.ms/vscode-remote/samples/docker-from-docker.
3130
// "mounts": [ "source=/var/run/docker.sock,target=/var/run/docker.sock,type=bind" ],

.github/workflows/publish-to-test-pypi.yml

+17-1
Original file line numberDiff line numberDiff line change
@@ -14,7 +14,23 @@ jobs:
1414
uses: actions/setup-python@v1
1515
with:
1616
python-version: 3.9
17-
- name: Install pypa/build
17+
- name: upgrade pip
18+
run: >-
19+
python -m
20+
pip install --upgrade pip
21+
- name: py requirements
22+
run: >-
23+
python -m
24+
pip install -r requirements.txt
25+
- name: py compile
26+
run: >-
27+
python -m
28+
py_compile blocknative/*.py
29+
- name: python unittest
30+
run: >-
31+
python -m
32+
unittest discover -s tests -p '*test.py'
33+
- name: build
1834
run: >-
1935
python -m
2036
pip install

Dockerfile

+2-1
Original file line numberDiff line numberDiff line change
@@ -20,8 +20,9 @@ COPY tests tests/
2020
COPY setup.py .
2121
RUN pip3 install --upgrade pip
2222
RUN pip3 install -r requirements.txt
23+
RUN pip3 install --upgrade autopep8
2324
RUN python3 setup.py install
2425
ENV PYTHONPATH=.
2526
RUN python3 -m py_compile blocknative/*.py
26-
RUN python3 -m unittest discover -s tests
27+
RUN python3 -m unittest discover -s tests -p '*test.py'
2728
CMD echo Python SDK

blocknative/__init__.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -1 +1 @@
1-
__version__ = '0.1.8'
1+
__version__ = '0.2.0'

blocknative/stream.py

+59-42
Original file line numberDiff line numberDiff line change
@@ -7,8 +7,8 @@
77
from dataclasses import dataclass, field
88
from queue import Queue, Empty
99
from typing import List, Mapping, Callable, Union
10-
import types
1110
import trio
11+
import logging
1212
from trio_websocket import (
1313
open_websocket_url,
1414
ConnectionClosed,
@@ -24,13 +24,16 @@
2424
SubscriptionType,
2525
to_camel_case,
2626
)
27+
from blocknative import __version__ as API_VERSION
2728

2829
PING_INTERVAL = 15
2930
PING_TIMEOUT = 10
3031
MESSAGE_SEND_INTERVAL = 0.021 # 21ms
3132

32-
Callback = Callable[[dict, Callable], None]
33+
BN_BASE_URL = 'wss://api.blocknative.com/v0'
34+
BN_ETHEREUM = 'ethereum'
3335

36+
Callback = Callable[[dict, Callable], None]
3437

3538
@dataclass
3639
class Subscription:
@@ -85,18 +88,12 @@ def as_dict(self) -> dict:
8588
class Stream:
8689
"""Stream class used to connect to Blocknative's WebSocket API."""
8790

88-
# - Public instance variables -
89-
9091
api_key: str
91-
base_url: str = 'wss://api.blocknative.com/v0'
92-
blockchain: str = 'ethereum'
92+
blockchain: str = BN_ETHEREUM
9393
network_id: int = 1
9494
version: str = '1'
9595
global_filters: List[dict] = None
9696
valid_session: bool = True
97-
98-
# - Private instance variables -
99-
10097
_ws: WebSocketConnection = field(default=None, init=False)
10198
_message_queue: Queue = field(default=Queue(), init=False)
10299

@@ -128,7 +125,7 @@ async def txn_handler(txn)
128125
stream.subscribe('0x7a250d5630b4cf539739df2c5dacb4c659f2488d', txn_handler)
129126
"""
130127

131-
if self.blockchain == 'ethereum':
128+
if self.blockchain == BN_ETHEREUM:
132129
address = address.lower()
133130

134131
# Add this subscription to the registry
@@ -159,10 +156,10 @@ def subscribe_txn(self, tx_hash: str, callback: Callback, status: str = 'sent'):
159156
if self._is_connected():
160157
self._send_txn_watch_message(tx_hash, status)
161158

162-
def connect(self):
159+
def connect(self, base_url:str = BN_BASE_URL):
163160
"""Initializes the connection to the WebSocket server."""
164161
try:
165-
return trio.run(self._connect)
162+
return trio.run(self._connect, base_url)
166163
except KeyboardInterrupt:
167164
print('keyboard interrupt')
168165
return None
@@ -173,6 +170,7 @@ def send_message(self, message: str):
173170
Args:
174171
message: The message to send.
175172
"""
173+
logging.debug('Sending: {}' % message)
176174
self._message_queue.put(message)
177175

178176
async def _message_dispatcher(self):
@@ -220,34 +218,29 @@ async def _message_handler(self, message: dict):
220218
# Raises an exception if the status of the message is an error
221219
raise_error_on_status(message)
222220

223-
if 'event' in message and 'transaction' in message['event']:
221+
if 'event' in message:
222+
event = message['event']
224223
# Ignore server echo and unsubscribe messages
225-
if is_server_echo(message['event']['eventCode']):
224+
if is_server_echo(event['eventCode']):
226225
return
227226

228-
# Checks if the messsage is for a transaction subscription
229-
if subscription_type(message) == SubscriptionType.TRANSACTION:
230-
231-
# Find the matching subscription and run it's callback
232-
if (
233-
message['event']['transaction']['hash']
234-
in self._subscription_registry
235-
):
236-
await self._subscription_registry[
237-
message['event']['transaction']['hash']
238-
].callback(message['event']['transaction'])
239-
240-
# Checks if the messsage is for an address subscription
241-
elif subscription_type(message) == SubscriptionType.ADDRESS:
242-
watched_address = message['event']['transaction']['watchedAddress']
243-
if watched_address in self._subscription_registry and watched_address is not None:
227+
if 'transaction' in event:
228+
event_transaction = event['transaction']
229+
# Checks if the messsage is for a transaction subscription
230+
if subscription_type(message) == SubscriptionType.TRANSACTION:
244231
# Find the matching subscription and run it's callback
245-
if 'transaction' in message['event']:
246-
transaction = message['event']['transaction']
247-
await self._subscription_registry[watched_address].callback(
248-
transaction,
249-
(lambda: self.unsubscribe(watched_address)),
250-
)
232+
transaction_hash = event_transaction['hash']
233+
if transaction_hash in self._subscription_registry:
234+
transaction = self._flatten_event_to_transaction(event)
235+
await self._subscription_registry[transaction_hash].callback(transaction)
236+
237+
# Checks if the messsage is for an address subscription
238+
elif subscription_type(message) == SubscriptionType.ADDRESS:
239+
watched_address = event_transaction['watchedAddress']
240+
if watched_address in self._subscription_registry and watched_address is not None:
241+
# Find the matching subscription and run it's callback
242+
transaction = self._flatten_event_to_transaction(event)
243+
await self._subscription_registry[watched_address].callback(transaction,(lambda: self.unsubscribe(watched_address)))
251244

252245
def unsubscribe(self, watched_address):
253246
# remove this subscription from the registry so that we don't execute the callback
@@ -284,7 +277,7 @@ async def _heartbeat(self):
284277
await self._ws.ping()
285278
await trio.sleep(PING_INTERVAL)
286279

287-
async def _handle_connection(self):
280+
async def _handle_connection(self, base_url:str):
288281
"""Handles the setup once the websocket connection is established, as well as,
289282
handles reconnect if the websocket closes for any reason.
290283
@@ -315,14 +308,16 @@ async def _handle_connection(self):
315308
nursery.start_soon(self._message_dispatcher)
316309
except ConnectionClosed as cc:
317310
# If server times the connection out or drops, reconnect
318-
await self._connect()
311+
await trio.sleep(0.5)
312+
await self._connect(base_url)
319313

320-
async def _connect(self):
314+
async def _connect(self, base_url):
321315
try:
322-
async with open_websocket_url(self.base_url) as ws:
316+
async with open_websocket_url(base_url) as ws:
323317
self._ws = ws
324-
await self._handle_connection()
318+
await self._handle_connection(base_url)
325319
except HandshakeError as e:
320+
logging.exception('Handshake failed')
326321
return False
327322

328323
def _is_connected(self) -> bool:
@@ -398,7 +393,7 @@ def _build_payload(
398393
return {
399394
'timeStamp': datetime.now().isoformat(),
400395
'dappId': self.api_key,
401-
'version': self.version,
396+
'version': API_VERSION,
402397
'blockchain': {
403398
'system': self.blockchain,
404399
'network': network_id_to_name(self.network_id),
@@ -413,3 +408,25 @@ def _queue_init_message(self):
413408
self.send_message(
414409
self._build_payload(category_code='initialize', event_code='checkDappId')
415410
)
411+
412+
def _flatten_event_to_transaction(self, event:dict):
413+
transaction = {}
414+
eventcopy = dict(event)
415+
del eventcopy['dappId']
416+
if 'transaction' in eventcopy:
417+
txn = eventcopy['transaction']
418+
for k in txn.keys():
419+
transaction[k] = txn[k]
420+
del eventcopy['transaction']
421+
if 'blockchain' in eventcopy:
422+
bc = eventcopy['blockchain']
423+
for k in bc.keys():
424+
transaction[k] = bc[k]
425+
del eventcopy['blockchain']
426+
if 'contractCall' in eventcopy:
427+
transaction['contractCall'] = eventcopy['contractCall']
428+
del eventcopy['contractCall']
429+
for k in eventcopy:
430+
if not isinstance(k, dict) and not isinstance(k, list):
431+
transaction[k] = eventcopy[k]
432+
return transaction

examples/confirm_n.py

+10-6
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
from blocknative.stream import Stream as BNStream
2-
import json,sys,traceback,types
2+
import json,sys,traceback
3+
import logging
34

45
monitor_address = '0x7a250d5630b4cf539739df2c5dacb4c659f2488d'
56

@@ -11,23 +12,26 @@ def __init__(self):
1112

1213
async def on_transaction(self, txn, unsubscribe):
1314
print(json.dumps(txn, indent=4))
14-
if 'status' in txn and txn['status'] == 'confirmed':
15+
if txn['status'] == 'confirmed':
1516
self.transaction_count -= 1
16-
if self.transaction_count < 0:
17+
if self.transaction_count < 1:
1718
unsubscribe()
1819

1920
if __name__ == '__main__':
2021
try:
2122
if len(sys.argv) == 1:
22-
print('{} apikey' % sys.argv[0])
23+
print('%s apikey' % sys.argv[0])
2324
else:
25+
logging.basicConfig(level=logging.INFO)
26+
2427
apikeyfile = sys.argv[1]
2528
with open(apikeyfile, 'r') as apikey:
2629
keystring = apikey.readline().rstrip().lstrip()
2730
stream = BNStream(keystring)
2831
printer = Printer()
29-
stream.subscribe_address(monitor_address, (lambda txn, callback: printer.on_transaction(txn, callback)))
32+
server_filter = [{'status':'confirmed'}]
33+
stream.subscribe_address(monitor_address, (lambda txn, callback: printer.on_transaction(txn, callback)), filters=server_filter)
3034
stream.connect()
3135
except Exception as e:
32-
print('API Failed: ' + str(e))
36+
print('API Failed: %s' % str(e))
3337
traceback.print_exc(e)

examples/subscribe.py

+5-4
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
from blocknative.stream import Stream as BNStream
2-
import json,sys,traceback
2+
import json,sys,traceback,logging
33

44
monitor_address = '0x7a250d5630b4cf539739df2c5dacb4c659f2488d'
55

@@ -9,14 +9,15 @@ async def txn_handler(txn, unsubscribe):
99
if __name__ == '__main__':
1010
try:
1111
if len(sys.argv) == 1:
12-
print('{} apikey' % sys.argv[0])
12+
print('%s apikey' % sys.argv[0])
1313
else:
14+
logging.basicConfig(level=logging.INFO)
1415
apikeyfile = sys.argv[1]
1516
with open(apikeyfile, 'r') as apikey:
1617
keystring = apikey.readline().rstrip().lstrip()
1718
stream = BNStream(keystring)
1819
stream.subscribe_address(monitor_address, txn_handler)
1920
stream.connect()
2021
except Exception as e:
21-
print('API Failed: ' + str(e))
22-
traceback.print_exc(e)
22+
print('API Failed: %s' % str(e))
23+
traceback.print_exc(e)

examples/unsubscribe_confirmed.py

+5-4
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
from blocknative.stream import Stream as BNStream
2-
import json,sys,traceback
2+
import json,sys,traceback,logging
33

44
monitor_address = '0x7a250d5630b4cf539739df2c5dacb4c659f2488d'
55

@@ -11,14 +11,15 @@ async def txn_handler(txn, unsubscribe):
1111
if __name__ == '__main__':
1212
try:
1313
if len(sys.argv) == 1:
14-
print('{} apikey' % sys.argv[0])
14+
print('%s apikey' % sys.argv[0])
1515
else:
16+
logging.basicConfig(level=logging.INFO)
1617
apikeyfile = sys.argv[1]
1718
with open(apikeyfile, 'r') as apikey:
1819
keystring = apikey.readline().rstrip().lstrip()
1920
stream = BNStream(keystring)
2021
stream.subscribe_address(monitor_address, txn_handler)
2122
stream.connect()
2223
except Exception as e:
23-
print('API Failed: ' + str(e))
24-
traceback.print_exc(e)
24+
print('API Failed: %s' % str(e))
25+
traceback.print_exc(e)

0 commit comments

Comments
 (0)