In Flask, when I have several routes for the same function,
how can I know which route is used at the moment?
For example:
@app.route("/antitop/")
@app.route("/top/")
@requires_auth
def show_top():
....
How can I know, that now I was called using /top/
or /antitop/
?
UPDATE
I know about request_path
I don't want use it, because the request can be rather complex, and I want repeat the routing logic in the function. I think that the solution with url_rule
it the best one.
the most 'flasky' way to check which route triggered your view is, by request.url_rule
.
from flask import request
rule = request.url_rule
if 'antitop' in rule.rule:
# request by '/antitop'
elif 'top' in rule.rule:
# request by '/top'
Simply use request.path
.
from flask import request
...
@app.route("/antitop/")
@app.route("/top/")
@requires_auth
def show_top():
... request.path ...
Another option is to use endpoint variable:
@app.route("/api/v1/generate_data", methods=['POST'], endpoint='v1')
@app.route("/api/v2/generate_data", methods=['POST'], endpoint='v2')
def generate_data():
version = request.endpoint
return version
If you want different behaviour to each route, the right thing to do is create two function handlers.
@app.route("/antitop/")
@requires_auth
def top():
...
@app.route("/top/")
@requires_auth
def anti_top():
...
In some cases, your structure makes sense. You can set values per route.
@app.route("/antitop/", defaults={'_route': 'antitop'})
@app.route("/top/", defaults={'_route': 'top'})
@requires_auth
def show_top(_route):
# use _route here
...
It seems to me that if you have a situation where it matters, you shouldn't be using the same function in the first place. Split it out into two separate handlers, which each call a common fiction for the shared code.