这是我的python代码的一部分:
@app.route("/<int:param>/")
def go_to(param):
return param
上面的函数将一个 url 路由www.example.com/12
到这个函数。
如何声明参数规则以将以整数结尾的 url 重定向www.example.com/and/boy/12
到此函数?
我正在使用 Flask 框架。
您只需将“and/boy”添加到您的参数中:
@app.route("/and/boy/<int:param>/")
def go_to(param):
return param
您将需要Werkzeug routing
.
完整代码:
from flask import Flask
from werkzeug.routing import BaseConverter
app = Flask(__name__)
class RegexConverter(BaseConverter):
def __init__(self, url_map, *items):
super(RegexConverter, self).__init__(url_map)
self.regex = items[0]
app.url_map.converters['regex'] = RegexConverter
# To get all URLs ending with "/number"
@app.route("/<regex('.*\/([0-9]+)'):param>/")
def go_to_one(param):
return param.split("/")[-1]
# To get all URLs ending with a number
@app.route("/<regex('.*([0-9]+)'):param>/")
def go_to_one(param):
return param.split("/")[-1]
# To get all URLs without a number
@app.route("/<regex('[^0-9]+'):param>/")
def go_to_two(param):
return param
@app.route('/')
def hello_world():
return 'Hello World!'
if __name__ == '__main__':
app.run()
@app.route('/profile/<username>')
def profile(username):
return f"you are in {username} page"
如果您需要特定的数据类型,例如像这样的整数,您可以使用任何数据类型传递参数
@app.route('/profile/<int:id')
def profile(id):
return f"your profile id is {id}"