向Flask Restful App发出请求时出现问题

时间:2019-05-25 15:13:03

标签: python python-3.x flask-restful

我有以下烧瓶API,该API仅返回其输入的回显:

from flask import Flask
from flask_restful import Resource, Api

app = Flask(__name__)
api = Api(app)

class query(Resource):

    def get(self, a_string):
        return{
        'original': a_string,
        'echo': a_string
        }

api.add_resource(query,'/echo/<a_string>')

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

然后,当我尝试使用python请求来查询我的api时:

import json
def query(text):    
    payload = {'echo': str(text)}
    headers = {'content-type': 'application/x-www-form-urlencoded'}
    r = requests.request("POST", 'http://127.0.0.1:5000', data=payload, headers=headers)
    print(r)
    #data = json.loads(r.text)
    #return data

query('hi')

我不断得到:

<Response [404]>

关于如何解决此问题的任何想法?有趣的是,当我进入浏览器并执行以下操作:

http://127.0.0.1:5000/echo/hi

我得到:

{"original": "hi", "echo": "hi"}

1 个答案:

答案 0 :(得分:1)

但是发送POST到/带有有效载荷{“ echo”:what}与发送GET到/ echo / whatever完全不同。您的API需要后者。

def query(text):
    r = requests.get("http://127.0.0.1:5000/echo/{}".format(text))

或者,更改您的API,使其确实期望:

class query(Resource):

    def post(self):
        a_string = request.form["echo"]
        return {
            'original': a_string,
            'echo': a_string
        }

api.add_resource(query, '/')