367-FastAPI框架入门

对于自己写http服务器的原生python代码,可以使用框架来简化搭建步骤

FastAPI框架既可以搭建静态页面也可以搭建动态页面

什么是FastAPI

FastAPI是一个现代的,快速(高性能)python web框架. 基于标准的python类型提示,使用python3.6+构建API的Web框架.

简单讲FastAPI就是把做web开发所需的相关代码全部简化, 我们不需要自己实现各种复杂的代码, 例如多任务,路由装饰器等等. 只需要调用FastAPI提供给我们的函数, 一调用就可以实现之前需要很多复杂代码才能实现的功能.

FastAPI的特点

fastapi安装(两个包)

在你的虚拟环境中的终端安装

(或者在pycharm中,在File->Settings->选择对应项目的Project Interpreter -> 选择包名 安装)

FastAPI的基本使用(访问单一网页)

功能需求:

基本步骤:

  1. 导入模块
  2. 创建FastAPI框架对象
  3. 通过@app路由装饰器收发数据
  4. 运行服务器

代码实现:

from fastapi import FastAPI
from fastapi import Response
import uvicorn

app = FastAPI()

@app.get("/index.html")  # 当浏览器get请求/index.html后就执行下面的函数
def main():
    with open("source/html/index.html") as f:
        data = f.read()
    return Response(content=data, media_type="text/html")

uvicorn.run(app, host="127.0.0.1", port=8000)

代码解释:

# 导入FastAPI模块
from fastapi import FastAPI
# 导入响应报文Response模块
from fastapi import Response
# 导入服务器uvicorn模块
import uvicorn

# 创建FastAPI框架对象
app = FastAPI()


# 通过@app路由装饰器收发数据
# @app.get(参数) : 按照get方式接受请求数据
# 请求资源的 url 路径
@app.get("/index.html")
def main():
    with open("source/html/index.html") as f:  # 不写默认是r模式就行
        data = f.read()
    # return 返回响应数据
    # Response(content=data, media_type="text/html"
    # 参数1: 响应数据
    # 参数2: 数据格式
    return Response(content=data, media_type="text/html")


# 运行服务器,uvicorn相当于socket套接字
# 参数1: 框架对象
# 参数2: IP地址
# 参数3: 端口号
uvicorn.run(app, host="127.0.0.1", port=8000)

通过FastAPI访问多个指定网页

路由装饰器的作用:浏览器访问a.html或者b.html,通过路由器识别,返回对应的html

实际上通过路由装饰器就可以让一个网页应一个函数, 也就可以实现访问指定网页了.

# 导入FastAPI模块
from fastapi import FastAPI
# 导入响应报文Response模块
from fastapi import Response
# 导入服务器uvicorn模块
import uvicorn

# 创建FastAPI框架对象
app = FastAPI()


# 通过@app路由装饰器收发数据
# @app.get(参数) : 按照get方式接受请求数据
# 请求资源的 url 路径
@app.get("/index1.html")
def main():
    with open("source/html/index1.html") as f:
        data = f.read()
    # return 返回响应数据
    # Response(content=data, media_type="text/html"
    # 参数1: 响应数据
    # 参数2: 数据格式
    return Response(content=data, media_type="text/html")


@app.get("/index2.html")
def main():
    with open("source/html/index2.html") as f:
        data = f.read()
    # return 返回响应数据
    # Response(content=data, media_type="text/html"
    # 参数1: 响应数据
    # 参数2: 数据格式
    return Response(content=data, media_type="text/html")


# 运行服务器
# 参数1: 框架对象
# 参数2: IP地址
# 参数3: 端口号
uvicorn.run(app, host="127.0.0.1", port=8000)