[譯]使用Flask實現RESTful API

原創譯文,如需轉載,請聯繫譯者。
個人簡書博客:nummyhtml

原文地址:Implementing a RESTful Web API with Python & Flaskjson

簡介

首先,安裝Flaskflask

pip install flask

閱讀這篇文章以前我假設你已經瞭解RESTful API的相關概念,若是不清楚,能夠閱讀我以前寫的這篇博客[Designing a RESTful Web API.](http://blog.luisrei.com/articles/rest.html)api

Flask是一個使用Python開發的基於Werkzeug的Web框架。
Flask很是適合於開發RESTful API,由於它具備如下特色:瀏覽器

  • 使用Python進行開發,Python簡潔易懂服務器

  • 容易上手app

  • 靈活框架

  • 能夠部署到不一樣的環境curl

  • 支持RESTful請求分發post

我通常是用curl命令進行測試,除此以外,還能夠使用Chrome瀏覽器的postman擴展。

資源

首先,我建立一個完整的應用,支持響應/, /articles以及/article/:id。

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命令發送請求:

curl http://127.0.0.1:5000/

響應結果分別以下所示:

GET /
Welcome

GET /articles
List of /articles

GET /articles/123
You are reading 123

路由中還能夠使用類型定義:

@app.route('/articles/<articleid>')

上面的路由能夠替換成下面的例子:

@app.route('/articles/<int:articleid>')
@app.route('/articles/<float:articleid>')
@app.route('/articles/<path:articleid>')

默認的類型爲字符串。

請求

請求參數

假設須要響應一個/hello請求,使用get方法,並傳遞參數name

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
請求方法

Flask支持不一樣的請求方法:

@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"

能夠使用以下命令進行測試:

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

不一樣請求方法的響應以下:

GET /echo
ECHO: GET

POST /ECHO
ECHO: POST
...
請求數據和請求頭

一般使用POST方法和PATCH方法的時候,都會發送附加的數據,這些數據的格式可能以下:普通文本(plain text), JSON,XML,二進制文件或者用戶自定義格式。
Flask中使用request.headers類字典對象來獲取請求頭信息,使用request.data 獲取請求數據,若是發送類型是application/json,則能夠使用request.get_json()來獲取JSON數據。

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 ;)"

使用以下命令指定請求數據類型進行測試:

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

使用下面的curl命令來發送一個文件:

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

不一樣數據類型的響應結果以下所示:

POST /messages {"message": "Hello Data"}
Content-type: application/json
JSON Message: {"message": "Hello Data"}

POST /message <message.bin>
Content-type: application/octet-stream
Binary message written!

注意Flask能夠經過request.files獲取上傳的文件,curl能夠使用-F選項模擬上傳文件的過程。

響應

Flask使用Response類處理響應。

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

使用-i選項能夠獲取響應信息:

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

返回的響應信息以下所示:

GET /hello
HTTP/1.0 200 OK
Content-Type: application/json
Content-Length: 31
Link: http://luisrei.com
Server: Werkzeug/0.8.2 Python/2.7.1
Date: Wed, 25 Apr 2012 16:40:27 GMT
{"hello": "world", "number": 3}

mimetype指定了響應數據的類型。
上面的過程能夠使用Flask提供的一個簡便方法實現:

from flask import jsonify
...
# 將下面的代碼替換成
resp = Response(js, status=200, mimetype='application/json')
# 這裏的代碼
resp = jsonify(data)
resp.status_code = 200
狀態碼和錯誤處理

若是成功響應的話,狀態碼爲200。對於404錯誤咱們能夠這樣處理:

@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()

測試上面的兩個URL,結果以下:

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"
}

默認的Flask錯誤處理能夠使用@error_handler修飾器進行覆蓋或者使用下面的方法:

app.error_handler_spec[None][404] = not_found

即便API不須要自定義錯誤信息,最好仍是像上面這樣作,由於Flask默認返回的錯誤信息是HTML格式的。

認證

使用下面的代碼能夠處理 HTTP Basic Authentication。

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

接下來只須要給路由增長@require_auth修飾器就能夠在請求以前進行認證了:

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

如今,若是沒有經過認證的話,響應以下所示:

GET /secrets
HTTP/1.0 401 UNAUTHORIZED
WWW-Authenticate: Basic realm="Example"
{
  "message": "Authenticate."
}

curl經過-u選項來指定HTTP basic authentication,使用-v選項打印請求頭:

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

響應結果以下:

GET /secrets Authorization: Basic YWRtaW46c2VjcmV0
Shhh this is top secret spy stuff!

Flask使用MultiDict來存儲頭部信息,爲了給客戶端展現不一樣的認證機制,能夠給header添加更多的WWW-Autheticate。

resp.headers['WWW-Authenticate'] = 'Basic realm="Example"'resp.headers.add('WWW-Authenticate', 'Bearer realm="Example"')

調試與日誌

經過設置debug=True來開啓調試信息:

app.run(debug=True)

使用Python的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"

CURL 命令參考

選項 做用
-X 指定HTTP請求方法,如POST,GET
-H 指定請求頭,例如Content-type:application/json
-d 指定請求數據
--data-binary 指定發送的文件
-i 顯示響應頭部信息
-u 指定認證用戶名與密碼
-v 輸出請求頭部信息
相關文章
相關標籤/搜索