]> git.openstreetmap.org Git - nominatim.git/blob - nominatim/api/connection.py
add ci-test for taginfo file generation
[nominatim.git] / nominatim / api / connection.py
1 # SPDX-License-Identifier: GPL-3.0-or-later
2 #
3 # This file is part of Nominatim. (https://nominatim.org)
4 #
5 # Copyright (C) 2023 by the Nominatim developer community.
6 # For a full list of authors see the git log.
7 """
8 Extended SQLAlchemy connection class that also includes access to the schema.
9 """
10 from typing import Any, Mapping, Sequence, Union, Dict, cast
11
12 import sqlalchemy as sa
13 from sqlalchemy.ext.asyncio import AsyncConnection
14
15 from nominatim.db.sqlalchemy_schema import SearchTables
16 from nominatim.api.logging import log
17
18 class SearchConnection:
19     """ An extended SQLAlchemy connection class, that also contains
20         then table definitions. The underlying asynchronous SQLAlchemy
21         connection can be accessed with the 'connection' property.
22         The 't' property is the collection of Nominatim tables.
23     """
24
25     def __init__(self, conn: AsyncConnection,
26                  tables: SearchTables,
27                  properties: Dict[str, Any]) -> None:
28         self.connection = conn
29         self.t = tables # pylint: disable=invalid-name
30         self._property_cache = properties
31
32
33     async def scalar(self, sql: sa.sql.base.Executable,
34                      params: Union[Mapping[str, Any], None] = None
35                     ) -> Any:
36         """ Execute a 'scalar()' query on the connection.
37         """
38         log().sql(self.connection, sql)
39         return await self.connection.scalar(sql, params)
40
41
42     async def execute(self, sql: 'sa.Executable',
43                       params: Union[Mapping[str, Any], Sequence[Mapping[str, Any]], None] = None
44                      ) -> 'sa.Result[Any]':
45         """ Execute a 'execute()' query on the connection.
46         """
47         log().sql(self.connection, sql)
48         return await self.connection.execute(sql, params)
49
50
51     async def get_property(self, name: str, cached: bool = True) -> str:
52         """ Get a property from Nominatim's property table.
53
54             Property values are normally cached so that they are only
55             retrieved from the database when they are queried for the
56             first time with this function. Set 'cached' to False to force
57             reading the property from the database.
58
59             Raises a ValueError if the property does not exist.
60         """
61         if name.startswith('DB:'):
62             raise ValueError(f"Illegal property value '{name}'.")
63
64         if cached and name in self._property_cache:
65             return cast(str, self._property_cache[name])
66
67         sql = sa.select(self.t.properties.c.value)\
68             .where(self.t.properties.c.property == name)
69         value = await self.connection.scalar(sql)
70
71         if value is None:
72             raise ValueError(f"Property '{name}' not found in database.")
73
74         self._property_cache[name] = cast(str, value)
75
76         return cast(str, value)
77
78
79     async def get_db_property(self, name: str) -> Any:
80         """ Get a setting from the database. At the moment, only
81             'server_version', the version of the database software, can
82             be retrieved with this function.
83
84             Raises a ValueError if the property does not exist.
85         """
86         if name != 'server_version':
87             raise ValueError(f"DB setting '{name}' not found in database.")
88
89         return self._property_cache['DB:server_version']