Skip to content

Commit 079f07a

Browse files
vvanglroKludex
andauthored
feat(server): log warning when max request limit is exceeded (#2430)
* feat(server): log warning when max request limit is exceeded * Make the message cute * better place for test case * fix ruff check * fix app * move to test_server.py * Update * Update cli_usage --------- Co-authored-by: Marcelo Trylesinski <[email protected]>
1 parent 137f88e commit 079f07a

File tree

3 files changed

+39
-7
lines changed

3 files changed

+39
-7
lines changed

tests/test_server.py

+27-1
Original file line numberDiff line numberDiff line change
@@ -2,15 +2,23 @@
22

33
import asyncio
44
import contextlib
5+
import logging
56
import signal
67
import sys
78
from typing import Callable, ContextManager, Generator
89

10+
import httpx
911
import pytest
1012

13+
from tests.utils import run_server
14+
from uvicorn._types import ASGIReceiveCallable, ASGISendCallable, Scope
1115
from uvicorn.config import Config
16+
from uvicorn.protocols.http.h11_impl import H11Protocol
17+
from uvicorn.protocols.http.httptools_impl import HttpToolsProtocol
1218
from uvicorn.server import Server
1319

20+
pytestmark = pytest.mark.anyio
21+
1422

1523
# asyncio does NOT allow raising in signal handlers, so to detect
1624
# raised signals raised a mutable `witness` receives the signal
@@ -37,6 +45,12 @@ async def dummy_app(scope, receive, send): # pragma: py-win32
3745
pass
3846

3947

48+
async def app(scope: Scope, receive: ASGIReceiveCallable, send: ASGISendCallable) -> None:
49+
assert scope["type"] == "http"
50+
await send({"type": "http.response.start", "status": 200, "headers": []})
51+
await send({"type": "http.response.body", "body": b"", "more_body": False})
52+
53+
4054
if sys.platform == "win32": # pragma: py-not-win32
4155
signals = [signal.SIGBREAK]
4256
signal_captures = [capture_signal_sync]
@@ -45,7 +59,6 @@ async def dummy_app(scope, receive, send): # pragma: py-win32
4559
signal_captures = [capture_signal_sync, capture_signal_async]
4660

4761

48-
@pytest.mark.anyio
4962
@pytest.mark.parametrize("exception_signal", signals)
5063
@pytest.mark.parametrize("capture_signal", signal_captures)
5164
async def test_server_interrupt(
@@ -65,3 +78,16 @@ async def interrupt_running(srv: Server):
6578
assert witness
6679
# set by the server's graceful exit handler
6780
assert server.should_exit
81+
82+
83+
async def test_request_than_limit_max_requests_warn_log(
84+
unused_tcp_port: int, http_protocol_cls: type[H11Protocol | HttpToolsProtocol], caplog: pytest.LogCaptureFixture
85+
):
86+
caplog.set_level(logging.WARNING, logger="uvicorn.error")
87+
config = Config(app=app, limit_max_requests=1, port=unused_tcp_port, http=http_protocol_cls)
88+
async with run_server(config):
89+
async with httpx.AsyncClient() as client:
90+
tasks = [client.get(f"http://127.0.0.1:{unused_tcp_port}") for _ in range(2)]
91+
responses = await asyncio.gather(*tasks)
92+
assert len(responses) == 2
93+
assert "Maximum request limit of 1 exceeded. Terminating process." in caplog.text

tools/cli_usage.py

+6-4
Original file line numberDiff line numberDiff line change
@@ -2,24 +2,26 @@
22
Look for a marker comment in docs pages, and place the output of
33
`$ uvicorn --help` there. Pass `--check` to ensure the content is in sync.
44
"""
5+
6+
from __future__ import annotations
7+
58
import argparse
69
import subprocess
710
import sys
8-
import typing
911
from pathlib import Path
1012

1113

12-
def _get_usage_lines() -> typing.List[str]:
14+
def _get_usage_lines() -> list[str]:
1315
res = subprocess.run(["uvicorn", "--help"], stdout=subprocess.PIPE)
1416
help_text = res.stdout.decode("utf-8")
1517
return ["```", "$ uvicorn --help", *help_text.splitlines(), "```"]
1618

1719

18-
def _find_next_codefence_lineno(lines: typing.List[str], after: int) -> int:
20+
def _find_next_codefence_lineno(lines: list[str], after: int) -> int:
1921
return next(lineno for lineno, line in enumerate(lines[after:], after) if line == "```")
2022

2123

22-
def _get_insert_location(lines: typing.List[str]) -> typing.Tuple[int, int]:
24+
def _get_insert_location(lines: list[str]) -> tuple[int, int]:
2325
marker = lines.index("<!-- :cli_usage: -->")
2426
start = marker + 1
2527

uvicorn/server.py

+6-2
Original file line numberDiff line numberDiff line change
@@ -250,8 +250,12 @@ async def on_tick(self, counter: int) -> bool:
250250
# Determine if we should exit.
251251
if self.should_exit:
252252
return True
253-
if self.config.limit_max_requests is not None:
254-
return self.server_state.total_requests >= self.config.limit_max_requests
253+
254+
max_requests = self.config.limit_max_requests
255+
if max_requests is not None and self.server_state.total_requests >= max_requests:
256+
logger.warning(f"Maximum request limit of {max_requests} exceeded. Terminating process.")
257+
return True
258+
255259
return False
256260

257261
async def shutdown(self, sockets: list[socket.socket] | None = None) -> None:

0 commit comments

Comments
 (0)