Python Flask, TypeError: 'dict' 개체를 호출할 수 없습니다.
일반적인 것 같은 문제가 있는 것 같습니다만, 조사를 해봤지만, 어느 곳에서도 재현되고 있다고는 생각되지 않습니다.인쇄할 때json.loads(rety.text)
필요한 출력이 표시됩니다.그러나 리턴을 호출하면 이 오류가 표시됩니다.좋은 생각 있어요?도와주셔서 대단히 감사합니다.플라스크를 사용하고 있습니다.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 (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)
Flask는 뷰가 반응과 유사한 개체를 반환할 것으로 예상합니다.즉,Response
본문, 코드 및 헤더를 나타내는 문자열 또는 태플.당신은 받아쓰기를 돌려주고 있지만, 그건 그런 게 아니에요.JSON을 반환하는 경우 본문에 JSON 문자열이 있고 다음 콘텐츠 유형이 포함된 응답을 반환하십시오.application/json
.
return app.response_class(rety.content, content_type='application/json')
이 예에서는 이미 JSON 문자열이 있습니다.JSON 문자열은 요청에 의해 반환된 콘텐츠입니다.그러나 Python 구조를 JSON 응답으로 변환하려면jsonify
:
data = {'name': 'davidism'}
return jsonify(data)
배후에서 Flask는 WSGI 어플리케이션으로 호출 가능한 오브젝트를 전달하기 때문에 특정 에러가 발생합니다.즉, dict는 호출할 수 없고 Flask는 그것을 어떻게 변환하는지를 알 수 없습니다.
Flask.jsonify 함수를 사용하여 데이터를 반환합니다.
from flask import jsonify
# ...
return jsonify(data)
a를 반환할 경우data, status, headers
플라스크 뷰에서 튜플, 플라스크는 현재 상태 코드를 무시하고 있습니다.content_type
데이터가 이미 응답 개체인 경우(예: 무엇을 포함)jsonify
돌아온다.
content-type 헤더는 설정되지 않습니다.
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")
플라스크 버전 1.1.0의 경우 dict를 반환할 수 있습니다.
플라스크는 자동으로 json response로 변환됩니다.
https://flask.palletsprojects.com/en/1.1.x/quickstart/ #json과 함께 다운로드 https://flask.palletsprojects.com/en/1.1.x/changelog/ #version-1-1-0
응답을 jsonify하려고 하는 대신, 이것은 효과가 있었습니다.
return response.content
언급URL : https://stackoverflow.com/questions/34057851/python-flask-typeerror-dict-object-is-not-callable
'programing' 카테고리의 다른 글
Spring Boot - Bean Definition Override예외:잘못된 콩 정의 (0) | 2023.03.31 |
---|---|
jQuery Ajax 호출 및 HTML.위조 방지토큰() (0) | 2023.03.31 |
Woocommerce 업데이트 카트 버튼 작업 후 실행 중인 후크 (0) | 2023.03.26 |
woocommerce 사이트의 제품 목록에 있는 빠른 편집 옵션에 사용자 지정 제품 필드 추가 (0) | 2023.03.26 |
키 값 쌍의 유형 스크립트 맵을 정의하는 방법.여기서 key는 숫자이고 value는 개체의 배열입니다. (0) | 2023.03.26 |