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

Add timeout support #469

Open
wants to merge 3 commits into
base: master
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
31 changes: 27 additions & 4 deletions aiohttp_sse/__init__.py
Original file line number Diff line number Diff line change
Expand Up @@ -39,6 +39,7 @@ def __init__(
reason: Optional[str] = None,
headers: Optional[Mapping[str, str]] = None,
sep: Optional[str] = None,
timeout: Optional[float] = None,
):
super().__init__(status=status, reason=reason)

Expand All @@ -54,6 +55,7 @@ def __init__(
self._ping_interval: float = self.DEFAULT_PING_INTERVAL
self._ping_task: Optional[asyncio.Task[None]] = None
self._sep = sep if sep is not None else self.DEFAULT_SEPARATOR
self._timeout = timeout

def is_connected(self) -> bool:
"""Check connection is prepared and ping task is not done."""
Expand Down Expand Up @@ -130,10 +132,16 @@ async def send(

buffer.write(self._sep)
try:
await self.write(buffer.getvalue().encode("utf-8"))
await asyncio.wait_for( # TODO(PY311): Use asyncio.timeout
self.write(buffer.getvalue().encode("utf-8")),
Dreamsorcerer marked this conversation as resolved.
Show resolved Hide resolved
timeout=self._timeout,
)
except ConnectionResetError:
self.stop_streaming()
raise
except asyncio.TimeoutError:
self.stop_streaming()
raise TimeoutError

async def wait(self) -> None:
"""EventSourceResponse object is used for streaming data to the client,
Expand Down Expand Up @@ -202,8 +210,16 @@ async def _ping(self) -> None:
while True:
await asyncio.sleep(self._ping_interval)
try:
await self.write(message)
except (ConnectionResetError, RuntimeError):
await asyncio.wait_for( # TODO(PY311): Use asyncio.timeout
self.write(message),
timeout=self._timeout,
)
except (
ConnectionResetError,
RuntimeError,
TimeoutError,
asyncio.TimeoutError,
):
# RuntimeError - on writing after EOF
break

Expand Down Expand Up @@ -256,12 +272,19 @@ def sse_response(
headers: Optional[Mapping[str, str]] = None,
sep: Optional[str] = None,
response_cls: Type[EventSourceResponse] = EventSourceResponse,
timeout: Optional[float] = None,
) -> Any:
if not issubclass(response_cls, EventSourceResponse):
raise TypeError(
"response_cls must be subclass of "
"aiohttp_sse.EventSourceResponse, got {}".format(response_cls)
)

sse = response_cls(status=status, reason=reason, headers=headers, sep=sep)
sse = response_cls(
status=status,
reason=reason,
headers=headers,
sep=sep,
timeout=timeout,
)
return _ContextManager(sse._prepare(request))
39 changes: 38 additions & 1 deletion tests/test_sse.py
Original file line number Diff line number Diff line change
@@ -1,6 +1,6 @@
import asyncio
import sys
from typing import Awaitable, Callable, List
from typing import Awaitable, Callable, List, Optional

import pytest
from aiohttp import web
Expand Down Expand Up @@ -559,3 +559,40 @@ async def handler(request: web.Request) -> EventSourceResponse:

async with client.get("/") as response:
assert 200 == response.status


@pytest.mark.parametrize("timeout", (None, 0.1))
async def test_with_timeout(
aiohttp_client: ClientFixture,
monkeypatch: pytest.MonkeyPatch,
timeout: Optional[float],
) -> None:
"""Test that a timeout occurs when client is not reading responses."""
timeout_raised = False
should_raise_timeout = timeout is not None

async def handler(request: web.Request) -> EventSourceResponse:
sse = EventSourceResponse(timeout=timeout)
await sse.prepare(request)

async with sse:
while True:
# .send() only yields if socket is full, so yield here to run client.
await asyncio.sleep(0)
try:
await sse.send("x" * 10000000) # Enough data to fill socket
except TimeoutError:
nonlocal timeout_raised
timeout_raised = True
break

return sse # pragma: no cover

app = web.Application()
app.router.add_route("GET", "/", handler)

client = await aiohttp_client(app)
async with client.get("/") as resp:
assert resp.status == 200
await asyncio.sleep(0.5)
assert timeout_raised is should_raise_timeout
Loading