Open-source solutions for exposing Python as an API endpoint
FastAPI
is a modern, fast (high-performance) web framework for building APIs with Python 3.7+ based on standard Python-type hints. It’s easy to use and allows you to create robust APIs quickly.
You can install FastAPI using pip
:
pip install fastapi
The following is a simplified example of creating a FastAPI
endpoint to expose a Python function:
from fastapi import FastAPI, Query app = FastAPI() @app.get("/api/add") def add_numbers( Â Â Â Â num1: int = Query(..., description="First number"), Â Â Â Â num2: int = Query(..., description="Second number"), ): Â Â Â Â result = num1 + num2 Â Â Â Â return {"result": result}
In this example, the add_numbers
function available at the /api/add
endpoint takes two query parameters (num1
and num2
), representing the numbers to be added. The Query
function from FastAPI...