在Flask中,您可以在方法声明之上编写路由,如下所示:
@app.route('/search/<location>/')
def search():
return render_template('search.html')
然而,在HTML中,表单会以这种方式发布到网址
www.myapp.com/search?location=paris
后者似乎从应用程序返回404
www.myapp.com/search/london
将按预期返回。
我确信我没有得到一个简单的谜题,但路由引擎肯定会考虑查询字符串参数以满足规则要求。
如果不是这种情况的最佳解决方案是什么,因为我确信90%的开发人员必须到达这一点......
提前感谢。
答案 0 :(得分:9)
查询参数不包含在路由匹配中,也不会注入函数参数。仅注入匹配的URL部分。您要查找的是request.args
(GET查询参数),request.form
(POST)或request.values
(合并)。
如果你想支持两者,你可以这样做:
@app.route('/search/<location>')
def search(location=None):
location = location or request.args.get('location')
# perform search
虽然,假设您可能想要搜索其他参数,可能最好的方法是接近:
def _search(location=None,other_param=None):
# perform search
@app.route('/search')
def search_custom():
location = request.args.get('location')
# ... get other params too ...
return _search(location=location, other params ... )
@app.route('/search/<location>')
def search_location(location):
return _search(location=location)
等等。