使用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根据路径导入模块的方法
Sep 30 Python
Python中使用select模块实现非阻塞的IO
Feb 03 Python
Python中asyncore异步模块的用法及实现httpclient的实例
Jun 28 Python
Python实现PS图像明亮度调整效果示例
Jan 23 Python
Python爬虫之正则表达式基本用法实例分析
Aug 08 Python
Python开发的十个小贴士和技巧及长常犯错误
Sep 27 Python
Python操作注册表详细步骤介绍
Feb 05 Python
基于python实现上传文件到OSS代码实例
May 09 Python
Python中flatten( ),matrix.A用法说明
Jul 05 Python
python 使用三引号时容易犯的小错误
Oct 21 Python
关于多种方式完美解决Python pip命令下载第三方库的问题
Dec 21 Python
python基础之文件操作
Oct 24 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
Re:从零开始的异世界生活 第2季 开播啦
2020/07/24 日漫
玩转虚拟域名◎+ .
2006/10/09 PHP
php模板原理讲解
2013/11/13 PHP
PHP按指定键值对二维数组进行排序的方法
2015/12/22 PHP
php结合web uploader插件实现分片上传文件
2016/05/10 PHP
最好用的省市二级联动 原生js实现你值得拥有
2013/09/22 Javascript
js实现二代身份证号码验证详解
2014/11/20 Javascript
jQuery实现多按钮单击变色
2014/11/27 Javascript
解析JavaScript面向对象概念中的Object类型与作用域
2016/05/10 Javascript
微信小程序 网络API发起请求详解
2016/11/09 Javascript
JavaScript之cookie技术详解
2016/11/18 Javascript
js实现音频控制进度条功能
2017/04/01 Javascript
JavaScript数据结构与算法之检索算法示例【二分查找法、计算重复次数】
2019/02/22 Javascript
解决vue的router组件component在import时不能使用变量问题
2020/07/26 Javascript
python正则表达式判断字符串是否是全部小写示例
2013/12/25 Python
python求斐波那契数列示例分享
2014/02/14 Python
用Python代码来解图片迷宫的方法整理
2015/04/02 Python
详解在Python程序中使用Cookie的教程
2015/04/30 Python
python中正则的使用指南
2016/12/04 Python
基于使用paramiko执行远程linux主机命令(详解)
2017/10/16 Python
python实现简易内存监控
2018/06/21 Python
python实现截取屏幕保存文件,删除N天前截图的例子
2019/08/27 Python
对Django的restful用法详解(自带的增删改查)
2019/08/28 Python
python自动化测试无法启动谷歌浏览器问题
2019/10/10 Python
Keras模型转成tensorflow的.pb操作
2020/07/06 Python
HTML+CSS3+JS 实现的下拉菜单
2020/11/25 HTML / CSS
解决canvas转base64/jpeg时透明区域变成黑色背景的方法
2016/10/23 HTML / CSS
巴西最大的体育用品商城:Netshoes巴西
2016/11/29 全球购物
交通专业个人自荐信格式
2013/09/23 职场文书
国际会议邀请函范文
2014/01/16 职场文书
优秀党员学习焦裕禄精神思想汇报范文
2014/09/10 职场文书
庆六一宣传标语
2014/10/08 职场文书
关于运动会广播稿50字
2014/10/18 职场文书
临床医学生职业规划书范文
2014/10/25 职场文书
五年级作文之成长
2019/09/16 职场文书
redis缓存存储Session原理机制
2021/11/20 Redis