asyncio
能夠實現單線程併發IO操做。若是僅用在客戶端,發揮的威力不大。若是把asyncio
用在服務器端,例如Web服務器,因爲HTTP鏈接就是IO操做,所以能夠用單線程+coroutine
實現多用戶的高併發支持。python
asyncio
實現了TCP、UDP、SSL等協議,aiohttp
則是基於asyncio
實現的HTTP框架。web
咱們先安裝aiohttp
:服務器
pip install aiohttp
而後編寫一個HTTP服務器,分別處理如下URL:併發
/
- 首頁返回b'<h1>Index</h1>'
;app
/hello/{name}
- 根據URL參數返回文本hello, %s!
。框架
代碼以下:async
import asyncio from aiohttp import web async def index(request): await asyncio.sleep(0.5) return web.Response(body=b'<h1>Index</h1>') async def hello(request): await asyncio.sleep(0.5) text = '<h1>hello, %s!</h1>' % request.match_info['name'] return web.Response(body=text.encode('utf-8')) async def init(loop): app = web.Application(loop=loop) app.router.add_route('GET', '/', index) app.router.add_route('GET', '/hello/{name}', hello) srv = await loop.create_server(app.make_handler(), '127.0.0.1', 8000) print('Server started at http://127.0.0.1:8000...') return srv loop = asyncio.get_event_loop() loop.run_until_complete(init(loop)) loop.run_forever()
注意aiohttp
的初始化函數init()
也是一個coroutine
,loop.create_server()
則利用asyncio
建立TCP服務。函數