python/Flask: Route with dynamic first component
我正在编写一个 Flask 站点,我希望有这样的路由:
1 2 3 4 5 | @app.route('/') @app.route('/<page_id>') @app.route('/<page_id>/<subpage_id>') def page(page_id=None, subpage_id=None): ... |
虽然这看起来理论上应该可行,但看起来这实际上破坏了位于根 static/ 目录中的静态资源。我认为这样做的原因是我的动态路由实际上匹配 \\'static/style.css\\' 并因此覆盖了静态文件的正常处理程序。
有什么办法可以解决这个问题吗?如果我检测到 page_id==\\'static\\',是否有可以将请求转发到的 \\'static\\' 处理程序?
编辑:这是一个工作示例
1 2 3 | @app.route('/<page_id>/<subpage_id>/<subsubpage_id>') def xxx(page_id=None, subpage_id=None, subsubpage_id=None): return 'hello' |
如果你现在打开
关于问题的根源:
Yes. I have Page objects in my database, which I load and display based on the page_id/subpage_id/subsubpage_id when the method is called. Is there a better way to do this? I was thinking of adding separate routes for each of the pages when the app is initialized, but I could not find a good way of making that work in conjunction with url_for.
您可以使用
所以也许你会有这样的东西:
1 2 3 4 5 6 7 8 9 10 11 12 | from functools import partial def actual_handler(page): return u'hello' for page in session.query(Page): route = u'/{0}/{1}/{2}'.format(page.id1, page.id2, page.id3) app.add_url_rule( route, page.name, # this is the name used for url_for partial(actual_handler, page=page), ) |
获取会话可能会或可能不会很棘手,并且可能会或可能不会涉及手动调用
另请参阅有关路由处理的文档。
至于原来路由优先于静态文件的问题,我真的不知道;根据我对 Flask 和 Werkzeug 文档的阅读,这不应该发生。如果您仍希望通过手动提供静态文件来解决此问题,也许
PS:事后诸葛亮;如果您的整个站点都位于数据库中,那么 Pyramid 的遍历可能更合适。它一次动态地检查一个路径组件,而不是拥有一个固定的静态路由列表。
这是一个可怕的 hack,但你可能只是做一些类似于:
1 2 3 4 5 | @app.route('/<page_id>/<subpage_id>/<subsubpage_id>') def xxx(page_id=None, subpage_id=None, subsubpage_id=None): if page_id == 'static': # or whatever the path is to your assets # make a response where you've filled the request yourself return 'hello' |