Skip to content

Instantly share code, notes, and snippets.

@zr777
Created April 26, 2017 11:19
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save zr777/ce2b61cb849e8726fd61edb67ced5b28 to your computer and use it in GitHub Desktop.
Save zr777/ce2b61cb849e8726fd61edb67ced5b28 to your computer and use it in GitHub Desktop.
from aiohttp import web
TODOS = [
{
'name': 'Start this tutorial',
'finished': True
},
{
'name': 'Finish this tutorial',
'finished': False
}
]
def get_all_todos(request):
return web.json_response([
{'id': idx, **todo} for idx, todo in enumerate(TODOS)
])
def get_one_todo(request):
id = int(request.match_info['id'])
if id >= len(TODOS):
return web.json_response({'error': 'Todo not found'}, status=404)
return web.json_response({'id': id, **TODOS[id]})
async def create_todo(request):
data = dict(
await request.post()
)
# data = await request.json()
# json.decoder.JSONDecodeError: Expecting value: line 1 column 1 (char 0)
if 'name' not in data:
return web.json_response({'error': '"name" is a required field'})
name = data.get('name')
print(data)
if not isinstance(name, str) or not len(name):
return web.json_response(
{'error': '"name" must be a string with at least one character'})
data['finished'] = bool(data.get('finished', False))
TODOS.append(data)
new_id = len(TODOS) - 1
return web.Response(
headers={
'Location': str(request.app.router['one_todo'].url_for(id=new_id))
},
status=303
)
async def update_todo(request):
id = int(request.match_info['id'])
if id >= len(TODOS):
return web.json_response({'error': 'Todo not found'}, status=404)
data = await request.post()
if 'finished' not in data:
return web.json_response(
{'error': '"finished" is a required key'}, status=400)
TODOS[id]['finished'] = bool(data['finished'])
return web.Response(status=204)
def remove_todo(request):
id = int(request.match_info['id'])
if id >= len(TODOS):
return web.json_response({'error': 'Todo not found'})
del TODOS[id]
return web.Response(status=204)
def app_factory(args=()):
app = web.Application()
app.router.add_get('/todos/', get_all_todos, name='all_todos')
app.router.add_post('/todos/', create_todo, name='create_todo',
expect_handler=web.Request.json)
app.router.add_get('/todos/{id:\d+}', get_one_todo, name='one_todo')
app.router.add_patch('/todos/{id:\d+}', update_todo, name='update_todo')
app.router.add_delete('/todos/{id:\d+}', remove_todo, name='remove_todo')
return app
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment