Browse Source

Context manager interface for the simple clients

pull/1241/head
Miguel Grinberg 2 years ago
parent
commit
699ee9c47a
Failed to extract signature
  1. 22
      docs/client.rst
  2. 7
      examples/simple-client/async/fiddle_client.py
  3. 8
      examples/simple-client/async/latency_client.py
  4. 7
      examples/simple-client/sync/fiddle_client.py
  5. 8
      examples/simple-client/sync/latency_client.py
  6. 28
      src/socketio/asyncio_simple_client.py
  7. 26
      src/socketio/simple_client.py
  8. 24
      tests/asyncio/test_asyncio_simple_client.py
  9. 17
      tests/common/test_simple_client.py

22
docs/client.rst

@ -35,8 +35,26 @@ the application.
Creating a Client Instance Creating a Client Instance
~~~~~~~~~~~~~~~~~~~~~~~~~~ ~~~~~~~~~~~~~~~~~~~~~~~~~~
To instantiate a Socket.IO client, create an instance of the appropriate client The easiest way to create a Socket.IO client is to use the context manager
class:: interface::
import socketio
# standard Python
with socketio.SimpleClient() as sio:
# ... connect to a server and use the client
# ... no need to manually disconnect!
# asyncio
async with socketio.AsyncSimpleClient() as sio:
# ... connect to a server and use the client
# ... no need to manually disconnect!
With this usage the context manager will ensure that the client is properly
disconnected before exiting the ``with`` or ``async with`` block.
If preferred, a client can be manually instantiated::
import socketio import socketio

7
examples/simple-client/async/fiddle_client.py

@ -3,10 +3,9 @@ import socketio
async def main(): async def main():
sio = socketio.AsyncSimpleClient() async with socketio.AsyncSimpleClient() as sio:
await sio.connect('http://localhost:5000', auth={'token': 'my-token'}) await sio.connect('http://localhost:5000', auth={'token': 'my-token'})
print(await sio.receive()) print(await sio.receive())
await sio.disconnect()
if __name__ == '__main__': if __name__ == '__main__':

8
examples/simple-client/async/latency_client.py

@ -4,10 +4,8 @@ import socketio
async def main(): async def main():
sio = socketio.AsyncSimpleClient() async with socketio.AsyncSimpleClient() as sio:
await sio.connect('http://localhost:5000') await sio.connect('http://localhost:5000')
try:
while True: while True:
start_timer = time.time() start_timer = time.time()
await sio.emit('ping_from_client') await sio.emit('ping_from_client')
@ -17,8 +15,6 @@ async def main():
print('latency is {0:.2f} ms'.format(latency * 1000)) print('latency is {0:.2f} ms'.format(latency * 1000))
await asyncio.sleep(1) await asyncio.sleep(1)
except (KeyboardInterrupt, asyncio.CancelledError):
await sio.disconnect()
if __name__ == '__main__': if __name__ == '__main__':

7
examples/simple-client/sync/fiddle_client.py

@ -2,10 +2,9 @@ import socketio
def main(): def main():
sio = socketio.SimpleClient() with socketio.SimpleClient() as sio:
sio.connect('http://localhost:5000', auth={'token': 'my-token'}) sio.connect('http://localhost:5000', auth={'token': 'my-token'})
print(sio.receive()) print(sio.receive())
sio.disconnect()
if __name__ == '__main__': if __name__ == '__main__':

8
examples/simple-client/sync/latency_client.py

@ -3,10 +3,8 @@ import socketio
def main(): def main():
sio = socketio.SimpleClient() with socketio.SimpleClient() as sio:
sio.connect('http://localhost:5000') sio.connect('http://localhost:5000')
try:
while True: while True:
start_timer = time.time() start_timer = time.time()
sio.emit('ping_from_client') sio.emit('ping_from_client')
@ -16,8 +14,6 @@ def main():
print('latency is {0:.2f} ms'.format(latency * 1000)) print('latency is {0:.2f} ms'.format(latency * 1000))
time.sleep(1) time.sleep(1)
except KeyboardInterrupt:
sio.disconnect()
if __name__ == '__main__': if __name__ == '__main__':

28
src/socketio/asyncio_simple_client.py

@ -59,21 +59,21 @@ class AsyncSimpleClient:
self.input_event.clear() self.input_event.clear()
self.client = AsyncClient(*self.client_args, **self.client_kwargs) self.client = AsyncClient(*self.client_args, **self.client_kwargs)
@self.client.event @self.client.event(namespace=self.namespace)
def connect(): # pragma: no cover def connect(): # pragma: no cover
self.connected = True self.connected = True
self.connected_event.set() self.connected_event.set()
@self.client.event @self.client.event(namespace=self.namespace)
def disconnect(): # pragma: no cover def disconnect(): # pragma: no cover
self.connected_event.clear() self.connected_event.clear()
@self.client.event @self.client.event(namespace=self.namespace)
def __disconnect_final(): # pragma: no cover def __disconnect_final(): # pragma: no cover
self.connected = False self.connected = False
self.connected_event.set() self.connected_event.set()
@self.client.on('*') @self.client.on('*', namespace=self.namespace)
def on_event(event, *args): # pragma: no cover def on_event(event, *args): # pragma: no cover
self.input_buffer.append([event, *args]) self.input_buffer.append([event, *args])
self.input_event.set() self.input_event.set()
@ -172,8 +172,12 @@ class AsyncSimpleClient:
the server included arguments with the event, they are returned as the server included arguments with the event, they are returned as
additional list elements. additional list elements.
""" """
if not self.input_buffer: while not self.input_buffer:
await self.connected_event.wait() try:
await asyncio.wait_for(self.connected_event.wait(),
timeout=timeout)
except asyncio.TimeoutError: # pragma: no cover
raise TimeoutError()
if not self.connected: if not self.connected:
raise DisconnectedError() raise DisconnectedError()
try: try:
@ -189,5 +193,13 @@ class AsyncSimpleClient:
Note: this method is a coroutine. Note: this method is a coroutine.
i """ i """
await self.client.disconnect() if self.connected:
self.client = None await self.client.disconnect()
self.client = None
self.connected = False
async def __aenter__(self):
return self
async def __aexit__(self, exc_type, exc_val, exc_tb):
await self.disconnect()

26
src/socketio/simple_client.py

@ -57,21 +57,21 @@ class SimpleClient:
self.input_event.clear() self.input_event.clear()
self.client = Client(*self.client_args, **self.client_kwargs) self.client = Client(*self.client_args, **self.client_kwargs)
@self.client.event @self.client.event(namespace=self.namespace)
def connect(): # pragma: no cover def connect(): # pragma: no cover
self.connected = True self.connected = True
self.connected_event.set() self.connected_event.set()
@self.client.event @self.client.event(namespace=self.namespace)
def disconnect(): # pragma: no cover def disconnect(): # pragma: no cover
self.connected_event.clear() self.connected_event.clear()
@self.client.event @self.client.event(namespace=self.namespace)
def __disconnect_final(): # pragma: no cover def __disconnect_final(): # pragma: no cover
self.connected = False self.connected = False
self.connected_event.set() self.connected_event.set()
@self.client.on('*') @self.client.on('*', namespace=self.namespace)
def on_event(event, *args): # pragma: no cover def on_event(event, *args): # pragma: no cover
self.input_buffer.append([event, *args]) self.input_buffer.append([event, *args])
self.input_event.set() self.input_event.set()
@ -162,8 +162,10 @@ class SimpleClient:
the server included arguments with the event, they are returned as the server included arguments with the event, they are returned as
additional list elements. additional list elements.
""" """
if not self.input_buffer: while not self.input_buffer:
self.connected_event.wait() if not self.connected_event.wait(
timeout=timeout): # pragma: no cover
raise TimeoutError()
if not self.connected: if not self.connected:
raise DisconnectedError() raise DisconnectedError()
if not self.input_event.wait(timeout=timeout): if not self.input_event.wait(timeout=timeout):
@ -173,5 +175,13 @@ class SimpleClient:
def disconnect(self): def disconnect(self):
"""Disconnect from the server.""" """Disconnect from the server."""
self.client.disconnect() if self.connected:
self.client = None self.client.disconnect()
self.client = None
self.connected = False
def __enter__(self):
return self
def __exit__(self, exc_type, exc_val, exc_tb):
self.disconnect()

24
tests/asyncio/test_asyncio_simple_client.py

@ -34,6 +34,28 @@ class TestAsyncAsyncSimpleClient(unittest.TestCase):
assert client.namespace == 'n' assert client.namespace == 'n'
assert not client.input_event.is_set() assert not client.input_event.is_set()
def test_connect_context_manager(self):
async def _t():
async with AsyncSimpleClient(123, a='b') as client:
with mock.patch('socketio.asyncio_simple_client.AsyncClient') \
as mock_client:
mock_client.return_value.connect = AsyncMock()
await client.connect('url', headers='h', auth='a',
transports='t', namespace='n',
socketio_path='s')
mock_client.assert_called_once_with(123, a='b')
assert client.client == mock_client()
mock_client().connect.mock.assert_called_once_with(
'url', headers='h', auth='a', transports='t',
namespaces=['n'], socketio_path='s')
mock_client().event.call_count == 3
mock_client().on.called_once_with('*')
assert client.namespace == 'n'
assert not client.input_event.is_set()
_run(_t())
def test_connect_twice(self): def test_connect_twice(self):
client = AsyncSimpleClient(123, a='b') client = AsyncSimpleClient(123, a='b')
client.client = mock.MagicMock() client.client = mock.MagicMock()
@ -158,6 +180,8 @@ class TestAsyncAsyncSimpleClient(unittest.TestCase):
mc = mock.MagicMock() mc = mock.MagicMock()
mc.disconnect = AsyncMock() mc.disconnect = AsyncMock()
client.client = mc client.client = mc
client.connected = True
_run(client.disconnect())
_run(client.disconnect()) _run(client.disconnect())
mc.disconnect.mock.assert_called_once_with() mc.disconnect.mock.assert_called_once_with()
assert client.client is None assert client.client is None

17
tests/common/test_simple_client.py

@ -29,6 +29,21 @@ class TestSimpleClient(unittest.TestCase):
assert client.namespace == 'n' assert client.namespace == 'n'
assert not client.input_event.is_set() assert not client.input_event.is_set()
def test_connect_context_manager(self):
with SimpleClient(123, a='b') as client:
with mock.patch('socketio.simple_client.Client') as mock_client:
client.connect('url', headers='h', auth='a', transports='t',
namespace='n', socketio_path='s')
mock_client.assert_called_once_with(123, a='b')
assert client.client == mock_client()
mock_client().connect.assert_called_once_with(
'url', headers='h', auth='a', transports='t',
namespaces=['n'], socketio_path='s')
mock_client().event.call_count == 3
mock_client().on.called_once_with('*')
assert client.namespace == 'n'
assert not client.input_event.is_set()
def test_connect_twice(self): def test_connect_twice(self):
client = SimpleClient(123, a='b') client = SimpleClient(123, a='b')
client.client = mock.MagicMock() client.client = mock.MagicMock()
@ -141,6 +156,8 @@ class TestSimpleClient(unittest.TestCase):
client = SimpleClient() client = SimpleClient()
mc = mock.MagicMock() mc = mock.MagicMock()
client.client = mc client.client = mc
client.connected = True
client.disconnect()
client.disconnect() client.disconnect()
mc.disconnect.assert_called_once_with() mc.disconnect.assert_called_once_with()
assert client.client is None assert client.client is None

Loading…
Cancel
Save