파이썬 - ASGI를 만족하는 최소한의 구현 코드
예전에는 WSGI 예제를 다뤘는데,
파이썬 - WSGI를 만족하는 최소한의 구현 코드 및 PyCharm에서의 디버깅 방법
; https://www.sysnet.pe.kr/2/0/12794
이번에는 ASGI 스펙을 만족하는 코드를 보겠습니다. ^^
ASGI Specifications
; https://asgi.readthedocs.io/en/latest/specs/index.html
사실, 기본적인 뼈대는 WSGI와 별반 다르지 않고 단지 내부 응답에 대한 코드만 비동기 await을 사용한다는 특징이 있습니다.
# test_main.py
HELLO_WORLD = b"Hello world!\n"
async def simple_app(scope, receive, send):
event = await receive()
await send({
'type': 'http.response.start',
'status': 200,
'headers': [
[b'content-type', b'text/plain'],
]
})
await send({"type": "http.response.body", "body": b'Hello, world!'})
application = simple_app
이후,
gunicorn 또는
uvicorn 등의 웹 서버를 통해 이런 식으로 실행하면 됩니다.
gunicorn --bind 0.0.0.0:18090 test_main -k uvicorn.workers.UvicornWorker
또는,
uvicorn test_main:application --port 18090
uvicorn test_main:simple_app --port 18090
테스트를 위해 웹 브라우저로 "http://localhost:18090"을 방문하면 simple_app 코드의 동작에 따라 화면에는 "Hello, world!" 응답이 나옵니다.
참고로, scope 변수에는 전통적인 Request 개체가 대표하는 요청 데이터를 담고 있습니다.
{
'type': 'http',
'asgi': {'version': '3.0', 'spec_version': '2.3'},
'http_version': '1.1',
'server': ('127.0.0.1', 18090),
'client': ('127.0.0.1', 43242),
'scheme': 'http',
'root_path': '',
'headers':
[(b'host', b'localhost:18090'),
(b'connection', b'keep-alive'),
(b'sec-ch-ua', b'"Chromium";v="124", "Microsoft Edge";v="124", "Not-A.Brand";v="99"'),
(b'sec-ch-ua-mobile', b'?0'),
(b'user-agent', b'Mozilla/5.0 ...[생략]... Edg/124.0.0.0'),
(b'sec-ch-ua-platform', b'"Windows"'),
(b'accept', b'image/avif,image/webp,image/apng,image/svg+xml,image/*,*/*;q=0.8'),
(b'sec-fetch-site', b'same-origin'),
(b'sec-fetch-mode', b'no-cors'),
(b'sec-fetch-dest', b'image'),
(b'referer', b'http://localhost:18090/'),
(b'accept-encoding', b'gzip, deflate, br, zstd'),
(b'accept-language', b'ko,en-US;q=0.9,en;q=0.8'),
(b'cookie', b'=YO0lT82...[생략]...S4InfWBtk2;')
],
'state': {},
'method': 'GET',
'path': '/favicon.ico',
'raw_path': b'/favicon.ico',
'query_string': b''
}
추가로 "event = await receive()" 코드로 받은 event에는 이런 값이 있습니다.
{
'type': 'http.request',
'body': b'',
'more_body': False
}
[이 글에 대해서 여러분들과 의견을 공유하고 싶습니다. 틀리거나 미흡한 부분 또는 의문 사항이 있으시면 언제든 댓글 남겨주십시오.]