full_todo.py 1.9 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182
  1. #!/bin/env python
  2. from flask import Flask
  3. from flask_restful import reqparse, abort, Api, Resource
  4. from flask_httpauth import HTTPBasicAuth
  5. auth = HTTPBasicAuth()
  6. @auth.get_password
  7. def get_password(username):
  8. if username == 'admin':
  9. return '12345'
  10. return None
  11. @auth.error_handler
  12. def unauthorized():
  13. return abort(401, message='Unauthorized access')
  14. app = Flask(__name__)
  15. api = Api(app)
  16. TODOS = {
  17. 'todo1': {'task': 'build an API'},
  18. 'todo2': {'task': '?????'},
  19. 'todo3': {'task': 'profit!'},
  20. }
  21. def abort_if_todo_doesnt_exist(todo_id):
  22. if todo_id not in TODOS:
  23. abort(404, message="Todo {} doesn't exist".format(todo_id))
  24. parser = reqparse.RequestParser()
  25. parser.add_argument('task')
  26. # Todo
  27. # shows a single todo item and lets you delete a todo item
  28. class Todo(Resource):
  29. def get(self, todo_id):
  30. abort_if_todo_doesnt_exist(todo_id)
  31. return TODOS[todo_id]
  32. def delete(self, todo_id):
  33. abort_if_todo_doesnt_exist(todo_id)
  34. del TODOS[todo_id]
  35. return '', 204
  36. @auth.login_required
  37. def put(self, todo_id):
  38. args = parser.parse_args()
  39. t = args['task']
  40. if t is None:
  41. abort(400, message="I need text for the task. task=...")
  42. task = {'task': args['task']}
  43. TODOS[todo_id] = task
  44. return task, 201
  45. # TodoList
  46. # shows a list of all todos, and lets you POST to add new tasks
  47. class TodoList(Resource):
  48. def get(self):
  49. return TODOS
  50. def post(self):
  51. args = parser.parse_args()
  52. todo_id = int(max(TODOS.keys()).lstrip('todo')) + 1
  53. todo_id = 'todo%i' % todo_id
  54. TODOS[todo_id] = {'task': args['task']}
  55. return TODOS[todo_id], 201
  56. ##
  57. ## Actually setup the Api resource routing here
  58. ##
  59. api.add_resource(TodoList, '/todos')
  60. api.add_resource(Todo, '/todos/<todo_id>')
  61. if __name__ == '__main__':
  62. app.run(port=11022, debug=True)