2017-01-04 15:29:09 +00:00
|
|
|
import os
|
|
|
|
import asyncio
|
|
|
|
|
|
|
|
import uvloop
|
2017-03-11 23:52:28 +00:00
|
|
|
from asyncpg import connect, create_pool
|
2017-01-04 15:29:09 +00:00
|
|
|
|
|
|
|
from sanic import Sanic
|
|
|
|
from sanic.response import json
|
|
|
|
|
|
|
|
DB_CONFIG = {
|
2017-01-04 15:30:29 +00:00
|
|
|
'host': '<host>',
|
2017-03-08 03:31:44 +00:00
|
|
|
'user': '<user>',
|
2017-01-04 15:30:29 +00:00
|
|
|
'password': '<password>',
|
|
|
|
'port': '<port>',
|
|
|
|
'database': '<database>'
|
2017-01-04 15:29:09 +00:00
|
|
|
}
|
|
|
|
|
2017-03-11 23:52:28 +00:00
|
|
|
|
2017-01-04 15:29:09 +00:00
|
|
|
def jsonify(records):
|
2017-01-22 02:26:32 +00:00
|
|
|
"""
|
|
|
|
Parse asyncpg record response into JSON format
|
2017-01-04 15:29:09 +00:00
|
|
|
"""
|
2017-03-08 03:31:44 +00:00
|
|
|
return [dict(r.items()) for r in records]
|
2017-01-04 15:29:09 +00:00
|
|
|
|
2017-03-11 23:52:28 +00:00
|
|
|
|
2017-01-04 15:29:09 +00:00
|
|
|
app = Sanic(__name__)
|
|
|
|
|
|
|
|
|
2017-03-11 23:52:28 +00:00
|
|
|
@app.listener('before_server_start')
|
|
|
|
async def register_db(app, loop):
|
|
|
|
app.pool = await create_pool(**DB_CONFIG, loop=loop, max_size=100)
|
|
|
|
async with app.pool.acquire() as connection:
|
|
|
|
await connection.execute('DROP TABLE IF EXISTS sanic_post')
|
|
|
|
await connection.execute("""CREATE TABLE sanic_post (
|
|
|
|
id serial primary key,
|
|
|
|
content varchar(50),
|
|
|
|
post_date timestamp
|
|
|
|
);""")
|
|
|
|
for i in range(0, 1000):
|
|
|
|
await connection.execute(f"""INSERT INTO sanic_post
|
|
|
|
(id, content, post_date) VALUES ({i}, {i}, now())""")
|
|
|
|
|
|
|
|
|
|
|
|
@app.get('/')
|
|
|
|
async def root_get(request):
|
|
|
|
async with app.pool.acquire() as connection:
|
|
|
|
results = await connection.fetch('SELECT * FROM sanic_post')
|
|
|
|
return json({'posts': jsonify(results)})
|
2017-01-04 15:29:09 +00:00
|
|
|
|
|
|
|
if __name__ == '__main__':
|
2017-03-11 23:52:28 +00:00
|
|
|
app.run(host='127.0.0.1', port=8080)
|