使用Python & Flask 实现RESTful Web API的实例


Posted in Python onSeptember 19, 2017

环境安装:

sudo pip install flask

Flask 是一个Python的微服务的框架,基于Werkzeug, 一个 WSGI 类库。

Flask 优点:

Written in Python (that can be an advantage);
Simple to use;
Flexible;
Multiple good deployment options;
RESTful request dispatching

RESOURCES

一个响应 /articles 和 /articles/:id的 API 服务:

from flask import Flask, url_for
app = Flask(__name__)

@app.route('/')
def api_root():
 return 'Welcome'

@app.route('/articles')
def api_articles():
 return 'List of ' + url_for('api_articles')

@app.route('/articles/<articleid>')
def api_article(articleid):
 return 'You are reading ' + articleid

if __name__ == '__main__':
 app.run()

请求:

curl http://127.0.0.1:5000/

响应:

GET /
Welcome

GET /articles
List of /articles

GET /articles/123
You are reading 123

REQUESTS

GET Parameters

from flask import request

@app.route('/hello')
def api_hello():
 if 'name' in request.args:
  return 'Hello ' + request.args['name']
 else:
  return 'Hello John Doe'

请求:

GET /hello
Hello John Doe

GET /hello?name=Luis
Hello Luis

Request Methods (HTTP Verbs)

@app.route('/echo', methods = ['GET', 'POST', 'PATCH', 'PUT', 'DELETE'])
def api_echo():
 if request.method == 'GET':
  return "ECHO: GET\n"

 elif request.method == 'POST':
  return "ECHO: POST\n"

 elif request.method == 'PATCH':
  return "ECHO: PACTH\n"

 elif request.method == 'PUT':
  return "ECHO: PUT\n"

 elif request.method == 'DELETE':
  return "ECHO: DELETE"

请求指定request type:

curl -X PATCH http://127.0.0.1:5000/echo
GET /echo
ECHO: GET

POST /ECHO
ECHO: POST

Request Data & Headers

from flask import json

@app.route('/messages', methods = ['POST'])
def api_message():

 if request.headers['Content-Type'] == 'text/plain':
  return "Text Message: " + request.data

 elif request.headers['Content-Type'] == 'application/json':
  return "JSON Message: " + json.dumps(request.json)

 elif request.headers['Content-Type'] == 'application/octet-stream':
  f = open('./binary', 'wb')
  f.write(request.data)
    f.close()
  return "Binary message written!"

 else:
  return "415 Unsupported Media Type ;)"

请求指定content type:

curl -H "Content-type: application/json" \
-X POST http://127.0.0.1:5000/messages -d '{"message":"Hello Data"}'

curl -H "Content-type: application/octet-stream" \
-X POST http://127.0.0.1:5000/messages --data-binary @message.bin

RESPONSES

from flask import Response

@app.route('/hello', methods = ['GET'])
def api_hello():
 data = {
  'hello' : 'world',
  'number' : 3
 }
 js = json.dumps(data)

 resp = Response(js, status=200, mimetype='application/json')
 resp.headers['Link'] = 'http://luisrei.com'

 return resp

查看response HTTP headers:

curl -i http://127.0.0.1:5000/hello

优化代码:

from flask import jsonify

使用

resp = jsonify(data)
resp.status_code = 200

替换

resp = Response(js, status=200, mimetype='application/json')

Status Codes & Errors

@app.errorhandler(404)
def not_found(error=None):
 message = {
   'status': 404,
   'message': 'Not Found: ' + request.url,
 }
 resp = jsonify(message)
 resp.status_code = 404

 return resp

@app.route('/users/<userid>', methods = ['GET'])
def api_users(userid):
 users = {'1':'john', '2':'steve', '3':'bill'}
 
 if userid in users:
  return jsonify({userid:users[userid]})
 else:
  return not_found()

请求:

GET /users/2
HTTP/1.0 200 OK
{
"2": "steve"
}

GET /users/4
HTTP/1.0 404 NOT FOUND
{
"status": 404,
"message": "Not Found: http://127.0.0.1:5000/users/4"
}

AUTHORIZATION

from functools import wraps

def check_auth(username, password):
 return username == 'admin' and password == 'secret'

def authenticate():
 message = {'message': "Authenticate."}
 resp = jsonify(message)

 resp.status_code = 401
 resp.headers['WWW-Authenticate'] = 'Basic realm="Example"'

 return resp

def requires_auth(f):
 @wraps(f)
 def decorated(*args, **kwargs):
  auth = request.authorization
  if not auth: 
   return authenticate()

  elif not check_auth(auth.username, auth.password):
   return authenticate()
  return f(*args, **kwargs)

 return decorated

replacing the check_auth function and using the requires_auth decorator:

@app.route('/secrets')
@requires_auth
def api_hello():
return "Shhh this is top secret spy stuff!"
HTTP basic authentication:

curl -v -u "admin:secret" http://127.0.0.1:5000/secrets

SIMPLE DEBUG & LOGGING

Debug:

app.run(debug=True)
Logging:

import logging
file_handler = logging.FileHandler('app.log')
app.logger.addHandler(file_handler)
app.logger.setLevel(logging.INFO)

@app.route('/hello', methods = ['GET'])
def api_hello():
 app.logger.info('informing')
 app.logger.warning('warning')
 app.logger.error('screaming bloody murder!')
 
 return "check your logs\n"

以上这篇使用Python & Flask 实现RESTful Web API的实例就是小编分享给大家的全部内容了,希望能给大家一个参考,也希望大家多多支持三水点靠木。

Python 相关文章推荐
探究Python多进程编程下线程之间变量的共享问题
May 05 Python
Python实现比较两个列表(list)范围
Jun 12 Python
Python编程中的文件读写及相关的文件对象方法讲解
Jan 19 Python
利用ctypes提高Python的执行速度
Sep 09 Python
恢复百度云盘本地误删的文件脚本(简单方法)
Oct 21 Python
Python3+django2.0+apache2+ubuntu14部署网站上线的方法
Jul 07 Python
python实现简单登陆系统
Oct 18 Python
python装饰器简介---这一篇也许就够了(推荐)
Apr 01 Python
Python-while 计算100以内奇数和的方法
Jun 11 Python
python构造函数init实例方法解析
Jan 19 Python
Python逐行读取文件内容的方法总结
Feb 14 Python
Android Q之气泡弹窗的实现示例
Jun 23 Python
python基本语法练习实例
Sep 19 #Python
基于python3 类的属性、方法、封装、继承实例讲解
Sep 19 #Python
浅谈python中列表、字符串、字典的常用操作
Sep 19 #Python
Python 文件操作的详解及实例
Sep 18 #Python
python Socket之客户端和服务端握手详解
Sep 18 #Python
Python基于time模块求程序运行时间的方法
Sep 18 #Python
Python使用当前时间、随机数产生一个唯一数字的方法
Sep 18 #Python
You might like
风味层面去分析咖啡油脂
2021/03/03 咖啡文化
php短信接口代码
2016/05/13 PHP
jQuery Study Notes学习笔记 (二)
2010/08/04 Javascript
javascript学习笔记(九)javascript中的原型(prototype)及原型链的继承方式
2011/04/12 Javascript
javascript setTimeout和setInterval计时的区别详解
2013/06/21 Javascript
JS阻止用户多次提交示例代码
2014/03/26 Javascript
jquery实现增加删除行的方法
2015/02/03 Javascript
jQuery中extend函数详解
2015/07/13 Javascript
javascript获取网页各种高宽及位置的方法总结
2016/07/27 Javascript
关于动态生成dom绑定事件失效的原因及解决方法
2016/08/06 Javascript
AngularJS 整理一些优化的小技巧
2016/08/18 Javascript
JS解决移动web开发手机输入框弹出的问题
2017/03/31 Javascript
微信小程序登录态控制深入分析
2017/04/12 Javascript
详解webpack进阶之插件篇
2017/07/06 Javascript
详解Angularjs 自定义指令中的数据绑定
2018/07/19 Javascript
详解jQuery设置内容和属性
2019/04/11 jQuery
小程序实现分类页
2019/07/12 Javascript
JS实现压缩上传图片base64长度功能
2019/12/03 Javascript
原生JS生成指定位数的验证码
2020/10/28 Javascript
js实现筛选功能
2020/11/24 Javascript
python正则匹配查询港澳通行证办理进度示例分享
2013/12/27 Python
Python的爬虫程序编写框架Scrapy入门学习教程
2016/07/02 Python
为什么选择python编程语言入门黑客攻防 给你几个理由!
2018/02/02 Python
python3+PyQt5实现自定义分数滑块部件
2018/04/24 Python
python验证码识别教程之滑动验证码
2018/06/04 Python
解决pip install的时候报错timed out的问题
2018/06/12 Python
Python从使用线程到使用async/await的深入讲解
2018/09/16 Python
详解Django定时任务模块设计与实践
2019/07/24 Python
使用python计算三角形的斜边例子
2020/04/15 Python
利用Python的folium包绘制城市道路图的实现示例
2020/08/24 Python
美国内衣第一品牌:Hanes(恒适)
2016/07/29 全球购物
出门问问全球官方商城:Tichome音箱和TicWatch智能手表
2017/12/02 全球购物
软件缺陷的分类都有哪些
2014/08/22 面试题
学习党课思想汇报
2013/12/29 职场文书
创新比赛获奖感言
2014/02/13 职场文书
2016学雷锋优秀志愿者事迹材料
2016/02/25 职场文书