Creating a database session¶
Most applications will use database sessions in the context of a FastAPI handler and should instead use the corresponding FastAPI dependency instead of the code below. See Using a database session in request handlers for more details.
This page describes how to get a database session outside of a FastAPI route handler, such as for cron jobs, background processing, or other non-web-application uses.
To get a new async database connection, use code like the following:
import structlog
from safir.database import create_async_session, create_database_engine
from .config import config
engine = create_database_engine(
    config.database_url, config.database_password
)
session = await create_async_session(engine)
# ... use the session here ...
await session.remove()
await engine.dispose()
Creating the engine is separate from creating the session so that the engine can be disposed of properly. This ensures the connection pool is closed.
Probing the database connection¶
create_async_session supports probing the database to ensure that it is accessible and the schema is set up correctly.
To do this, pass a SQL statement to execute as the statement argument to create_async_session.
This will be called with .limit(1) to test the resulting session.
When statement is provided, a structlog logger must also be provided to log any errors when trying to run the statement.
For example:
import structlog
from sqlalchemy.future import select
from .schema import User
logger = structlog.get_logger(config.logger_name)
stmt = select(User)
session = await create_async_session(engine, logger, statement=stmt)
If the statement fails, it will be retried up to five times, waiting two seconds between attempts, before raising the underlying exception. This is particularly useful for waiting for network or a database proxy to come up when a process has first started.