Python Flask,TypeError:'dict'对象不可调用
Posted
技术标签:
【中文标题】Python Flask,TypeError:\'dict\'对象不可调用【英文标题】:Python Flask, TypeError: 'dict' object is not callablePython Flask,TypeError:'dict'对象不可调用 【发布时间】:2016-03-07 14:04:08 【问题描述】:有一个似乎很常见的问题,但我已经完成了我的研究,并没有看到它在任何地方被完全重现。当我打印json.loads(rety.text)
时,我看到了我需要的输出。然而,当我调用 return 时,它向我显示了这个错误。有任何想法吗?非常感谢您的帮助,谢谢。我正在使用烧瓶MethodHandler
。
class MHandler(MethodView):
def get(self):
handle = ''
tweetnum = 100
consumer_token = ''
consumer_secret = ''
access_token = '-'
access_secret = ''
auth = tweepy.OAuthHandler(consumer_token,consumer_secret)
auth.set_access_token(access_token,access_secret)
api = tweepy.API(auth)
statuses = api.user_timeline(screen_name=handle,
count= tweetnum,
include_rts=False)
pi_content_items_array = map(convert_status_to_pi_content_item, statuses)
pi_content_items = 'contentItems' : pi_content_items_array
saveFile = open("static/public/text/en.txt",'a')
for s in pi_content_items_array:
stat = s['content'].encode('utf-8')
print stat
trat = ''.join(i for i in stat if ord(i)<128)
print trat
saveFile.write(trat.encode('utf-8')+'\n'+'\n')
try:
contentFile = open("static/public/text/en.txt", "r")
fr = contentFile.read()
except Exception as e:
print "ERROR: couldn't read text file: %s" % e
finally:
contentFile.close()
return lookup.get_template("newin.html").render(content=fr)
def post(self):
try:
contentFile = open("static/public/text/en.txt", "r")
fd = contentFile.read()
except Exception as e:
print "ERROR: couldn't read text file: %s" % e
finally:
contentFile.close()
rety = requests.post('https://gateway.watsonplatform.net/personality-insights/api/v2/profile',
auth=('---', ''),
headers = "content-type": "text/plain",
data=fd
)
print json.loads(rety.text)
return json.loads(rety.text)
user_view = MHandler.as_view('user_api')
app.add_url_rule('/results2', view_func=user_view, methods=['GET',])
app.add_url_rule('/results2', view_func=user_view, methods=['POST',])
这是 Traceback(请记住结果在上面打印):
Traceback (most recent call last):
File "/Users/RZB/anaconda/lib/python2.7/site-packages/flask/app.py", line 1836, in __call__
return self.wsgi_app(environ, start_response)
File "/Users/RZB/anaconda/lib/python2.7/site-packages/flask/app.py", line 1820, in wsgi_app
response = self.make_response(self.handle_exception(e))
File "/Users/RZB/anaconda/lib/python2.7/site-packages/flask/app.py", line 1403, in handle_exception
reraise(exc_type, exc_value, tb)
File "/Users/RZB/anaconda/lib/python2.7/site-packages/flask/app.py", line 1817, in wsgi_app
response = self.full_dispatch_request()
File "/Users/RZB/anaconda/lib/python2.7/site-packages/flask/app.py", line 1478, in full_dispatch_request
response = self.make_response(rv)
File "/Users/RZB/anaconda/lib/python2.7/site-packages/flask/app.py", line 1577, in make_response
rv = self.response_class.force_type(rv, request.environ)
File "/Users/RZB/anaconda/lib/python2.7/site-packages/werkzeug/wrappers.py", line 841, in force_type
response = BaseResponse(*_run_wsgi_app(response, environ))
File "/Users/RZB/anaconda/lib/python2.7/site-packages/werkzeug/test.py", line 867, in run_wsgi_app
app_rv = app(environ, start_response)
【问题讨论】:
2021年的今天,要解决这个问题,你只需要升级flask到v2.x,命令如下:pip install flask --upgrade 或 python3 -m pip install flask --upgrade跨度> 【参考方案1】:Flask only expects views to return a response-like object. 这表示Response
、字符串或描述正文、代码和标题的元组。您正在返回一个字典,这不是其中之一。由于您要返回 JSON,因此返回正文中包含 JSON 字符串且内容类型为 application/json
的响应。
return app.response_class(rety.content, content_type='application/json')
在您的示例中,您已经有一个 JSON 字符串,即您发出的请求返回的内容。但是,如果要将 Python 结构转换为 JSON 响应,请使用 jsonify
:
data = 'name': 'davidism'
return jsonify(data)
在幕后,Flask 是一个 WSGI 应用程序,它希望传递可调用对象,这就是为什么您会收到特定错误:dict is not callable 并且 Flask 不知道如何将其转换为可调用对象.
【讨论】:
【参考方案2】:使用 Flask.jsonify 函数返回数据。
from flask import jsonify
# ...
return jsonify(data)
【讨论】:
【参考方案3】:如果您从 Flask 视图返回 data, status, headers
元组,当数据已经是响应对象时,Flask 当前会忽略状态代码和 content_type
标头,例如 jsonify
返回的内容。
这不会设置内容类型标头:
headers =
"Content-Type": "application/octet-stream",
"Content-Disposition": "attachment; filename=foobar.json"
return jsonify("foo": "bar"), 200, headers
改为使用flask.json.dumps
生成数据(这是jsonfiy
在内部使用的)。
from flask import json
headers =
"Content-Type": "application/octet-stream",
"Content-Disposition": "attachment; filename=foobar.json"
return json.dumps("foo": "bar"), 200, headers
或者使用响应对象:
response = jsonify("foo": "bar")
response.headers.set("Content-Type", "application/octet-stream")
return response
但是,如果您想按照这些示例显示的内容执行操作并将 JSON 数据作为下载提供,请改用 send_file
。
from io import BytesIO
from flask import json
data = BytesIO(json.dumps(data))
return send_file(data, mimetype="application/json", as_attachment=True, attachment_filename="data.json")
【讨论】:
【参考方案4】:对于flask 1.1.0 版,现在你可以返回dict
flask 会自动将其转换为 json 响应。
https://flask.palletsprojects.com/en/1.1.x/quickstart/#apis-with-json https://flask.palletsprojects.com/en/1.1.x/changelog/#version-1-1-0
【讨论】:
【参考方案5】:这不是尝试将响应json化,而是有效。
return response.content
【讨论】:
以上是关于Python Flask,TypeError:'dict'对象不可调用的主要内容,如果未能解决你的问题,请参考以下文章
Flask - TypeError:__ init __()缺少2个必需的位置参数:'name'和'user_id'
TypeError:在字符串格式化python Flask期间并非所有参数都转换了[重复]
TypeError:使用 Flask-JWT 时需要字符串或字节格式的密钥
Flask 视图引发 TypeError:'bool' 对象不可调用