文章详情

短信预约-IT技能 免费直播动态提醒

请输入下面的图形验证码

提交验证

短信预约提醒成功

Python怎么实现Web服务器FastAPI

2023-07-02 08:50

关注

这篇“Python怎么实现Web服务器FastAPI”文章的知识点大部分人都不太理解,所以小编给大家总结了以下内容,内容详细,步骤清晰,具有一定的借鉴价值,希望大家阅读完这篇文章能有所收获,下面我们一起来看看这篇“Python怎么实现Web服务器FastAPI”文章吧。

1、简介

FastAPI 是一个用于构建 API 的现代、快速(高性能)的 web 框架,使用 Python 3.6+ 并基于标准的 Python类型提示。

关键特性:

2、安装

pip install fastapiorpip install fastapi[all]

Python怎么实现Web服务器FastAPI

运行服务器的命令如下:

uvicorn main:app --reload

3、官方示例

使用 FastAPI 需要 Python 版本大于等于 3.6。

3.1 入门示例 Python测试代码如下(main.py):

# -*- coding:utf-8 -*-from fastapi import FastAPIapp = FastAPI()@app.get("/")async def root():    return {"message": "Hello World"}

运行结果如下:
运行服务器的命令如下:

uvicorn main:app --reload

Python怎么实现Web服务器FastAPI

Python怎么实现Web服务器FastAPI

Python怎么实现Web服务器FastAPI

3.2 跨域CORS

CORS 或者「跨域资源共享」 指浏览器中运行的前端拥有与后端通信的 JavaScript 代码,而后端处于与前端不同的「源」的情况。

源是协议(http,https)、域(myapp.com,localhost,localhost.tiangolo.com)以及端口(80、443、8080)的组合。因此,这些都是不同的源:

http://localhosthttps://localhosthttp://localhost:8080

Python测试代码如下(test_fastapi.py):

# -*- coding:utf-8 -*-from typing import Unionfrom fastapi import FastAPI, Requestimport uvicornfrom fastapi.middleware.cors import CORSMiddlewareapp = FastAPI()# 让app可以跨域# origins = ["*"]origins = [    "http://localhost.tiangolo.com",    "https://localhost.tiangolo.com",    "http://localhost",    "http://localhost:8080",]app.add_middleware(    CORSMiddleware,    allow_origins=origins,    allow_credentials=True,    allow_methods=["*"],    allow_headers=["*"],)# @app.get("/") # async def root(): #     return {"Hello": "World"}@app.get("/")def read_root():    return {"message": "Hello World,爱看书的小沐"}@app.get("/items/{item_id}")def read_item(item_id: int, q: Union[str, None] = None):    return {"item_id": item_id, "q": q}@app.get("/api/sum") def get_sum(req: Request):     a, b = req.query_params['a'], req.query_params['b']     return int(a) + int(b) @app.post("/api/sum2") async def get_sum(req: Request):     content = await req.json()     a, b = content['a'], content['b']     return a + b@app.get("/api/sum3")def get_sum2(a: int, b: int):     return int(a) + int(b)if __name__ == "__main__":    uvicorn.run("test_fastapi:app", host="127.0.0.1", port=8000                , log_level="info", reload=True, debug=True)

运行结果如下:

Python怎么实现Web服务器FastAPI

Python怎么实现Web服务器FastAPI

Python怎么实现Web服务器FastAPI

FastAPI 会自动提供一个类似于 Swagger 的交互式文档,我们输入 “localhost:8000/docs” 即可进入。

Python怎么实现Web服务器FastAPI

3.3 文件操作

返回 json 数据可以是:JSONResponse、UJSONResponse、ORJSONResponse,Content-Type 是 application/json;返回 html 是 HTMLResponse,Content-Type 是 text/html;返回 PlainTextResponse,Content-Type 是 text/plain。
还有三种响应,分别是返回重定向、字节流、文件。

(1)Python测试重定向代码如下:

# -*- coding:utf-8 -*-from fastapi import FastAPI, Requestfrom fastapi.responses import RedirectResponseimport uvicornapp = FastAPI()@app.get("/index")async def index():    return RedirectResponse("https://www.baidu.com")@app.get("/")def main():    return {"message": "Hello World,爱看书的小沐"}if __name__ == "__main__":    uvicorn.run("test_fastapi:app", host="127.0.0.1", port=8000                , log_level="info", reload=True, debug=True)

运行结果如下:

Python怎么实现Web服务器FastAPI

(2)Python测试字节流代码如下:

# -*- coding:utf-8 -*-from fastapi import FastAPI, Requestfrom fastapi.responses import StreamingResponseimport uvicornapp = FastAPI()async def test_bytearray():    for i in range(5):        yield f"byteArray: {i} bytes ".encode("utf-8")@app.get("/index")async def index():    return StreamingResponse(test_bytearray())@app.get("/")def main():    return {"message": "Hello World,爱看书的小沐"}if __name__ == "__main__":    uvicorn.run("test_fastapi:app", host="127.0.0.1", port=8000                , log_level="info", reload=True, debug=True)

运行结果如下:

Python怎么实现Web服务器FastAPI

(3)Python测试文本文件代码如下:

# -*- coding:utf-8 -*-from fastapi import FastAPI, Requestfrom fastapi.responses import StreamingResponseimport uvicornapp = FastAPI()@app.get("/index")async def index():    return StreamingResponse(open("test_tornado.py", encoding="utf-8"))@app.get("/")def main():    return {"message": "Hello World,爱看书的小沐"}if __name__ == "__main__":    uvicorn.run("test_fastapi:app", host="127.0.0.1", port=8000                , log_level="info", reload=True, debug=True)

运行结果如下:

Python怎么实现Web服务器FastAPI

(4)Python测试二进制文件代码如下:

# -*- coding:utf-8 -*-from fastapi import FastAPI, Requestfrom fastapi.responses import FileResponse, StreamingResponseimport uvicornapp = FastAPI()@app.get("/download_file")async def index():    return FileResponse("test_fastapi.py", filename="save.py")@app.get("/get_file/")async def download_files():    return FileResponse("test_fastapi.py")@app.get("/get_image/")async def download_files_stream():    f = open("static\\images\\sheep0.jpg", mode="rb")    return StreamingResponse(f, media_type="image/jpg")@app.get("/")def main():    return {"message": "Hello World,爱看书的小沐"}if __name__ == "__main__":    uvicorn.run("test_fastapi:app", host="127.0.0.1", port=8000                , log_level="info", reload=True, debug=True)

运行结果如下:

Python怎么实现Web服务器FastAPI

Python怎么实现Web服务器FastAPI

Python怎么实现Web服务器FastAPI

3.4 WebSocket Python测试代码如下:

# -*- coding:utf-8 -*-from fastapi import FastAPI, Requestfrom fastapi.websockets import WebSocketimport uvicornapp = FastAPI()@app.websocket("/myws")async def ws(websocket: WebSocket):    await websocket.accept()    while True:        # data = await websocket.receive_bytes()        # data = await websocket.receive_json()        data = await websocket.receive_text()        print("received: ", data)        await websocket.send_text(f"received: {data}")@app.get("/")def main():    return {"message": "Hello World,爱看书的小沐"}if __name__ == "__main__":    uvicorn.run("test_fastapi:app", host="127.0.0.1", port=8000                , log_level="info", reload=True, debug=True)

HTML客户端测试代码如下:

<!DOCTYPE html><html lang="en"><head>    <meta charset="UTF-8">    <title>Tornado Websocket Test</title></head><body><body onload='onLoad();'>Message to send: <input type="text" id="msg"/><input type="button" onclick="sendMsg();" value="发送"/></body></body><script type="text/javascript">    var ws;    function onLoad() {        ws = new WebSocket("ws://127.0.0.1:8000/myws");ws.onopen = function() {           console.log('connect ok.')   ws.send("Hello, world");};ws.onmessage = function (evt) {   console.log(evt.data)};        ws.onclose = function () {             console.log("onclose")         }    }    function sendMsg() {        ws.send(document.getElementById('msg').value);    }</script></html>

运行结果如下:

Python怎么实现Web服务器FastAPI

Python怎么实现Web服务器FastAPI

以上就是关于“Python怎么实现Web服务器FastAPI”这篇文章的内容,相信大家都有了一定的了解,希望小编分享的内容对大家有帮助,若想了解更多相关的知识内容,请关注编程网行业资讯频道。

阅读原文内容投诉

免责声明:

① 本站未注明“稿件来源”的信息均来自网络整理。其文字、图片和音视频稿件的所属权归原作者所有。本站收集整理出于非商业性的教育和科研之目的,并不意味着本站赞同其观点或证实其内容的真实性。仅作为临时的测试数据,供内部测试之用。本站并未授权任何人以任何方式主动获取本站任何信息。

② 本站未注明“稿件来源”的临时测试数据将在测试完成后最终做删除处理。有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341

软考中级精品资料免费领

  • 历年真题答案解析
  • 备考技巧名师总结
  • 高频考点精准押题
  • 2024年上半年信息系统项目管理师第二批次真题及答案解析(完整版)

    难度     813人已做
    查看
  • 【考后总结】2024年5月26日信息系统项目管理师第2批次考情分析

    难度     354人已做
    查看
  • 【考后总结】2024年5月25日信息系统项目管理师第1批次考情分析

    难度     318人已做
    查看
  • 2024年上半年软考高项第一、二批次真题考点汇总(完整版)

    难度     435人已做
    查看
  • 2024年上半年系统架构设计师考试综合知识真题

    难度     224人已做
    查看

相关文章

发现更多好内容

猜你喜欢

AI推送时光机
位置:首页-资讯-服务器
咦!没有更多了?去看看其它编程学习网 内容吧
首页课程
资料下载
问答资讯