TL;DR在这种情况下,我想我会选择使用我现在的4个选项
我将介绍4种选择,其中一些可能比其他更可行。在
如果您担心execute表示的代码存在代码重复(DRY),您可以简单地定义一个两个路由都可以调用的函数:def execute():
# execute, return a value if needed
pass
@app.route('/')
def index():
execute()
return render_template('index.html', body=body, block=block)
@app.route('/api/')
def api():
execute()
return 'api'
这可能就是你想要的。在
但是,如果你想为同一个功能提供两条路径,你也可以这样做,只要记住它们是从上到下扫描的。显然,使用这种方法,您不能返回2个不同的值。在
^{pr2}$
一个3rd选项,对于您正在寻找的内容来说,这可能是一个过度的(和/或麻烦的)选项,但为了完整起见,我将提到它。在
可以使用具有可选值的单个路由,然后决定要返回的内容:@app.route('/')
@app.route('/
/')def index(address=None):
# execute
if address is None:
return render_template('index.html', body=body, block=block)
elif address == 'api':
return 'api'
else:
return 'invalid value' # or whatever else you deem appropriate
一个4th(最后,我保证)选项是将这两条路由指向同一个函数,然后使用request对象来查找客户端请求的路由:from flask import Flask, request
@app.route('/')
@app.route('/api')
def index():
# execute
if request.path == '/api':
return 'api'
return render_template('index.html', body=body, block=block)