我从Flask应用程序中获得了以下代码:
def getExchangeRates():
""" Here we have the function that will retrieve the latest rates from fixer.io """
rates = []
response = urlopen('http://data.fixer.io/api/latest?access_key=c2f5070ad78b0748111281f6475c0bdd')
data = response.read()
rdata = json.loads(data.decode(), parse_float=float)
rates_from_rdata = rdata.get('rates', {})
for rate_symbol in ['USD', 'GBP', 'HKD', 'AUD', 'JPY', 'SEK', 'NOK']:
try:
rates.append(rates_from_rdata[rate_symbol])
except KeyError:
logging.warning('rate for {} not found in rdata'.format(rate_symbol))
pass
return rates
@app.route("/" , methods=['GET', 'POST'])
def index():
rates = getExchangeRates()
return render_template('index.html',**locals())
例如,@app.route
装饰器被urls.py
文件代替,您可以在其中指定路由,但是现在,如何使methods=['GET', 'POST']
行适应Django方式呢?
我对此有些困惑,有什么想法吗?
答案 0 :(得分:4)
如果在django中使用基于函数的视图,则不必显式限制请求类型。
您只需在视图中检查request.method
,然后if request.method == POST
处理POST
请求;否则,默认情况下,您将处理GET
请求。
但是,如果使用Django,我强烈建议移至基于类的视图(https://docs.djangoproject.com/en/2.1/topics/class-based-views/)。他们确实提供了一个非常好的样板。
答案 1 :(得分:2)
但是现在,如何使
methods=['GET', 'POST']
行适应Django方式?
如果仅是为了防止使用其他方法(例如PUT,PATCH等)调用视图,则可以使用require_http_methods
decorator [Django-doc]:
from django.views.decorators.http import require_http_methods
@require_http_methods(['GET', 'POST'])
def index(request):
rates = getExchangeRates()
return render_template('index.html',**locals())
如果您想使用此功能将不同的方法“路由”到不同的功能,则可以使用class-based view [Django-doc]。