記録として、Python から POST リクエストを作成するための一般的なコードを次に示します。
#make a POST request
import requests
dictToSend = {'question':'what is the answer?'}
res = requests.post('http://localhost:5000/tests/endpoint', json=dictToSend)
print 'response from server:',res.text
dictFromServer = res.json()
json=
オプションを使用して Python dict を渡していることに注意してください。これにより、要求ライブラリに 2 つのことを行うように都合よく伝えられます。
- dict を JSON にシリアライズする
- HTTP ヘッダーに正しい MIME タイプ ('application/json') を書き込みます
そして、その POST リクエストを受信して応答する Flask アプリケーションを次に示します。
#handle a POST request
from flask import Flask, render_template, request, url_for, jsonify
app = Flask(__name__)
@app.route('/tests/endpoint', methods=['POST'])
def my_test_endpoint():
input_json = request.get_json(force=True)
# force=True, above, is necessary if another developer
# forgot to set the MIME type to 'application/json'
print 'data from client:', input_json
dictToReturn = {'answer':42}
return jsonify(dictToReturn)
if __name__ == '__main__':
app.run(debug=True)