implement trio queue interface

This commit is contained in:
Chih Cheng Liang 2019-11-19 18:01:29 +08:00 committed by mhchia
parent 41ff884eef
commit c55ea0e5bb
No known key found for this signature in database
GPG Key ID: 389EFBEA1362589A
2 changed files with 44 additions and 0 deletions

View File

@ -6,6 +6,9 @@ from libp2p.io.abc import Reader
from .io.utils import read_exactly
from typing import Generic, TypeVar
import trio
# Unsigned LEB128(varint codec)
# Reference: https://github.com/ethereum/py-wasm/blob/master/wasm/parsers/leb128.py
@ -95,3 +98,25 @@ async def read_fixedint_prefixed(reader: Reader) -> bytes:
len_bytes = await reader.read(SIZE_LEN_BYTES)
len_int = int.from_bytes(len_bytes, "big")
return await reader.read(len_int)
TItem = TypeVar("TItem")
class IQueue(Generic[TItem]):
async def put(self, item: TItem):
...
async def get(self) -> TItem:
...
class TrioQueue(IQueue):
def __init__(self):
self.send_channel, self.receive_channel = trio.open_memory_channel(0)
async def put(self, item: TItem):
await self.send_channel.send(item)
async def get(self) -> TItem:
return await self.receive_channel.receive()

19
tests/test_utils.py Normal file
View File

@ -0,0 +1,19 @@
import trio
import pytest
from libp2p.utils import TrioQueue
@pytest.mark.trio
async def test_trio_queue():
queue = TrioQueue()
async def queue_get(task_status=None):
result = await queue.get()
task_status.started(result)
async with trio.open_nursery() as nursery:
nursery.start_soon(queue.put, 123)
result = await nursery.start(queue_get)
assert result == 123