Basic Usage
The core concept of Authx relies on generating access tokens and protecting routes. The following examples demonstrate how to use Authx to quickly integrate those systems within your FastAPI application.
from fastapi import FastAPI, Depends, HTTPException
from authx import AuthX, AuthXConfig
app = FastAPI(title="My Base App")
config = AuthXConfig()
config.JWT_ALGORITHM = "HS256"
config.JWT_SECRET_KEY = "SECRET_KEY"
security = AuthX(config=config)
@app.get('/login')
def login(username: str, password: str):
if username == "test" and password == "test":
token = security.create_access_token(uid=username)
return {"access_token": token}
raise HTTPException(401, detail={"message": "Bad credentials"})
@app.get("/protected", dependencies=[Depends(security.access_token_required)])
def get_protected():
return {"message": "Hello World"}
Getting Started
Let's build our first FastAPI application with Authx.
As usual, you create your application with the fastapi.FastAPI
object
from fastapi import FastAPI, Depends, HTTPException
from authx import AuthX, AuthXConfig
app = FastAPI(title="My Base App")
config = AuthXConfig()
config.JWT_ALGORITHM = "HS256"
config.JWT_SECRET_KEY = "SECRET_KEY"
security = AuthX(config=config)
Create the AuthXConfig
Instance
from fastapi import FastAPI, Depends, HTTPException
from authx import AuthX, AuthXConfig
app = FastAPI(title="My Base App")
config = AuthXConfig()
config.JWT_ALGORITHM = "HS256"
config.JWT_SECRET_KEY = "SECRET_KEY"
security = AuthX(config=config)
AuthX provides an AuthXConfig
object (based on Pydantic's BaseSettings
) to customize the behavior of JWT management.
Here, we enforce a symmetric encryption algorithm, specifically "HS256"
, and set the SECRET_KEY
as the key for encoding and decoding.
Handling Secrets with AuthXConfig
By design, JSON Web Tokens are not encrypted; you can try your own JWT on https://jwt.io/. However, your server will need secrets to sign tokens.
from fastapi import FastAPI
from authx import AuthX, AuthXConfig
app = FastAPI(title="My Base App")
config = AuthXConfig()
config.JWT_ALGORITHM = "HS256"
config.JWT_SECRET_KEY = "SECRET_KEY"
security = AuthX(config=config)
Secrets Location
As a best practice, do not use explicit secrets within your code. It is recommended to use environment variables to avoid any credential leakage.
Note on Algorithm
For demonstration ease, we use a symmetric algorithm. Note that an asymmetric algorithm offers additional layers of protection.
"RS256"
is the recommended algorithm when signing JWTs.
Create AuthX
instance
You can now instantiate the AuthX
object with the your configuration
from fastapi import FastAPI
from authx import AuthX, AuthXConfig
app = FastAPI(title="My Base App")
config = AuthXConfig()
config.JWT_ALGORITHM = "HS256"
config.JWT_SECRET_KEY = "SECRET_KEY"
security = AuthX(config=config)
Loading Configuration after AuthX.__init__
You can also load the configuration after the AuthX
object is created. This is useful when you want to use the same AuthX
object for multiple FastAPI applications.
Authentication
Create the access token
To authenticate a user, create a /login
route in the usual way with FastAPI.
@app.get('/login')
def login(username: str, password: str):
if username == "test" and password == "test":
token = security.create_access_token(uid=username)
return {"access_token": token}
raise HTTPException(401, detail={"message": "Bad credentials"})
Once a user has provided valid credentials, use the AuthX.create_access_token
method to generate a signed token. To associate the user with the token, utilize the uid
argument.
Note on Privacy
Avoid including personally identifiable information (PIDs) in the JWT since its content is fully readable. As a best practice, uid
should typically be a user database index (not ordered). Consider using UUIDs for additional privacy.
Note on Login Protection
The /login
route above serves as a simple example. Avoid passing credentials through query parameters for security reasons. Implement thorough authentication logic to ensure a more robust login process.
Protected Routes
Let's implement a simple GET
route that can only be accessed by authenticated users.
@app.get("/protected", dependencies=[Depends(security.access_token_required)])
def get_protected():
return {"message": "Hello World"}
AuthX is compliant with FastAPI's dependency injection system. It provides the AuthX.access_token_required
method to enforce this behavior.
Whether a bad token or no token is provided, the server will prevent the execution of the route logic defined in /protected
.
Default Exception Behavior
In the curl requests above, a 401
HTTP Error is raised when the token is not valid. By default, AuthX triggers a 500 Internal Server Error
HTTP Error. For the sake of simplicity, we won't delve into error handling in this section.