Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

implement an asyncio version of the websocket class #13

Open
wants to merge 2 commits into
base: esp8266
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
26 changes: 26 additions & 0 deletions examples/aio_echo_websocket_org.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,26 @@
from uaiowebsockets import client
import uasyncio


async def connect_and_receive(loop):
websocket = await client.connect("ws://echo.websocket.org")

loop.create_task(writer(1, websocket))
loop.create_task(writer(2, websocket))

while True:
print(await websocket.recv())


async def writer(index, websocket):
message_num = 0
while True:
message_num += 1
msg = "[%s]: Hello from writer %s." % (message_num, index)
await websocket.send(msg)
await uasyncio.sleep(5)


loop = uasyncio.get_event_loop()
loop.create_task(connect_and_receive(loop))
loop.run_forever()
13 changes: 13 additions & 0 deletions examples/aio_websocket_context.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,13 @@
from uaiowebsockets import client
import uasyncio
import sys

async def main():
async with await client.connect("ws://echo.websocket.org") as websocket:
await websocket.send("hello, websocket")
print(await websocket.recv())
sys.exit(0)

loop = uasyncio.get_event_loop()
loop.create_task(main())
loop.run_forever()
74 changes: 74 additions & 0 deletions uaiowebsockets/client.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,74 @@
"""
Websockets client for micropython

Based very heavily off
https://github.com/aaugustin/websockets/blob/master/websockets/client.py
"""

import logging
import usocket as socket
import uasyncio as asyncio
import ubinascii as binascii
import urandom as random
import ussl

from .protocol import Websocket, urlparse

LOGGER = logging.getLogger(__name__)


class WebsocketClient(Websocket):
is_client = True

async def connect(uri):
"""
Connect a websocket.
"""

uri = urlparse(uri)
assert uri

if __debug__: LOGGER.debug("open connection %s:%s",
uri.hostname, uri.port)

sock = socket.socket()
addr = socket.getaddrinfo(uri.hostname, uri.port)
sock.connect(addr[0][4])
if uri.protocol == 'wss':
sock = ussl.wrap_socket(sock)

sreader = asyncio.StreamReader(sock)
swriter = asyncio.StreamWriter(sock, {})

async def send_header(header, *args):
if __debug__: LOGGER.debug(str(header), *args)
await swriter.awrite(header % args + '\r\n')

# Sec-WebSocket-Key is 16 bytes of random base64 encoded
key = binascii.b2a_base64(bytes(random.getrandbits(8)
for _ in range(16)))[:-1]

await send_header(b'GET %s HTTP/1.1', uri.path or '/')
await send_header(b'Host: %s:%s', uri.hostname, uri.port)
await send_header(b'Connection: Upgrade')
await send_header(b'Upgrade: websocket')
await send_header(b'Sec-WebSocket-Key: %s', key)
await send_header(b'Sec-WebSocket-Version: 13')
await send_header(b'Origin: http://{hostname}:{port}'.format(
hostname=uri.hostname,
port=uri.port)
)
await send_header(b'')

response = await sreader.readline()
header = response[:-2]
assert header.startswith(b'HTTP/1.1 101 '), header

# We don't (currently) need these headers
# FIXME: should we check the return key?
while header:
if __debug__: LOGGER.debug(str(header))
response = await sreader.readline()
header = response[:-2]

return WebsocketClient(sock, sreader, swriter)
248 changes: 248 additions & 0 deletions uaiowebsockets/protocol.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,248 @@
"""
Websockets protocol
"""

import logging
import ure as re
import ustruct as struct
import urandom as random
import usocket as socket
from ucollections import namedtuple

LOGGER = logging.getLogger(__name__)

# Opcodes
OP_CONT = const(0x0)
OP_TEXT = const(0x1)
OP_BYTES = const(0x2)
OP_CLOSE = const(0x8)
OP_PING = const(0x9)
OP_PONG = const(0xa)

# Close codes
CLOSE_OK = const(1000)
CLOSE_GOING_AWAY = const(1001)
CLOSE_PROTOCOL_ERROR = const(1002)
CLOSE_DATA_NOT_SUPPORTED = const(1003)
CLOSE_BAD_DATA = const(1007)
CLOSE_POLICY_VIOLATION = const(1008)
CLOSE_TOO_BIG = const(1009)
CLOSE_MISSING_EXTN = const(1010)
CLOSE_BAD_CONDITION = const(1011)

URL_RE = re.compile(r'(wss|ws)://([A-Za-z0-9-\.]+)(?:\:([0-9]+))?(/.+)?')
URI = namedtuple('URI', ('protocol', 'hostname', 'port', 'path'))

class NoDataException(Exception):
pass

class ConnectionClosed(Exception):
pass

def urlparse(uri):
"""Parse ws:// URLs"""
match = URL_RE.match(uri)
if match:
protocol = match.group(1)
host = match.group(2)
port = match.group(3)
path = match.group(4)

if protocol == 'wss':
if port is None:
port = 443
elif protocol == 'ws':
if port is None:
port = 80
else:
raise ValueError('Scheme {} is invalid'.format(protocol))

return URI(protocol, host, int(port), path)


class Websocket:
"""
Basis of the Websocket protocol.

This can probably be replaced with the C-based websocket module, but
this one currently supports more options.
"""
is_client = False

def __init__(self, sock, sreader, swriter):
self.sock = sock
self.sreader = sreader
self.swriter = swriter
self.open = True

async def __aenter__(self):
return self

async def __aexit__(self, exc_type, exc, tb):
await self.close()

def settimeout(self, timeout):
self.sock.settimeout(timeout)

async def read_frame(self, max_size=None):
"""
Read a frame from the socket.
See https://tools.ietf.org/html/rfc6455#section-5.2 for the details.
"""

# Frame header
two_bytes = await self.sreader.read(2)

if not two_bytes:
raise NoDataException

byte1, byte2 = struct.unpack('!BB', two_bytes)

# Byte 1: FIN(1) _(1) _(1) _(1) OPCODE(4)
fin = bool(byte1 & 0x80)
opcode = byte1 & 0x0f

# Byte 2: MASK(1) LENGTH(7)
mask = bool(byte2 & (1 << 7))
length = byte2 & 0x7f

if length == 126: # Magic number, length header is 2 bytes
length, = struct.unpack('!H', self.sock.read(2))
elif length == 127: # Magic number, length header is 8 bytes
length, = struct.unpack('!Q', self.sock.read(8))

if mask: # Mask is 4 bytes
mask_bits = await self.sreader.read(4)

try:
data = await self.sreader.read(length)
except MemoryError:
# We can't receive this many bytes, close the socket
if __debug__: LOGGER.debug("Frame of length %s too big. Closing",
length)
self.close(code=CLOSE_TOO_BIG)
return True, OP_CLOSE, None

if mask:
data = bytes(b ^ mask_bits[i % 4]
for i, b in enumerate(data))

return fin, opcode, data

async def write_frame(self, opcode, data=b''):
"""
Write a frame to the socket.
See https://tools.ietf.org/html/rfc6455#section-5.2 for the details.
"""
fin = True
mask = self.is_client # messages sent by client are masked

length = len(data)

# Frame header
# Byte 1: FIN(1) _(1) _(1) _(1) OPCODE(4)
byte1 = 0x80 if fin else 0
byte1 |= opcode

# Byte 2: MASK(1) LENGTH(7)
byte2 = 0x80 if mask else 0

if length < 126: # 126 is magic value to use 2-byte length header
byte2 |= length
await self.swriter.awrite(struct.pack('!BB', byte1, byte2))

elif length < (1 << 16): # Length fits in 2-bytes
byte2 |= 126 # Magic code
await self.srwriter.awrite(struct.pack('!BBH', byte1, byte2, length))

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Not sure of the state of this PR but just noticed this typo when I was playing around with it on my Raspberry Pi Pico W.

Suggested change
await self.srwriter.awrite(struct.pack('!BBH', byte1, byte2, length))
await self.swriter.awrite(struct.pack('!BBH', byte1, byte2, length))


elif length < (1 << 64):
byte2 |= 127 # Magic code
await self.swriter.awrite(struct.pack('!BBQ', byte1, byte2, length))

else:
raise ValueError()

if mask: # Mask is 4 bytes
mask_bits = struct.pack('!I', random.getrandbits(32))
await self.swriter.awrite(mask_bits)

data = bytes(b ^ mask_bits[i % 4]
for i, b in enumerate(data))

await self.swriter.awrite(data)

async def recv(self):
"""
Receive data from the websocket.

This is slightly different from 'websockets' in that it doesn't
fire off a routine to process frames and put the data in a queue.
If you don't call recv() sufficiently often you won't process control
frames.
"""
assert self.open

while self.open:
try:
fin, opcode, data = await self.read_frame()
except NoDataException:
return ''
except ValueError:
LOGGER.debug("Failed to read frame. Socket dead.")
self._close()
raise ConnectionClosed()

if not fin:
raise NotImplementedError()

if opcode == OP_TEXT:
return data.decode('utf-8')
elif opcode == OP_BYTES:
return data
elif opcode == OP_CLOSE:
self._close()
return
elif opcode == OP_PONG:
# Ignore this frame, keep waiting for a data frame
continue
elif opcode == OP_PING:
# We need to send a pong frame
if __debug__: LOGGER.debug("Sending PONG")
await self.write_frame(OP_PONG, data)
# And then wait to receive
continue
elif opcode == OP_CONT:
# This is a continuation of a previous frame
raise NotImplementedError(opcode)
else:
raise ValueError(opcode)

async def send(self, buf):
"""Send data to the websocket."""

assert self.open

if isinstance(buf, str):
opcode = OP_TEXT
buf = buf.encode('utf-8')
elif isinstance(buf, bytes):
opcode = OP_BYTES
else:
raise TypeError()

await self.write_frame(opcode, buf)

async def close(self, code=CLOSE_OK, reason=''):
"""Close the websocket."""
if not self.open:
return

buf = struct.pack('!H', code) + reason.encode('utf-8')

await self.write_frame(OP_CLOSE, buf)
self._close()

def _close(self):
if __debug__: LOGGER.debug("Connection closed")
self.open = False
self.sock.close()