123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183 |
- import asyncio
- import os
- from operator import itemgetter
- from pathlib import Path
- from random import randint, sample
- from urllib.parse import parse_qs
- import asyncpg
- import jinja2
- import orjson
- async def pg_setup():
- global pool
- pool = await asyncpg.create_pool(
- user=os.getenv('PGUSER', 'benchmarkdbuser'),
- password=os.getenv('PGPASS', 'benchmarkdbpass'),
- database='hello_world',
- host='tfb-database',
- port=5432
- )
- SQL_SELECT = 'SELECT "randomnumber", "id" FROM "world" WHERE id = $1'
- SQL_UPDATE = 'UPDATE "world" SET "randomnumber"=$1 WHERE id=$2'
- ROW_ADD = [0, 'Additional fortune added at request time.']
- JSON_RESPONSE = {
- 'type': 'http.response.start',
- 'status': 200,
- 'headers': [
- [b'content-type', b'application/json'],
- ]
- }
- HTML_RESPONSE = {
- 'type': 'http.response.start',
- 'status': 200,
- 'headers': [
- [b'content-type', b'text/html; charset=utf-8'],
- ]
- }
- PLAINTEXT_RESPONSE = {
- 'type': 'http.response.start',
- 'status': 200,
- 'headers': [
- [b'content-type', b'text/plain; charset=utf-8'],
- ]
- }
- pool = None
- key = itemgetter(1)
- json_dumps = orjson.dumps
- with Path('templates/fortune.html').open('r') as f:
- template = jinja2.Template(f.read())
- asyncio.get_event_loop().run_until_complete(pg_setup())
- def get_num_queries(scope):
- try:
- query_string = scope['query_string']
- query_count = int(parse_qs(query_string)[b'queries'][0])
- except (KeyError, IndexError, ValueError):
- return 1
- if query_count < 1:
- return 1
- if query_count > 500:
- return 500
- return query_count
- async def route_json(scope, receive, send):
- await send(JSON_RESPONSE)
- await send({
- 'type': 'http.response.body',
- 'body': json_dumps({'message': 'Hello, world!'}),
- 'more_body': False
- })
- async def route_db(scope, receive, send):
- row_id = randint(1, 10000)
- async with pool.acquire() as connection:
- number = await connection.fetchval(SQL_SELECT, row_id)
- await send(JSON_RESPONSE)
- await send({
- 'type': 'http.response.body',
- 'body': json_dumps({'id': row_id, 'randomNumber': number}),
- 'more_body': False
- })
- async def route_queries(scope, receive, send):
- num_queries = get_num_queries(scope)
- row_ids = sample(range(1, 10000), num_queries)
- worlds = []
- async with pool.acquire() as connection:
- statement = await connection.prepare(SQL_SELECT)
- for row_id in row_ids:
- number = await statement.fetchval(row_id)
- worlds.append({'id': row_id, 'randomNumber': number})
- await send(JSON_RESPONSE)
- await send({
- 'type': 'http.response.body',
- 'body': json_dumps(worlds),
- 'more_body': False
- })
- async def route_fortunes(scope, receive, send):
- async with pool.acquire() as connection:
- fortunes = await connection.fetch('SELECT * FROM Fortune')
- fortunes.append(ROW_ADD)
- fortunes.sort(key=key)
- content = template.render(fortunes=fortunes).encode('utf-8')
- await send(HTML_RESPONSE)
- await send({
- 'type': 'http.response.body',
- 'body': content,
- 'more_body': False
- })
- async def route_updates(scope, receive, send):
- num_queries = get_num_queries(scope)
- updates = list(zip(
- sample(range(1, 10000), num_queries),
- sorted(sample(range(1, 10000), num_queries))
- ))
- worlds = [{'id': row_id, 'randomNumber': number} for row_id, number in updates]
- async with pool.acquire() as connection:
- statement = await connection.prepare(SQL_SELECT)
- for row_id, _ in updates:
- await statement.fetchval(row_id)
- await connection.executemany(SQL_UPDATE, updates)
- await send(JSON_RESPONSE)
- await send({
- 'type': 'http.response.body',
- 'body': json_dumps(worlds),
- 'more_body': False
- })
- async def route_plaintext(scope, receive, send):
- await send(PLAINTEXT_RESPONSE)
- await send({
- 'type': 'http.response.body',
- 'body': b'Hello, world!',
- 'more_body': False
- })
- async def handle_404(scope, receive, send):
- await send(PLAINTEXT_RESPONSE)
- await send({
- 'type': 'http.response.body',
- 'body': b'Not found',
- 'more_body': False
- })
- routes = {
- '/json': route_json,
- '/db': route_db,
- '/queries': route_queries,
- '/fortunes': route_fortunes,
- '/updates': route_updates,
- '/plaintext': route_plaintext
- }
- def main(scope, receive, send):
- handler = routes.get(scope['path'], handle_404)
- return handler(scope, receive, send)
|