我使用Flask和我从get请求返回一个XML文件。如何设置内容类型为xml ?
e.g.
@app.route('/ajax_ddl')
def ajax_ddl():
xml = 'foo'
header("Content-type: text/xml")
return xml
我使用Flask和我从get请求返回一个XML文件。如何设置内容类型为xml ?
e.g.
@app.route('/ajax_ddl')
def ajax_ddl():
xml = 'foo'
header("Content-type: text/xml")
return xml
当前回答
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
其他回答
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
发送文件时
from flask import send_file
@app.route("/graph", methods = ['GET'])
def grafh():
return send_file('graph.png', mimetype='image/png', as_attachment=False)
如果您想预览它或下载它,请更改as_attachment
我喜欢并点赞了@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
我觉得这个稍微舒服一点。
就这么简单
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
您可以尝试以下方法(python3.6.2):
案例一:
@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
案例二:
@app.route('/hello')
def hello():
headers={ 'content-type':'text/plain' ,'location':'http://www.stackoverflow.com'}
return '<h1>hello world</h1>',301,headers
如果你想返回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)