白乐天

道阻且长,行则将至。

Flask

Flask安装

建议在Python虚拟环境中安装

1
pip install flask

第一个Flask程序

1
2
3
4
5
6
7
8
9
10
11
12
from flask import Flask

app = Flask(__name__) # 创建一个 Flask 应用对象,赋值给变量 app。
# 参数 __name__ 表示当前模块的名称,Flask 使用它来确定应用程序的根路径。

@app.route("/") # 装饰器,用于定义路由。"/" 是 URL 路径的根(即网站的首页)。
def hello_world(): # 处理 / 路由的视图函数。
return "Hello, World!" # 视图函数的返回值是一个 HTML 字符串,表示返回给用户的内容。

if __name__ == "__main__":
app.run(debug=True) # 启动 Flask 的内置开发服务器,运行这个 Web 应用。
# 参数'debug=True'是开启调试模式,在代码有变更时,服务器会自动重启。

在浏览器中访问http://127.0.0.1:5000

路由

route()

使用route()装饰器来把函数绑定到 URL

1
2
3
4
5
6
7
@app.route('/')
def index():
return 'Index Page'

@app.route('/hello')
def hello():
return 'Hello, World'

路由参数

<variable_name>路由参数

通过<>标记的变量作为参数传递给函数。

1
2
3
@app.route("/user/<name>")
def hello_world(name):
return "name is:"+name

converter:variable_name参数类型

通过转换器converter为参数指定类型。默认类型为string即字符串。

1
2
3
@app.route("/id/<int:id>")
def bandid(id):
return "id is: "+str(id)

转换器类型

converter 描述
string 文本
int 整数
float 浮点数
path 路径
uuid UUID字符串

请求方式

通过定义路由来指定请求方式,Flask默认将路由处理为GET请求。

1
2
3
4
5
6
7
@app.route("/hello", methods=["GET"])
def hello():
return "Hello, World!"

@app.route("/submit", methods=["POST"])
def submit():
return "Data Submitted!"

Jinja2模板引擎