File: aiohttp_example.py

package info (click to toggle)
python-motor 3.7.1-1
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid
  • size: 1,572 kB
  • sloc: python: 12,252; javascript: 137; makefile: 74; sh: 8
file content (59 lines) | stat: -rw-r--r-- 1,413 bytes parent folder | download | duplicates (2)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
# These comments let tutorial-asyncio.rst include this code in sections.
# -- setup-start --
from aiohttp import web

from motor.motor_asyncio import AsyncIOMotorClient


async def setup_db():
    db = AsyncIOMotorClient().test
    await db.pages.drop()
    html = "<html><body>{}</body></html>"
    await db.pages.insert_one({"_id": "page-one", "body": html.format("Hello!")})

    await db.pages.insert_one({"_id": "page-two", "body": html.format("Goodbye.")})

    return db


# -- setup-end --


# -- handler-start --
async def page_handler(request):
    # If the visitor gets "/pages/page-one", then page_name is "page-one".
    page_name = request.match_info.get("page_name")

    # Retrieve the long-lived database handle.
    db = request.app["db"]

    # Find the page by its unique id.
    document = await db.pages.find_one(page_name)

    if not document:
        return web.HTTPNotFound(text=f"No page named {page_name!r}")

    return web.Response(body=document["body"].encode(), content_type="text/html")


# -- handler-end --


# -- main-start --
async def init_connection():
    db = await setup_db()
    app = web.Application()
    app["db"] = db
    # Route requests to the page_handler() coroutine.
    app.router.add_get("/pages/{page_name}", page_handler)
    return app


def main():
    app = init_connection()
    web.run_app(app)


if __name__ == "__main__":
    main()
# -- main-end --