Skip to content

auto_rest.handlers

An endpoint handler is a function designed to process incoming HTTP requests for single API endpoint. In auto_rest, handlers are created dynamically using a factory pattern. This approach allows handler logic to be customized and reused across multiple endpoints.

Example: Creating a Handler

New endpoint handlers are created dynamically using factory methods.

welcome_handler = create_welcome_handler()

Handler functions are defined as asynchronous coroutines. This provides improved performance when handling large numbers of incoming requests.

Example: Async Handlers

Python requires asynchronous coroutines to be run from an asynchronous context. In the following example, this is achieved using asyncio.run.

import asyncio

return_value = asyncio.run(welcome_handler())

Handlers are specifically designed to integrate with the FastAPI framework, including support for FastAPI's type hinting and data validation capabilities. This makes it easy to incorporate handlers into a FastAPI application.

Example: Adding a Handler to an Application

Use the add_api_route method to dynamically add handler functions to an existing application instance.

app = FastAPI(...)

handler = create_welcome_handler()
app.add_api_route("/", handler, methods=["GET"], ...)

Developer Note

FastAPI internally performs post-processing on values returned by endpoint handlers before sending them in an HTTP response. For this reason, handlers should always be tested within the context of a FastAPI application.

commit_session(session) async

Commit a SQLAlchemy session.

Supports synchronous and asynchronous sessions.

Parameters:

Name Type Description Default
session DBSession

The session to commit.

required
Source code in auto_rest/queries.py
42
43
44
45
46
47
48
49
50
51
52
53
54
55
async def commit_session(session: DBSession) -> None:
    """Commit a SQLAlchemy session.

    Supports synchronous and asynchronous sessions.

    Args:
        session: The session to commit.
    """

    if isinstance(session, AsyncSession):
        await session.commit()

    else:
        session.commit()

create_about_handler(name, version)

Create an endpoint handler that returns the application name and version number.

Parameters:

Name Type Description Default
name str

The application name.

required
version str

The returned version identifier.

required

Returns:

Type Description
Callable[[], Awaitable[BaseModel]]

An async function that returns application info.

Source code in auto_rest/handlers.py
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
def create_about_handler(name: str, version: str) -> Callable[[], Awaitable[PydanticModel]]:
    """Create an endpoint handler that returns the application name and version number.

    Args:
        name: The application name.
        version: The returned version identifier.

    Returns:
        An async function that returns application info.
    """

    interface = create_model("Version", version=(str, version), name=(str, name))

    async def about_handler() -> interface:
        """Return the application name and version number."""

        return interface()

    return about_handler

create_db_engine(url, **kwargs)

Initialize a new database engine.

Instantiates and returns an Engine or AsyncEngine instance depending on whether the database URL uses a driver with support for async operations.

Parameters:

Name Type Description Default
url URL

A fully qualified database URL.

required
**kwargs dict[str:any]

Keyword arguments passed to create_engine.

{}

Returns:

Type Description
DBEngine

A SQLAlchemy Engine or AsyncEngine instance.

Source code in auto_rest/models.py
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
def create_db_engine(url: URL, **kwargs: dict[str: any]) -> DBEngine:
    """Initialize a new database engine.

    Instantiates and returns an `Engine` or `AsyncEngine` instance depending
    on whether the database URL uses a driver with support for async operations.

    Args:
        url: A fully qualified database URL.
        **kwargs: Keyword arguments passed to `create_engine`.

    Returns:
        A SQLAlchemy `Engine` or `AsyncEngine` instance.
    """

    if url.get_dialect().is_async:
        engine = create_async_engine(url, **kwargs)
        logger.debug("Asynchronous connection established.")
        return engine

    else:
        engine = create_engine(url, **kwargs)
        logger.debug("Synchronous connection established.")
        return engine

create_db_metadata(engine)

Create and reflect metadata for the database connection.

Parameters:

Name Type Description Default
engine DBEngine

The database engine to use for reflection.

required

Returns:

Type Description
MetaData

A MetaData object reflecting the database schema.

Source code in auto_rest/models.py
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
def create_db_metadata(engine: DBEngine) -> MetaData:
    """Create and reflect metadata for the database connection.

    Args:
        engine: The database engine to use for reflection.

    Returns:
        A MetaData object reflecting the database schema.
    """

    logger.debug("Loading database metadata.")
    metadata = MetaData()

    if isinstance(engine, AsyncEngine):
        asyncio.run(_async_reflect_metadata(engine, metadata))

    else:
        metadata.reflect(bind=engine, views=True)

    return metadata

create_db_url(driver, database, host=None, port=None, username=None, password=None)

Create a database URL from the provided parameters.

Parameters:

Name Type Description Default
driver str

The SQLAlchemy-compatible database driver.

required
database str

The database name or file path (for SQLite).

required
host str | None

The database server hostname or IP address.

None
port int | None

The database server port number.

None
username str | None

The username for authentication.

None
password str | None

The password for the database user.

None

Returns:

Type Description
URL

A fully qualified database URL.

Source code in auto_rest/models.py
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
def create_db_url(
    driver: str,
    database: str,
    host: str | None = None,
    port: int | None = None,
    username: str | None = None,
    password: str | None = None,
) -> URL:
    """Create a database URL from the provided parameters.

    Args:
        driver: The SQLAlchemy-compatible database driver.
        database: The database name or file path (for SQLite).
        host: The database server hostname or IP address.
        port: The database server port number.
        username: The username for authentication.
        password: The password for the database user.

    Returns:
        A fully qualified database URL.
    """

    # Handle special case where SQLite uses file paths.
    if "sqlite" in driver:
        path = Path(database).resolve()
        url = URL.create(drivername=driver, database=str(path))

    else:
        url = URL.create(
            drivername=driver,
            username=username,
            password=password,
            host=host,
            port=port,
            database=database,
        )

    logger.debug(f"Resolved URL: {url}")
    return url

create_delete_record_handler(engine, table)

Create a function for handling DELETE requests against a record in the database.

Parameters:

Name Type Description Default
engine DBEngine

Database engine to use when executing queries.

required
table Table

The database table to query against.

required

Returns:

Type Description
Callable[..., Awaitable[None]]

An async function that handles record deletion.

Source code in auto_rest/handlers.py
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
def create_delete_record_handler(engine: DBEngine, table: Table) -> Callable[..., Awaitable[None]]:
    """Create a function for handling DELETE requests against a record in the database.

    Args:
        engine: Database engine to use when executing queries.
        table: The database table to query against.

    Returns:
        An async function that handles record deletion.
    """

    pk_interface = create_interface(table, pk_only=True, mode='required')

    async def delete_record_handler(
        pk: pk_interface = Depends(),
        session: DBSession = Depends(create_session_iterator(engine)),
    ) -> None:
        """Delete a record from the database."""

        query = select(table).filter_by(**pk.model_dump())
        result = await execute_session_query(session, query)
        record = get_record_or_404(result)

        await delete_session_record(session, record)
        await commit_session(session)

    return delete_record_handler

create_engine_handler(engine)

Create an endpoint handler that returns configuration details for a database engine.

Parameters:

Name Type Description Default
engine DBEngine

Database engine to return the configuration for.

required

Returns:

Type Description
Callable[[], Awaitable[BaseModel]]

An async function that returns database metadata.

Source code in auto_rest/handlers.py
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
def create_engine_handler(engine: DBEngine) -> Callable[[], Awaitable[PydanticModel]]:
    """Create an endpoint handler that returns configuration details for a database engine.

    Args:
        engine: Database engine to return the configuration for.

    Returns:
        An async function that returns database metadata.
    """

    interface = create_model("Meta",
        dialect=(str, engine.dialect.name),
        driver=(str, engine.dialect.driver),
        database=(str, engine.url.database),
    )

    async def meta_handler() -> interface:
        """Return metadata concerning the underlying application database."""

        return interface()

    return meta_handler

create_get_record_handler(engine, table)

Create a function for handling GET requests against a single record in the database.

Parameters:

Name Type Description Default
engine DBEngine

Database engine to use when executing queries.

required
table Table

The database table to query against.

required

Returns:

Type Description
Callable[..., Awaitable[BaseModel]]

An async function that returns a single record from the given database table.

Source code in auto_rest/handlers.py
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
def create_get_record_handler(engine: DBEngine, table: Table) -> Callable[..., Awaitable[PydanticModel]]:
    """Create a function for handling GET requests against a single record in the database.

    Args:
        engine: Database engine to use when executing queries.
        table: The database table to query against.

    Returns:
        An async function that returns a single record from the given database table.
    """

    interface = create_interface(table)
    pk_interface = create_interface(table, pk_only=True, mode='required')

    async def get_record_handler(
        pk: pk_interface = Depends(),
        session: DBSession = Depends(create_session_iterator(engine)),
    ) -> interface:
        """Fetch a single record from the database."""

        query = select(table).filter_by(**pk.model_dump())
        result = await execute_session_query(session, query)
        record = get_record_or_404(result)
        return record

    return get_record_handler

create_interface(table, pk_only=False, mode='default')

Create a Pydantic interface for a SQLAlchemy model where all fields are required.

Modes

default: Values are marked as (not)required based on the column schema. required: Values are always marked required. required: Values are always marked optional.

Parameters:

Name Type Description Default
table Table

The SQLAlchemy table to create an interface for.

required
pk_only bool

If True, only include primary key columns.

False
mode MODE_TYPE

Whether to force fields to all be optional or required.

'default'

Returns:

Type Description
type[BaseModel]

A dynamically generated Pydantic model with all fields required.

Source code in auto_rest/interfaces.py
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
def create_interface(table: Table, pk_only: bool = False, mode: MODE_TYPE = "default") -> type[PydanticModel]:
    """Create a Pydantic interface for a SQLAlchemy model where all fields are required.

    Modes:
        default: Values are marked as (not)required based on the column schema.
        required: Values are always marked required.
        required: Values are always marked optional.

    Args:
        table: The SQLAlchemy table to create an interface for.
        pk_only: If True, only include primary key columns.
        mode: Whether to force fields to all be optional or required.

    Returns:
        A dynamically generated Pydantic model with all fields required.
    """

    # Map field names to the column type and default value.
    fields = {
        col.name: create_field_definition(col, mode) for col in iter_columns(table, pk_only)
    }

    # Create a unique name for the interface
    name = f"{table.name}-{mode.title()}"
    if pk_only:
        name += '-PK'

    return create_model(name, __config__={'arbitrary_types_allowed': True}, **fields)

create_list_records_handler(engine, table)

Create an endpoint handler that returns a list of records from a database table.

Parameters:

Name Type Description Default
engine DBEngine

Database engine to use when executing queries.

required
table Table

The database table to query against.

required

Returns:

Type Description
Callable[..., Awaitable[list[BaseModel]]]

An async function that returns a list of records from the given database model.

Source code in auto_rest/handlers.py
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
def create_list_records_handler(engine: DBEngine, table: Table) -> Callable[..., Awaitable[list[PydanticModel]]]:
    """Create an endpoint handler that returns a list of records from a database table.

    Args:
        engine: Database engine to use when executing queries.
        table: The database table to query against.

    Returns:
        An async function that returns a list of records from the given database model.
    """

    interface = create_interface(table)
    interface_opt = create_interface(table, mode="optional")
    col_names = tuple(table.columns.keys())

    async def list_records_handler(
        response: Response,
        session: DBSession = Depends(create_session_iterator(engine)),
        filters: interface_opt = Depends(),
        _limit_: int = Query(0, ge=0, description="The maximum number of records to return."),
        _offset_: int = Query(0, ge=0, description="The starting index of the returned records."),
        _order_by_: Optional[Literal[*col_names]] = Query(None, description="The field name to sort by."),
        _direction_: Literal["asc", "desc"] = Query("asc", description="Sort results in 'asc' or 'desc' order."),
    ) -> list[interface]:
        """Fetch a list of records from the database.

        URL query parameters are used to enable filtering, ordering, and paginating returned values.
        """

        query = select(table)

        # Fetch data per the request parameters
        for param, value in filters:
            if value is not None:
                column = getattr(table.c, param)
                if value.lower() == "_null_":
                    query = query.filter(column.is_(None))

                else:
                    query = query.filter(column.ilike(f"%{value}%"))

        if _limit_ > 0:
            query = query.offset(_offset_).limit(_limit_)

        if _order_by_ is not None:
            direction = {'desc': desc, 'asc': asc}[_direction_]
            query = query.order_by(direction(_order_by_))

        # Determine total record count
        total_count_query = select(func.count()).select_from(table)
        total_count = await execute_session_query(session, total_count_query)

        # Set headers
        response.headers["x-pagination-limit"] = str(_limit_)
        response.headers["x-pagination-offset"] = str(_offset_)
        response.headers["x-pagination-total"] = str(total_count.first()[0])
        response.headers["x-order-by"] = str(_order_by_)
        response.headers["x-order-direction"] = str(_direction_)

        # noinspection PyTypeChecker
        return await execute_session_query(session, query)

    return list_records_handler

create_patch_record_handler(engine, table)

Create a function for handling PATCH requests against a record in the database.

Parameters:

Name Type Description Default
engine DBEngine

Database engine to use when executing queries.

required
table Table

The database table to query against.

required

Returns:

Type Description
Callable[..., Awaitable[BaseModel]]

An async function that handles record updates.

Source code in auto_rest/handlers.py
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
def create_patch_record_handler(engine: DBEngine, table: Table) -> Callable[..., Awaitable[PydanticModel]]:
    """Create a function for handling PATCH requests against a record in the database.

    Args:
        engine: Database engine to use when executing queries.
        table: The database table to query against.

    Returns:
        An async function that handles record updates.
    """

    interface = create_interface(table)
    pk_interface = create_interface(table, pk_only=True, mode='required')

    async def patch_record_handler(
        data: interface,
        pk: pk_interface = Depends(),
        session: DBSession = Depends(create_session_iterator(engine)),
    ) -> interface:
        """Update record values in the database with the provided data."""

        query = select(table).filter_by(**pk.model_dump())
        result = await execute_session_query(session, query)
        record = get_record_or_404(result)

        for key, value in data.model_dump(exclude_unset=True).items():
            setattr(record, key, value)

        await commit_session(session)
        return record

    return patch_record_handler

create_post_record_handler(engine, table)

Create a function for handling POST requests against a record in the database.

Parameters:

Name Type Description Default
engine DBEngine

Database engine to use when executing queries.

required
table Table

The database table to query against.

required

Returns:

Type Description
Callable[..., Awaitable[None]]

An async function that handles record creation.

Source code in auto_rest/handlers.py
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
def create_post_record_handler(engine: DBEngine, table: Table) -> Callable[..., Awaitable[None]]:
    """Create a function for handling POST requests against a record in the database.

    Args:
        engine: Database engine to use when executing queries.
        table: The database table to query against.

    Returns:
        An async function that handles record creation.
    """

    interface = create_interface(table)

    async def post_record_handler(
        data: interface,
        session: DBSession = Depends(create_session_iterator(engine)),
    ) -> None:
        """Create a new record in the database."""

        query = insert(table).values(**data.model_dump())
        await execute_session_query(session, query)
        await commit_session(session)

    return post_record_handler

create_put_record_handler(engine, table)

Create a function for handling PUT requests against a record in the database.

Parameters:

Name Type Description Default
engine DBEngine

Database engine to use when executing queries.

required
table Table

The database table to query against.

required

Returns:

Type Description
Callable[..., Awaitable[BaseModel]]

An async function that handles record updates.

Source code in auto_rest/handlers.py
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
def create_put_record_handler(engine: DBEngine, table: Table) -> Callable[..., Awaitable[PydanticModel]]:
    """Create a function for handling PUT requests against a record in the database.

    Args:
        engine: Database engine to use when executing queries.
        table: The database table to query against.

    Returns:
        An async function that handles record updates.
    """

    interface = create_interface(table)
    opt_interface = create_interface(table, mode='optional')
    pk_interface = create_interface(table, pk_only=True, mode='required')

    async def put_record_handler(
        data: opt_interface,
        pk: pk_interface = Depends(),
        session: DBSession = Depends(create_session_iterator(engine)),
    ) -> interface:
        """Replace record values in the database with the provided data."""

        query = select(table).filter_by(**pk.model_dump())
        result = await execute_session_query(session, query)
        record = get_record_or_404(result)

        for key, value in data.model_dump().items():
            setattr(record, key, value)

        await commit_session(session)
        return interface.model_validate(record.__dict__)

    return put_record_handler

create_schema_handler(metadata)

Create an endpoint handler that returns the database schema.

Parameters:

Name Type Description Default
metadata MetaData

Metadata object containing the database schema.

required

Returns:

Type Description
Callable[[], Awaitable[BaseModel]]

An async function that returns the database schema.

Source code in auto_rest/handlers.py
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
def create_schema_handler(metadata: MetaData) -> Callable[[], Awaitable[PydanticModel]]:
    """Create an endpoint handler that returns the database schema.

    Args:
        metadata: Metadata object containing the database schema.

    Returns:
        An async function that returns the database schema.
    """

    # Define Pydantic models for column, table, and schema level data
    column_interface = create_model("Column",
        type=(str, ...),
        nullable=(bool, ...),
        default=(str | None, None),
        primary_key=(bool, ...),
    )

    table_interface = create_model("Table", columns=(dict[str, column_interface], ...))
    schema_interface = create_model("Schema", tables=(dict[str, table_interface], ...))

    async def schema_handler() -> schema_interface:
        """Return metadata concerning the underlying application database."""

        return schema_interface(
            tables={table_name: table_interface(columns={
                column.name: column_interface(
                    type=str(column.type),
                    nullable=column.nullable,
                    default=str(column.default.arg) if column.default else None,
                    primary_key=column.primary_key
                )
                for column in table.columns
            }) for table_name, table in metadata.tables.items()}
        )

    return schema_handler

create_session_iterator(engine)

Create a generator for database sessions.

Returns a synchronous or asynchronous function depending on whether the database engine supports async operations. The type of session returned also depends on the underlying database engine, and will either be a Session or AsyncSession instance.

Parameters:

Name Type Description Default
engine DBEngine

Database engine to use when generating new sessions.

required

Returns:

Type Description
Callable[[], Generator[Session, None, None] | AsyncGenerator[AsyncSession, None]]

A function that yields a single new database session.

Source code in auto_rest/models.py
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
def create_session_iterator(engine: DBEngine) -> Callable[[], Generator[Session, None, None] | AsyncGenerator[AsyncSession, None]]:
    """Create a generator for database sessions.

    Returns a synchronous or asynchronous function depending on whether
    the database engine supports async operations. The type of session
    returned also depends on the underlying database engine, and will
    either be a `Session` or `AsyncSession` instance.

    Args:
        engine: Database engine to use when generating new sessions.

    Returns:
        A function that yields a single new database session.
    """

    if isinstance(engine, AsyncEngine):
        async def session_iterator() -> AsyncGenerator[AsyncSession, None]:
            async with AsyncSession(bind=engine, autocommit=False, autoflush=True) as session:
                yield session

    else:
        def session_iterator() -> Generator[Session, None, None]:
            with Session(bind=engine, autocommit=False, autoflush=True) as session:
                yield session

    return session_iterator

create_welcome_handler()

Create an endpoint handler that returns an application welcome message.

Returns:

Type Description
Callable[[], Awaitable[BaseModel]]

An async function that returns a welcome message.

Source code in auto_rest/handlers.py
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
def create_welcome_handler() -> Callable[[], Awaitable[PydanticModel]]:
    """Create an endpoint handler that returns an application welcome message.

    Returns:
        An async function that returns a welcome message.
    """

    interface = create_model("Welcome", message=(str, "Welcome to Auto-Rest!"))

    async def welcome_handler() -> interface:
        """Return an application welcome message."""

        return interface()

    return welcome_handler

delete_session_record(session, record) async

Delete a record from the database using an existing session.

Does not automatically commit the session. Supports synchronous and asynchronous sessions.

Parameters:

Name Type Description Default
session DBSession

The session to use for deletion.

required
record Result

The record to be deleted.

required
Source code in auto_rest/queries.py
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
async def delete_session_record(session: DBSession, record: Result) -> None:
    """Delete a record from the database using an existing session.

    Does not automatically commit the session.
    Supports synchronous and asynchronous sessions.

    Args:
        session: The session to use for deletion.
        record: The record to be deleted.
    """

    logger.debug("Deleting record.")
    if isinstance(session, AsyncSession):
        await session.delete(record)

    else:
        session.delete(record)

execute_session_query(session, query) async

Execute a query in the given session and return the result.

Supports synchronous and asynchronous sessions.

Parameters:

Name Type Description Default
session DBSession

The SQLAlchemy session to use for executing the query.

required
query Executable

The query to be executed.

required

Returns:

Type Description
Result

The result of the executed query.

Source code in auto_rest/queries.py
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
async def execute_session_query(session: DBSession, query: Executable) -> Result:
    """Execute a query in the given session and return the result.

    Supports synchronous and asynchronous sessions.

    Args:
        session: The SQLAlchemy session to use for executing the query.
        query: The query to be executed.

    Returns:
        The result of the executed query.
    """

    logger.debug(str(query).replace("\n", " "))
    if isinstance(session, AsyncSession):
        return await session.execute(query)

    return session.execute(query)

get_record_or_404(result)

Retrieve a scalar record from a query result or raise a 404 error.

Parameters:

Name Type Description Default
result Result

The query result to extract the scalar record from.

required

Returns:

Type Description
any

The scalar record if it exists.

Raises:

Type Description
HTTPException

If the record is not found.

Source code in auto_rest/queries.py
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
def get_record_or_404(result: Result) -> any:
    """Retrieve a scalar record from a query result or raise a 404 error.

    Args:
        result: The query result to extract the scalar record from.

    Returns:
        The scalar record if it exists.

    Raises:
        HTTPException: If the record is not found.
    """

    if record := result.fetchone():
        return record

    raise HTTPException(status_code=status.HTTP_404_NOT_FOUND, detail="Record not found")

parse_db_settings(path)

Parse engine configuration settings from a given file path.

Parameters:

Name Type Description Default
path Path | None

Path to the configuration file.

required

Returns:

Type Description
dict[str, any]

Engine configuration settings.

Source code in auto_rest/models.py
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
def parse_db_settings(path: Path | None) -> dict[str, any]:
    """Parse engine configuration settings from a given file path.

    Args:
        path: Path to the configuration file.

    Returns:
        Engine configuration settings.
    """

    if path is not None:
        logger.debug(f"Parsing engine configuration from {path}.")
        return yaml.safe_load(path.read_text()) or dict()

    logger.debug("No configuration file specified.")
    return {}