我有一个python函数,它返回Flask jsonify对象。当我试图使用json或甚至get_json()读取返回的json()对象时,它会抛出错误。这是我的代码:

from flask import jsonify

def funct1(par1):
    if par1 == 'Hi':
       return jsonify(result=1,msg='Hello')
    else:
       return jsonify(result=0,msg='Sorry')

def func2():
    response = funct1('Hi')
    rsp_js = response.get_json() # This throws error
    print(rsp_js)

当我在上面执行时,我得到的错误是Response object has no attribute get_json。我也试过json(),但得到了同样的错误。如何读取返回的jsonify对象?
注:我有烧瓶版本0.12.2

最佳答案

get_json直到version 1.0才添加到烧瓶中的响应对象。在以前的版本中,您需要使用get_data

import json
json.loads(response.get_data().decode("utf-8"))

说到这里,我警告您不要直接从其他函数调用路由方法(除了测试),或者从非路由方法返回响应对象。
如果您试图测试此方法,则应考虑使用test_client
with app.test_client() as client:
    json.loads(client.get("the/url").get_data().decode("utf-8"))
    # ...

08-19 17:20