1 # SPDX-License-Identifier: GPL-2.0-only
3 # This file is part of Nominatim. (https://nominatim.org)
5 # Copyright (C) 2022 by the Nominatim developer community.
6 # For a full list of authors see the git log.
7 """ Database helper functions for the indexer.
14 from psycopg2.extras import wait_select
16 # psycopg2 emits different exceptions pre and post 2.8. Detect if the new error
17 # module is available and adapt the error handling accordingly.
19 import psycopg2.errors # pylint: disable=no-name-in-module,import-error
20 __has_psycopg2_errors__ = True
22 __has_psycopg2_errors__ = False
24 LOG = logging.getLogger()
26 class DeadlockHandler:
27 """ Context manager that catches deadlock exceptions and calls
28 the given handler function. All other exceptions are passed on
32 def __init__(self, handler, ignore_sql_errors=False):
33 self.handler = handler
34 self.ignore_sql_errors = ignore_sql_errors
39 def __exit__(self, exc_type, exc_value, traceback):
40 if __has_psycopg2_errors__:
41 if exc_type == psycopg2.errors.DeadlockDetected: # pylint: disable=E1101
44 elif exc_type == psycopg2.extensions.TransactionRollbackError \
45 and exc_value.pgcode == '40P01':
49 if self.ignore_sql_errors and isinstance(exc_value, psycopg2.Error):
50 LOG.info("SQL error ignored: %s", exc_value)
57 """ A single non-blocking database connection.
60 def __init__(self, dsn, cursor_factory=None, ignore_sql_errors=False):
61 self.current_query = None
62 self.current_params = None
64 self.ignore_sql_errors = ignore_sql_errors
68 self.connect(cursor_factory=cursor_factory)
71 """ Close all open connections. Does not wait for pending requests.
73 if self.conn is not None:
79 def connect(self, cursor_factory=None):
80 """ (Re)connect to the database. Creates an asynchronous connection
81 with JIT and parallel processing disabled. If a connection was
82 already open, it is closed and a new connection established.
83 The caller must ensure that no query is pending before reconnecting.
87 # Use a dict to hand in the parameters because async is a reserved
89 self.conn = psycopg2.connect(**{'dsn': self.dsn, 'async': True})
92 self.cursor = self.conn.cursor(cursor_factory=cursor_factory)
93 # Disable JIT and parallel workers as they are known to cause problems.
94 # Update pg_settings instead of using SET because it does not yield
95 # errors on older versions of Postgres where the settings are not
98 """ UPDATE pg_settings SET setting = -1 WHERE name = 'jit_above_cost';
99 UPDATE pg_settings SET setting = 0
100 WHERE name = 'max_parallel_workers_per_gather';""")
103 def _deadlock_handler(self):
104 LOG.info("Deadlock detected (params = %s), retry.", str(self.current_params))
105 self.cursor.execute(self.current_query, self.current_params)
108 """ Block until any pending operation is done.
111 with DeadlockHandler(self._deadlock_handler, self.ignore_sql_errors):
112 wait_select(self.conn)
113 self.current_query = None
116 def perform(self, sql, args=None):
117 """ Send SQL query to the server. Returns immediately without
120 self.current_query = sql
121 self.current_params = args
122 self.cursor.execute(sql, args)
125 """ File descriptor to wait for. (Makes this class select()able.)
127 return self.conn.fileno()
130 """ Check if the connection is available for a new query.
132 Also checks if the previous query has run into a deadlock.
133 If so, then the previous query is repeated.
135 if self.current_query is None:
138 with DeadlockHandler(self._deadlock_handler, self.ignore_sql_errors):
139 if self.conn.poll() == psycopg2.extensions.POLL_OK:
140 self.current_query = None
147 """ A pool of asynchronous database connections.
149 The pool may be used as a context manager.
151 REOPEN_CONNECTIONS_AFTER = 100000
153 def __init__(self, dsn, pool_size, ignore_sql_errors=False):
154 self.threads = [DBConnection(dsn, ignore_sql_errors=ignore_sql_errors)
155 for _ in range(pool_size)]
156 self.free_workers = self._yield_free_worker()
160 def finish_all(self):
161 """ Wait for all connection to finish.
163 for thread in self.threads:
164 while not thread.is_done():
167 self.free_workers = self._yield_free_worker()
170 """ Close all connections and clear the pool.
172 for thread in self.threads:
175 self.free_workers = None
178 def next_free_worker(self):
179 """ Get the next free connection.
181 return next(self.free_workers)
184 def _yield_free_worker(self):
193 if command_stat > self.REOPEN_CONNECTIONS_AFTER:
194 self._reconnect_threads()
199 _, ready, _ = select.select([], self.threads, [])
200 self.wait_time += time.time() - tstart
203 def _reconnect_threads(self):
204 for thread in self.threads:
205 while not thread.is_done():
214 def __exit__(self, exc_type, exc_value, traceback):