-
Notifications
You must be signed in to change notification settings - Fork 1
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
Break apart safir.database for ease of maintenance
Convert safir.database from a single-file module to a directory and separate the code into internal modules for ease of maintenance. Upcoming PRs will be adding more code to safir.database, and this will avoid dumping all of that code into a single large file.
- Loading branch information
Showing
5 changed files
with
172 additions
and
133 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,16 @@ | ||
"""Utility functions for database management.""" | ||
|
||
from __future__ import annotations | ||
|
||
from ._connection import create_async_session, create_database_engine | ||
from ._datetime import datetime_from_db, datetime_to_db | ||
from ._initialize import DatabaseInitializationError, initialize_database | ||
|
||
__all__ = [ | ||
"DatabaseInitializationError", | ||
"create_async_session", | ||
"create_database_engine", | ||
"datetime_from_db", | ||
"datetime_to_db", | ||
"initialize_database", | ||
] |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,71 @@ | ||
"""datetime management for databases.""" | ||
|
||
from __future__ import annotations | ||
|
||
from datetime import UTC, datetime, timedelta | ||
from typing import overload | ||
|
||
__all__ = [ | ||
"datetime_from_db", | ||
"datetime_to_db", | ||
] | ||
|
||
|
||
@overload | ||
def datetime_from_db(time: datetime) -> datetime: ... | ||
|
||
|
||
@overload | ||
def datetime_from_db(time: None) -> None: ... | ||
|
||
|
||
def datetime_from_db(time: datetime | None) -> datetime | None: | ||
"""Add the UTC time zone to a naive datetime from the database. | ||
Parameters | ||
---------- | ||
time | ||
The naive datetime from the database, or `None`. | ||
Returns | ||
------- | ||
datetime.datetime or None | ||
`None` if the input was none, otherwise a timezone-aware version of | ||
the same `~datetime.datetime` in the UTC timezone. | ||
""" | ||
if not time: | ||
return None | ||
if time.tzinfo not in (None, UTC): | ||
raise ValueError(f"datetime {time} not in UTC") | ||
return time.replace(tzinfo=UTC) | ||
|
||
|
||
@overload | ||
def datetime_to_db(time: datetime) -> datetime: ... | ||
|
||
|
||
@overload | ||
def datetime_to_db(time: None) -> None: ... | ||
|
||
|
||
def datetime_to_db(time: datetime | None) -> datetime | None: | ||
"""Strip time zone for storing a datetime in the database. | ||
Parameters | ||
---------- | ||
time | ||
The timezone-aware `~datetime.datetime` in the UTC time zone, or | ||
`None`. | ||
Returns | ||
------- | ||
datetime.datetime or None | ||
`None` if the input was `None`, otherwise the same | ||
`~datetime.datetime` but timezone-naive and thus suitable for storing | ||
in a SQL database. | ||
""" | ||
if not time: | ||
return None | ||
if time.utcoffset() != timedelta(seconds=0): | ||
raise ValueError(f"datetime {time} not in UTC") | ||
return time.replace(tzinfo=None) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,77 @@ | ||
"""Database initialization.""" | ||
|
||
from __future__ import annotations | ||
|
||
import asyncio | ||
|
||
from sqlalchemy.exc import OperationalError | ||
from sqlalchemy.ext.asyncio import AsyncEngine | ||
from sqlalchemy.schema import CreateSchema | ||
from sqlalchemy.sql.schema import MetaData | ||
from structlog.stdlib import BoundLogger | ||
|
||
__all__ = [ | ||
"DatabaseInitializationError", | ||
"initialize_database", | ||
] | ||
|
||
|
||
class DatabaseInitializationError(Exception): | ||
"""Database initialization failed.""" | ||
|
||
|
||
async def initialize_database( | ||
engine: AsyncEngine, | ||
logger: BoundLogger, | ||
*, | ||
schema: MetaData, | ||
reset: bool = False, | ||
) -> None: | ||
"""Create and initialize a new database. | ||
Parameters | ||
---------- | ||
engine | ||
Database engine to use. Create with `create_database_engine`. | ||
logger | ||
Logger used to report problems | ||
schema | ||
Metadata for the database schema. Generally this will be | ||
``Base.metadata`` where ``Base`` is the declarative base used as the | ||
base class for all ORM table definitions. The caller must ensure that | ||
all table definitions have been imported by Python before calling this | ||
function, or parts of the schema will be missing. | ||
reset | ||
If set to `True`, drop all tables and reprovision the database. | ||
Useful when running tests with an external database. | ||
Raises | ||
------ | ||
DatabaseInitializationError | ||
After five attempts, the database still could not be initialized. | ||
This is normally due to some connectivity issue to the database. | ||
""" | ||
success = False | ||
error = None | ||
for _ in range(5): | ||
try: | ||
async with engine.begin() as conn: | ||
if schema.schema is not None: | ||
await conn.execute(CreateSchema(schema.schema, True)) | ||
if reset: | ||
await conn.run_sync(schema.drop_all) | ||
await conn.run_sync(schema.create_all) | ||
success = True | ||
except (ConnectionRefusedError, OperationalError, OSError) as e: | ||
logger.info("database not ready, waiting two seconds") | ||
error = str(e) | ||
await asyncio.sleep(2) | ||
continue | ||
if success: | ||
logger.info("initialized database schema") | ||
break | ||
if not success: | ||
msg = "database schema initialization failed (database not reachable?)" | ||
logger.error(msg) | ||
await engine.dispose() | ||
raise DatabaseInitializationError(error) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters