web-dev-qa-db-ja.com

Python Flask、コンテンツタイプの設定方法

Flaskを使用していますが、getリクエストからXMLファイルを返します。コンテンツタイプを設定するにはどうすればよいですか?

例えば.

@app.route('/ajax_ddl')
def ajax_ddl():
    xml = 'foo'
    header("Content-type: text/xml")
    return xml
147
Tampa

このようにしてみてください:

from flask import Response
@app.route('/ajax_ddl')
def ajax_ddl():
    xml = 'foo'
    return Response(xml, mimetype='text/xml')

実際のContent-Typeは、mimetypeパラメーターと文字セット(デフォルトはUTF-8)に基づいています。

応答(および要求)オブジェクトはここに文書化されています: http://werkzeug.pocoo.org/docs/wrappers/

207
Simon Sapin

これと同じくらい簡単

x = "some data you want to return"
return x, 200, {'Content-Type': 'text/css; charset=utf-8'}

それが役に立てば幸い

更新:python 2.xとpython 3.xの両方で機能するため、このメソッドを使用します。

また、複数のヘッダーの問題もなくなります。

from flask import Response
r = Response(response="TEST OK", status=200, mimetype="application/xml")
r.headers["Content-Type"] = "text/xml; charset=utf-8"
return r
120
Harsh Daftary

@Simon Sapinの答えが好きで、賛成しました。しかし、やや異なるタックをとることになり、独自のデコレーターを作成しました。

from flask import Response
from functools import wraps

def returns_xml(f):
    @wraps(f)
    def decorated_function(*args, **kwargs):
        r = f(*args, **kwargs)
        return Response(r, content_type='text/xml; charset=utf-8')
    return decorated_function

次のように使用します:

@app.route('/ajax_ddl')
@returns_xml
def ajax_ddl():
    xml = 'foo'
    return xml

これは少し快適だと思います。

40
Michael Wolf

make_response method を使用して、データで応答を取得します。次に、 mimetype属性 を設定します。最後に、この応答を返します。

@app.route('/ajax_ddl')
def ajax_ddl():
    xml = 'foo'
    resp = app.make_response(xml)
    resp.mimetype = "text/xml"
    return resp

Responseを直接使用すると、app.response_classを設定して応答をカスタマイズする機会が失われます。 make_responseメソッドは、app.responses_classを使用して応答オブジェクトを作成します。これで、独自のクラスを作成し、アプリケーションがそれをグローバルに使用するように追加できます。

class MyResponse(app.response_class):
    def __init__(self, *args, **kwargs):
        super(MyResponse, self).__init__(*args, **kwargs)
        self.set_cookie("last-visit", time.ctime())

app.response_class = MyResponse  
21
from flask import Flask, render_template, make_response
app = Flask(__name__)

@app.route('/user/xml')
def user_xml():
    resp = make_response(render_template('xml/user.html', username='Ryan'))
    resp.headers['Content-type'] = 'text/xml; charset=utf-8'
    return resp
11
Ryan Liu

通常、 Response オブジェクトを作成する必要はありません。 make_response() が自動的に処理してくれるからです。

from flask import Flask, make_response                                      
app = Flask(__name__)                                                       

@app.route('/')                                                             
def index():                                                                
    bar = '<body>foo</body>'                                                
    response = make_response(bar)                                           
    response.headers['Content-Type'] = 'text/xml; charset=utf-8'            
    return response

もう1つ、 after_this_request について誰も言及していないようです。何か言いたいことがあります。

after_this_request

このリクエストの後に関数を実行します。これは、応答オブジェクトを変更するのに役立ちます。関数には応答オブジェクトが渡され、同じまたは新しいものを返す必要があります。

after_this_request で実行できます。コードは次のようになります。

from flask import Flask, after_this_request
app = Flask(__name__)

@app.route('/')
def index():
    @after_this_request
    def add_header(response):
        response.headers['Content-Type'] = 'text/xml; charset=utf-8'
        return response
    return '<body>foobar</body>'
5
lord63. j

次の方法を試すことができます(python3.6.2):

ケース1:

@app.route('/hello')
def hello():

    headers={ 'content-type':'text/plain' ,'location':'http://www.stackoverflow'}
    response = make_response('<h1>hello world</h1>',301)
    response.headers = headers
    return response

ケース2:

@app.route('/hello')
def hello():

    headers={ 'content-type':'text/plain' ,'location':'http://www.stackoverflow.com'}
    return '<h1>hello world</h1>',301,headers

Flaskを使用しています。jsonを返したい場合は、次のように記述できます。

import json # 
@app.route('/search/<keyword>')
def search(keyword):

    result = Book.search_by_keyword(keyword)
    return json.dumps(result),200,{'content-type':'application/json'}


from flask import jsonify
@app.route('/search/<keyword>')
def search(keyword):

    result = Book.search_by_keyword(keyword)
    return jsonify(result)
1
zhengGuo