2016-01-06 23:26:29 -05:00
|
|
|
# Copyright 2014-2016 OpenMarket Ltd
|
2015-11-09 09:37:28 -05:00
|
|
|
#
|
|
|
|
# Licensed under the Apache License, Version 2.0 (the "License");
|
|
|
|
# you may not use this file except in compliance with the License.
|
|
|
|
# You may obtain a copy of the License at
|
|
|
|
#
|
|
|
|
# http://www.apache.org/licenses/LICENSE-2.0
|
|
|
|
#
|
|
|
|
# Unless required by applicable law or agreed to in writing, software
|
|
|
|
# distributed under the License is distributed on an "AS IS" BASIS,
|
|
|
|
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
|
|
|
# See the License for the specific language governing permissions and
|
|
|
|
# limitations under the License.
|
2018-07-09 02:09:20 -04:00
|
|
|
import logging
|
2022-05-13 07:35:31 -04:00
|
|
|
from types import TracebackType
|
2021-11-29 11:57:06 -05:00
|
|
|
from typing import (
|
|
|
|
TYPE_CHECKING,
|
2022-05-13 07:35:31 -04:00
|
|
|
Any,
|
2021-11-29 11:57:06 -05:00
|
|
|
AsyncContextManager,
|
|
|
|
Awaitable,
|
|
|
|
Callable,
|
|
|
|
Dict,
|
|
|
|
Iterable,
|
2022-05-13 07:35:31 -04:00
|
|
|
List,
|
2021-11-29 11:57:06 -05:00
|
|
|
Optional,
|
2022-05-13 07:35:31 -04:00
|
|
|
Type,
|
2021-11-29 11:57:06 -05:00
|
|
|
)
|
|
|
|
|
|
|
|
import attr
|
2015-11-09 09:37:28 -05:00
|
|
|
|
2018-07-18 09:35:24 -04:00
|
|
|
from synapse.metrics.background_process_metrics import run_as_background_process
|
2022-05-13 07:35:31 -04:00
|
|
|
from synapse.storage.types import Connection, Cursor
|
2020-12-30 08:09:53 -05:00
|
|
|
from synapse.types import JsonDict
|
2021-11-29 11:57:06 -05:00
|
|
|
from synapse.util import Clock, json_encoder
|
2018-07-18 09:35:24 -04:00
|
|
|
|
2018-07-09 02:09:20 -04:00
|
|
|
from . import engines
|
2015-11-09 09:37:28 -05:00
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
if TYPE_CHECKING:
|
2021-03-23 07:12:48 -04:00
|
|
|
from synapse.server import HomeServer
|
2020-12-30 08:09:53 -05:00
|
|
|
from synapse.storage.database import DatabasePool, LoggingTransaction
|
|
|
|
|
2015-11-09 09:37:28 -05:00
|
|
|
logger = logging.getLogger(__name__)
|
|
|
|
|
|
|
|
|
2021-11-29 11:57:06 -05:00
|
|
|
ON_UPDATE_CALLBACK = Callable[[str, str, bool], AsyncContextManager[int]]
|
|
|
|
DEFAULT_BATCH_SIZE_CALLBACK = Callable[[str, str], Awaitable[int]]
|
|
|
|
MIN_BATCH_SIZE_CALLBACK = Callable[[str, str], Awaitable[int]]
|
|
|
|
|
|
|
|
|
|
|
|
@attr.s(slots=True, frozen=True, auto_attribs=True)
|
|
|
|
class _BackgroundUpdateHandler:
|
|
|
|
"""A handler for a given background update.
|
|
|
|
|
|
|
|
Attributes:
|
|
|
|
callback: The function to call to make progress on the background
|
|
|
|
update.
|
|
|
|
oneshot: Wether the update is likely to happen all in one go, ignoring
|
|
|
|
the supplied target duration, e.g. index creation. This is used by
|
|
|
|
the update controller to help correctly schedule the update.
|
|
|
|
"""
|
|
|
|
|
|
|
|
callback: Callable[[JsonDict, int], Awaitable[int]]
|
|
|
|
oneshot: bool = False
|
|
|
|
|
|
|
|
|
|
|
|
class _BackgroundUpdateContextManager:
|
2022-03-11 13:46:45 -05:00
|
|
|
def __init__(
|
|
|
|
self, sleep: bool, clock: Clock, sleep_duration_ms: int, update_duration: int
|
|
|
|
):
|
2021-11-29 11:57:06 -05:00
|
|
|
self._sleep = sleep
|
|
|
|
self._clock = clock
|
2022-03-11 13:46:45 -05:00
|
|
|
self._sleep_duration_ms = sleep_duration_ms
|
|
|
|
self._update_duration_ms = update_duration
|
2021-11-29 11:57:06 -05:00
|
|
|
|
|
|
|
async def __aenter__(self) -> int:
|
|
|
|
if self._sleep:
|
2022-03-11 13:46:45 -05:00
|
|
|
await self._clock.sleep(self._sleep_duration_ms / 1000)
|
2021-11-29 11:57:06 -05:00
|
|
|
|
2022-03-11 13:46:45 -05:00
|
|
|
return self._update_duration_ms
|
2021-11-29 11:57:06 -05:00
|
|
|
|
2022-05-13 07:35:31 -04:00
|
|
|
async def __aexit__(
|
|
|
|
self,
|
|
|
|
exc_type: Optional[Type[BaseException]],
|
|
|
|
exc: Optional[BaseException],
|
|
|
|
tb: Optional[TracebackType],
|
|
|
|
) -> None:
|
2021-11-29 11:57:06 -05:00
|
|
|
pass
|
|
|
|
|
|
|
|
|
2020-09-04 06:54:56 -04:00
|
|
|
class BackgroundUpdatePerformance:
|
2015-11-09 09:37:28 -05:00
|
|
|
"""Tracks the how long a background update is taking to update its items"""
|
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
def __init__(self, name: str):
|
2015-11-09 09:37:28 -05:00
|
|
|
self.name = name
|
|
|
|
self.total_item_count = 0
|
2020-12-30 08:09:53 -05:00
|
|
|
self.total_duration_ms = 0.0
|
|
|
|
self.avg_item_count = 0.0
|
|
|
|
self.avg_duration_ms = 0.0
|
2015-11-09 09:37:28 -05:00
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
def update(self, item_count: int, duration_ms: float) -> None:
|
2015-11-09 09:37:28 -05:00
|
|
|
"""Update the stats after doing an update"""
|
|
|
|
self.total_item_count += item_count
|
|
|
|
self.total_duration_ms += duration_ms
|
|
|
|
|
|
|
|
# Exponential moving averages for the number of items updated and
|
|
|
|
# the duration.
|
|
|
|
self.avg_item_count += 0.1 * (item_count - self.avg_item_count)
|
|
|
|
self.avg_duration_ms += 0.1 * (duration_ms - self.avg_duration_ms)
|
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
def average_items_per_ms(self) -> Optional[float]:
|
2015-11-09 09:37:28 -05:00
|
|
|
"""An estimate of how long it takes to do a single update.
|
|
|
|
Returns:
|
|
|
|
A duration in ms as a float
|
|
|
|
"""
|
2022-03-07 12:44:33 -05:00
|
|
|
# We want to return None if this is the first background update item
|
|
|
|
if self.total_item_count == 0:
|
2015-11-09 09:37:28 -05:00
|
|
|
return None
|
2022-03-07 12:44:33 -05:00
|
|
|
# Avoid dividing by zero
|
|
|
|
elif self.avg_duration_ms == 0:
|
|
|
|
return 0
|
2015-11-09 09:37:28 -05:00
|
|
|
else:
|
|
|
|
# Use the exponential moving average so that we can adapt to
|
|
|
|
# changes in how long the update process takes.
|
2015-11-10 10:50:58 -05:00
|
|
|
return float(self.avg_item_count) / float(self.avg_duration_ms)
|
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
def total_items_per_ms(self) -> Optional[float]:
|
2015-11-10 10:50:58 -05:00
|
|
|
"""An estimate of how long it takes to do a single update.
|
|
|
|
Returns:
|
|
|
|
A duration in ms as a float
|
|
|
|
"""
|
2019-03-18 13:50:24 -04:00
|
|
|
if self.total_duration_ms == 0:
|
|
|
|
return 0
|
|
|
|
elif self.total_item_count == 0:
|
2015-11-10 10:50:58 -05:00
|
|
|
return None
|
|
|
|
else:
|
|
|
|
return float(self.total_item_count) / float(self.total_duration_ms)
|
2015-11-09 09:37:28 -05:00
|
|
|
|
|
|
|
|
2020-09-04 06:54:56 -04:00
|
|
|
class BackgroundUpdater:
|
2015-11-09 09:37:28 -05:00
|
|
|
"""Background updates are updates to the database that run in the
|
|
|
|
background. Each update processes a batch of data at once. We attempt to
|
|
|
|
limit the impact of each update by monitoring how long each batch takes to
|
|
|
|
process and autotuning the batch size.
|
|
|
|
"""
|
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
def __init__(self, hs: "HomeServer", database: "DatabasePool"):
|
2019-12-04 10:09:36 -05:00
|
|
|
self._clock = hs.get_clock()
|
2020-08-05 16:38:57 -04:00
|
|
|
self.db_pool = database
|
2019-12-04 10:09:36 -05:00
|
|
|
|
2021-11-29 11:57:06 -05:00
|
|
|
self._database_name = database.name()
|
|
|
|
|
2020-03-31 12:43:19 -04:00
|
|
|
# if a background update is currently running, its name.
|
2021-07-15 12:46:54 -04:00
|
|
|
self._current_background_update: Optional[str] = None
|
|
|
|
|
2021-11-29 11:57:06 -05:00
|
|
|
self._on_update_callback: Optional[ON_UPDATE_CALLBACK] = None
|
|
|
|
self._default_batch_size_callback: Optional[DEFAULT_BATCH_SIZE_CALLBACK] = None
|
|
|
|
self._min_batch_size_callback: Optional[MIN_BATCH_SIZE_CALLBACK] = None
|
|
|
|
|
2021-07-15 12:46:54 -04:00
|
|
|
self._background_update_performance: Dict[str, BackgroundUpdatePerformance] = {}
|
2021-11-29 11:57:06 -05:00
|
|
|
self._background_update_handlers: Dict[str, _BackgroundUpdateHandler] = {}
|
2017-11-21 06:03:21 -05:00
|
|
|
self._all_done = False
|
2015-11-10 10:50:58 -05:00
|
|
|
|
2021-11-08 11:08:02 -05:00
|
|
|
# Whether we're currently running updates
|
|
|
|
self._running = False
|
|
|
|
|
|
|
|
# Whether background updates are enabled. This allows us to
|
|
|
|
# enable/disable background updates via the admin API.
|
|
|
|
self.enabled = True
|
|
|
|
|
2022-03-11 13:46:45 -05:00
|
|
|
self.minimum_background_batch_size = hs.config.background_updates.min_batch_size
|
|
|
|
self.default_background_batch_size = (
|
|
|
|
hs.config.background_updates.default_batch_size
|
|
|
|
)
|
|
|
|
self.update_duration_ms = hs.config.background_updates.update_duration_ms
|
|
|
|
self.sleep_duration_ms = hs.config.background_updates.sleep_duration_ms
|
|
|
|
self.sleep_enabled = hs.config.background_updates.sleep_enabled
|
|
|
|
|
2021-11-29 11:57:06 -05:00
|
|
|
def register_update_controller_callbacks(
|
|
|
|
self,
|
|
|
|
on_update: ON_UPDATE_CALLBACK,
|
|
|
|
default_batch_size: Optional[DEFAULT_BATCH_SIZE_CALLBACK] = None,
|
|
|
|
min_batch_size: Optional[DEFAULT_BATCH_SIZE_CALLBACK] = None,
|
|
|
|
) -> None:
|
|
|
|
"""Register callbacks from a module for each hook."""
|
|
|
|
if self._on_update_callback is not None:
|
|
|
|
logger.warning(
|
|
|
|
"More than one module tried to register callbacks for controlling"
|
|
|
|
" background updates. Only the callbacks registered by the first module"
|
|
|
|
" (in order of appearance in Synapse's configuration file) that tried to"
|
|
|
|
" do so will be called."
|
|
|
|
)
|
|
|
|
|
|
|
|
return
|
|
|
|
|
|
|
|
self._on_update_callback = on_update
|
|
|
|
|
|
|
|
if default_batch_size is not None:
|
|
|
|
self._default_batch_size_callback = default_batch_size
|
|
|
|
|
|
|
|
if min_batch_size is not None:
|
|
|
|
self._min_batch_size_callback = min_batch_size
|
|
|
|
|
|
|
|
def _get_context_manager_for_update(
|
|
|
|
self,
|
|
|
|
sleep: bool,
|
|
|
|
update_name: str,
|
|
|
|
database_name: str,
|
|
|
|
oneshot: bool,
|
|
|
|
) -> AsyncContextManager[int]:
|
|
|
|
"""Get a context manager to run a background update with.
|
|
|
|
|
|
|
|
If a module has registered a `update_handler` callback, use the context manager
|
|
|
|
it returns.
|
|
|
|
|
|
|
|
Otherwise, returns a context manager that will return a default value, optionally
|
|
|
|
sleeping if needed.
|
|
|
|
|
|
|
|
Args:
|
|
|
|
sleep: Whether we can sleep between updates.
|
|
|
|
update_name: The name of the update.
|
|
|
|
database_name: The name of the database the update is being run on.
|
|
|
|
oneshot: Whether the update will complete all in one go, e.g. index creation.
|
|
|
|
In such cases the returned target duration is ignored.
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
The target duration in milliseconds that the background update should run for.
|
|
|
|
|
|
|
|
Note: this is a *target*, and an iteration may take substantially longer or
|
|
|
|
shorter.
|
|
|
|
"""
|
|
|
|
if self._on_update_callback is not None:
|
|
|
|
return self._on_update_callback(update_name, database_name, oneshot)
|
|
|
|
|
2022-03-11 13:46:45 -05:00
|
|
|
return _BackgroundUpdateContextManager(
|
|
|
|
sleep, self._clock, self.sleep_duration_ms, self.update_duration_ms
|
|
|
|
)
|
2021-11-29 11:57:06 -05:00
|
|
|
|
|
|
|
async def _default_batch_size(self, update_name: str, database_name: str) -> int:
|
|
|
|
"""The batch size to use for the first iteration of a new background
|
|
|
|
update.
|
|
|
|
"""
|
|
|
|
if self._default_batch_size_callback is not None:
|
|
|
|
return await self._default_batch_size_callback(update_name, database_name)
|
|
|
|
|
2022-03-11 13:46:45 -05:00
|
|
|
return self.default_background_batch_size
|
2021-11-29 11:57:06 -05:00
|
|
|
|
|
|
|
async def _min_batch_size(self, update_name: str, database_name: str) -> int:
|
|
|
|
"""A lower bound on the batch size of a new background update.
|
|
|
|
|
|
|
|
Used to ensure that progress is always made. Must be greater than 0.
|
|
|
|
"""
|
|
|
|
if self._min_batch_size_callback is not None:
|
|
|
|
return await self._min_batch_size_callback(update_name, database_name)
|
|
|
|
|
2022-03-11 13:46:45 -05:00
|
|
|
return self.minimum_background_batch_size
|
2021-11-29 11:57:06 -05:00
|
|
|
|
2021-11-08 11:08:02 -05:00
|
|
|
def get_current_update(self) -> Optional[BackgroundUpdatePerformance]:
|
|
|
|
"""Returns the current background update, if any."""
|
|
|
|
|
|
|
|
update_name = self._current_background_update
|
|
|
|
if not update_name:
|
|
|
|
return None
|
|
|
|
|
|
|
|
perf = self._background_update_performance.get(update_name)
|
|
|
|
if not perf:
|
|
|
|
perf = BackgroundUpdatePerformance(update_name)
|
|
|
|
|
|
|
|
return perf
|
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
def start_doing_background_updates(self) -> None:
|
2021-11-08 11:08:02 -05:00
|
|
|
if self.enabled:
|
2021-11-19 14:39:46 -05:00
|
|
|
# if we start a new background update, not all updates are done.
|
|
|
|
self._all_done = False
|
2022-03-11 13:46:45 -05:00
|
|
|
sleep = self.sleep_enabled
|
|
|
|
run_as_background_process(
|
|
|
|
"background_updates", self.run_background_updates, sleep
|
|
|
|
)
|
2015-11-10 10:50:58 -05:00
|
|
|
|
2022-03-11 13:46:45 -05:00
|
|
|
async def run_background_updates(self, sleep: bool) -> None:
|
2021-11-08 11:08:02 -05:00
|
|
|
if self._running or not self.enabled:
|
|
|
|
return
|
|
|
|
|
|
|
|
self._running = True
|
|
|
|
|
2022-05-18 09:57:59 -04:00
|
|
|
back_to_back_failures = 0
|
|
|
|
|
2021-11-08 11:08:02 -05:00
|
|
|
try:
|
|
|
|
logger.info("Starting background schema updates")
|
|
|
|
while self.enabled:
|
|
|
|
try:
|
2021-11-29 11:57:06 -05:00
|
|
|
result = await self.do_next_background_update(sleep)
|
2022-05-18 09:57:59 -04:00
|
|
|
back_to_back_failures = 0
|
2021-11-08 11:08:02 -05:00
|
|
|
except Exception:
|
2022-05-18 09:57:59 -04:00
|
|
|
back_to_back_failures += 1
|
|
|
|
if back_to_back_failures >= 5:
|
|
|
|
raise RuntimeError(
|
|
|
|
"5 back-to-back background update failures; aborting."
|
|
|
|
)
|
2021-11-08 11:08:02 -05:00
|
|
|
logger.exception("Error doing update")
|
|
|
|
else:
|
|
|
|
if result:
|
|
|
|
logger.info(
|
|
|
|
"No more background updates to do."
|
|
|
|
" Unscheduling background update task."
|
|
|
|
)
|
|
|
|
self._all_done = True
|
|
|
|
return None
|
|
|
|
finally:
|
|
|
|
self._running = False
|
2015-11-09 09:37:28 -05:00
|
|
|
|
2020-03-31 12:25:10 -04:00
|
|
|
async def has_completed_background_updates(self) -> bool:
|
2017-11-21 06:03:21 -05:00
|
|
|
"""Check if all the background updates have completed
|
|
|
|
|
|
|
|
Returns:
|
2020-03-31 12:25:10 -04:00
|
|
|
True if all background updates have completed
|
2017-11-21 06:03:21 -05:00
|
|
|
"""
|
2017-11-22 13:02:15 -05:00
|
|
|
# if we've previously determined that there is nothing left to do, that
|
|
|
|
# is easy
|
|
|
|
if self._all_done:
|
2019-07-23 09:00:55 -04:00
|
|
|
return True
|
2017-11-22 13:02:15 -05:00
|
|
|
|
2020-04-02 07:04:55 -04:00
|
|
|
# obviously, if we are currently processing an update, we're not done.
|
2020-03-31 12:43:19 -04:00
|
|
|
if self._current_background_update:
|
2019-07-23 09:00:55 -04:00
|
|
|
return False
|
2017-11-22 13:02:15 -05:00
|
|
|
|
|
|
|
# otherwise, check if there are updates to be run. This is important,
|
|
|
|
# as we may be running on a worker which doesn't perform the bg updates
|
|
|
|
# itself, but still wants to wait for them to happen.
|
2020-08-05 16:38:57 -04:00
|
|
|
updates = await self.db_pool.simple_select_onecol(
|
2017-11-22 13:02:15 -05:00
|
|
|
"background_updates",
|
|
|
|
keyvalues=None,
|
|
|
|
retcol="1",
|
2019-09-24 09:18:31 -04:00
|
|
|
desc="has_completed_background_updates",
|
2017-11-22 13:02:15 -05:00
|
|
|
)
|
|
|
|
if not updates:
|
|
|
|
self._all_done = True
|
2019-07-23 09:00:55 -04:00
|
|
|
return True
|
2017-11-22 13:02:15 -05:00
|
|
|
|
2019-07-23 09:00:55 -04:00
|
|
|
return False
|
2017-11-21 06:03:21 -05:00
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
async def has_completed_background_update(self, update_name: str) -> bool:
|
2019-09-24 09:18:31 -04:00
|
|
|
"""Check if the given background update has finished running."""
|
|
|
|
if self._all_done:
|
|
|
|
return True
|
|
|
|
|
2020-03-31 12:43:19 -04:00
|
|
|
if update_name == self._current_background_update:
|
2019-09-24 09:18:31 -04:00
|
|
|
return False
|
|
|
|
|
2020-08-05 16:38:57 -04:00
|
|
|
update_exists = await self.db_pool.simple_select_one_onecol(
|
2019-09-24 09:18:31 -04:00
|
|
|
"background_updates",
|
|
|
|
keyvalues={"update_name": update_name},
|
|
|
|
retcol="1",
|
|
|
|
desc="has_completed_background_update",
|
|
|
|
allow_none=True,
|
|
|
|
)
|
|
|
|
|
|
|
|
return not update_exists
|
|
|
|
|
2021-11-29 11:57:06 -05:00
|
|
|
async def do_next_background_update(self, sleep: bool = True) -> bool:
|
2016-07-25 07:10:42 -04:00
|
|
|
"""Does some amount of work on the next queued background update
|
|
|
|
|
2020-01-07 09:12:42 -05:00
|
|
|
Returns once some amount of work is done.
|
|
|
|
|
2015-11-09 09:37:28 -05:00
|
|
|
Args:
|
2021-11-29 11:57:06 -05:00
|
|
|
sleep: Whether to limit how quickly we run background updates or
|
|
|
|
not.
|
|
|
|
|
2015-11-09 09:37:28 -05:00
|
|
|
Returns:
|
2020-04-03 05:51:32 -04:00
|
|
|
True if we have finished running all the background updates, otherwise False
|
2015-11-09 09:37:28 -05:00
|
|
|
"""
|
2020-03-31 12:43:19 -04:00
|
|
|
|
2022-05-13 07:35:31 -04:00
|
|
|
def get_background_updates_txn(txn: Cursor) -> List[Dict[str, Any]]:
|
2020-03-31 12:43:19 -04:00
|
|
|
txn.execute(
|
|
|
|
"""
|
|
|
|
SELECT update_name, depends_on FROM background_updates
|
|
|
|
ORDER BY ordering, update_name
|
|
|
|
"""
|
2015-11-09 09:37:28 -05:00
|
|
|
)
|
2020-08-05 16:38:57 -04:00
|
|
|
return self.db_pool.cursor_to_dict(txn)
|
2015-11-09 09:37:28 -05:00
|
|
|
|
2020-03-31 12:43:19 -04:00
|
|
|
if not self._current_background_update:
|
2020-08-05 16:38:57 -04:00
|
|
|
all_pending_updates = await self.db_pool.runInteraction(
|
2020-03-31 12:43:19 -04:00
|
|
|
"background_updates",
|
|
|
|
get_background_updates_txn,
|
|
|
|
)
|
|
|
|
if not all_pending_updates:
|
|
|
|
# no work left to do
|
|
|
|
return True
|
|
|
|
|
|
|
|
# find the first update which isn't dependent on another one in the queue.
|
|
|
|
pending = {update["update_name"] for update in all_pending_updates}
|
|
|
|
for upd in all_pending_updates:
|
|
|
|
depends_on = upd["depends_on"]
|
|
|
|
if not depends_on or depends_on not in pending:
|
|
|
|
break
|
|
|
|
logger.info(
|
|
|
|
"Not starting on bg update %s until %s is done",
|
|
|
|
upd["update_name"],
|
|
|
|
depends_on,
|
|
|
|
)
|
|
|
|
else:
|
|
|
|
# if we get to the end of that for loop, there is a problem
|
|
|
|
raise Exception(
|
|
|
|
"Unable to find a background update which doesn't depend on "
|
|
|
|
"another: dependency cycle?"
|
|
|
|
)
|
2015-11-09 09:37:28 -05:00
|
|
|
|
2020-03-31 12:43:19 -04:00
|
|
|
self._current_background_update = upd["update_name"]
|
2015-11-09 09:37:28 -05:00
|
|
|
|
2021-11-29 11:57:06 -05:00
|
|
|
# We have a background update to run, otherwise we would have returned
|
|
|
|
# early.
|
|
|
|
assert self._current_background_update is not None
|
|
|
|
update_info = self._background_update_handlers[self._current_background_update]
|
|
|
|
|
|
|
|
async with self._get_context_manager_for_update(
|
|
|
|
sleep=sleep,
|
|
|
|
update_name=self._current_background_update,
|
|
|
|
database_name=self._database_name,
|
|
|
|
oneshot=update_info.oneshot,
|
|
|
|
) as desired_duration_ms:
|
|
|
|
await self._do_background_update(desired_duration_ms)
|
|
|
|
|
2020-03-31 12:31:32 -04:00
|
|
|
return False
|
2016-07-25 07:10:42 -04:00
|
|
|
|
2020-03-31 12:43:19 -04:00
|
|
|
async def _do_background_update(self, desired_duration_ms: float) -> int:
|
2020-12-30 08:09:53 -05:00
|
|
|
assert self._current_background_update is not None
|
2020-03-31 12:43:19 -04:00
|
|
|
update_name = self._current_background_update
|
2019-04-03 05:07:29 -04:00
|
|
|
logger.info("Starting update batch on background update '%s'", update_name)
|
2016-07-25 07:10:42 -04:00
|
|
|
|
2021-11-29 11:57:06 -05:00
|
|
|
update_handler = self._background_update_handlers[update_name].callback
|
2015-11-09 09:37:28 -05:00
|
|
|
|
|
|
|
performance = self._background_update_performance.get(update_name)
|
|
|
|
|
|
|
|
if performance is None:
|
|
|
|
performance = BackgroundUpdatePerformance(update_name)
|
|
|
|
self._background_update_performance[update_name] = performance
|
|
|
|
|
2015-11-10 10:50:58 -05:00
|
|
|
items_per_ms = performance.average_items_per_ms()
|
2015-11-09 09:37:28 -05:00
|
|
|
|
2015-11-10 10:50:58 -05:00
|
|
|
if items_per_ms is not None:
|
|
|
|
batch_size = int(desired_duration_ms * items_per_ms)
|
2015-11-09 09:37:28 -05:00
|
|
|
# Clamp the batch size so that we always make progress
|
2021-11-29 11:57:06 -05:00
|
|
|
batch_size = max(
|
|
|
|
batch_size,
|
|
|
|
await self._min_batch_size(update_name, self._database_name),
|
|
|
|
)
|
2015-11-09 09:37:28 -05:00
|
|
|
else:
|
2021-11-29 11:57:06 -05:00
|
|
|
batch_size = await self._default_batch_size(
|
|
|
|
update_name, self._database_name
|
|
|
|
)
|
2015-11-09 09:37:28 -05:00
|
|
|
|
2020-08-05 16:38:57 -04:00
|
|
|
progress_json = await self.db_pool.simple_select_one_onecol(
|
2015-11-09 09:37:28 -05:00
|
|
|
"background_updates",
|
|
|
|
keyvalues={"update_name": update_name},
|
2019-04-03 05:07:29 -04:00
|
|
|
retcol="progress_json",
|
2015-11-09 09:37:28 -05:00
|
|
|
)
|
|
|
|
|
2020-07-16 11:32:19 -04:00
|
|
|
# Avoid a circular import.
|
|
|
|
from synapse.storage._base import db_to_json
|
|
|
|
|
|
|
|
progress = db_to_json(progress_json)
|
2015-11-09 09:37:28 -05:00
|
|
|
|
|
|
|
time_start = self._clock.time_msec()
|
2020-01-07 09:12:42 -05:00
|
|
|
items_updated = await update_handler(progress, batch_size)
|
2015-11-09 09:37:28 -05:00
|
|
|
time_stop = self._clock.time_msec()
|
|
|
|
|
|
|
|
duration_ms = time_stop - time_start
|
|
|
|
|
2021-11-29 11:57:06 -05:00
|
|
|
performance.update(items_updated, duration_ms)
|
|
|
|
|
2015-11-09 09:37:28 -05:00
|
|
|
logger.info(
|
2019-09-24 09:39:07 -04:00
|
|
|
"Running background update %r. Processed %r items in %rms."
|
2016-04-22 04:37:16 -04:00
|
|
|
" (total_rate=%r/ms, current_rate=%r/ms, total_updated=%r, batch_size=%r)",
|
2019-04-03 05:07:29 -04:00
|
|
|
update_name,
|
|
|
|
items_updated,
|
|
|
|
duration_ms,
|
2015-11-10 10:50:58 -05:00
|
|
|
performance.total_items_per_ms(),
|
|
|
|
performance.average_items_per_ms(),
|
|
|
|
performance.total_item_count,
|
2016-04-22 04:37:16 -04:00
|
|
|
batch_size,
|
2015-11-09 09:37:28 -05:00
|
|
|
)
|
|
|
|
|
2019-07-23 09:00:55 -04:00
|
|
|
return len(self._background_update_performance)
|
2015-11-09 09:37:28 -05:00
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
def register_background_update_handler(
|
|
|
|
self,
|
|
|
|
update_name: str,
|
|
|
|
update_handler: Callable[[JsonDict, int], Awaitable[int]],
|
2022-05-13 07:35:31 -04:00
|
|
|
) -> None:
|
2015-11-09 09:37:28 -05:00
|
|
|
"""Register a handler for doing a background update.
|
|
|
|
|
|
|
|
The handler should take two arguments:
|
|
|
|
|
|
|
|
* A dict of the current progress
|
|
|
|
* An integer count of the number of items to update in this batch.
|
|
|
|
|
2020-01-07 09:12:42 -05:00
|
|
|
The handler should return a deferred or coroutine which returns an integer count
|
|
|
|
of items updated.
|
|
|
|
|
2019-01-18 10:27:11 -05:00
|
|
|
The handler is responsible for updating the progress of the update.
|
2015-11-09 09:37:28 -05:00
|
|
|
|
|
|
|
Args:
|
2020-12-30 08:09:53 -05:00
|
|
|
update_name: The name of the update that this code handles.
|
|
|
|
update_handler: The function that does the update.
|
2015-11-09 09:37:28 -05:00
|
|
|
"""
|
2021-11-29 11:57:06 -05:00
|
|
|
self._background_update_handlers[update_name] = _BackgroundUpdateHandler(
|
|
|
|
update_handler
|
|
|
|
)
|
2015-11-09 09:37:28 -05:00
|
|
|
|
2019-04-03 05:07:29 -04:00
|
|
|
def register_background_index_update(
|
|
|
|
self,
|
2020-12-30 08:09:53 -05:00
|
|
|
update_name: str,
|
|
|
|
index_name: str,
|
|
|
|
table: str,
|
|
|
|
columns: Iterable[str],
|
|
|
|
where_clause: Optional[str] = None,
|
|
|
|
unique: bool = False,
|
|
|
|
psql_only: bool = False,
|
2022-05-19 09:16:49 -04:00
|
|
|
replaces_index: Optional[str] = None,
|
2020-12-30 08:09:53 -05:00
|
|
|
) -> None:
|
2016-07-22 08:14:03 -04:00
|
|
|
"""Helper for store classes to do a background index addition
|
|
|
|
|
|
|
|
To use:
|
|
|
|
|
|
|
|
1. use a schema delta file to add a background update. Example:
|
|
|
|
INSERT INTO background_updates (update_name, progress_json) VALUES
|
|
|
|
('my_new_index', '{}');
|
|
|
|
|
|
|
|
2. In the Store constructor, call this method
|
|
|
|
|
|
|
|
Args:
|
2020-12-30 08:09:53 -05:00
|
|
|
update_name: update_name to register for
|
|
|
|
index_name: name of index to add
|
|
|
|
table: table to add index to
|
|
|
|
columns: columns/expressions to include in index
|
|
|
|
unique: true to make a UNIQUE index
|
2017-05-11 07:46:55 -04:00
|
|
|
psql_only: true to only create this index on psql databases (useful
|
|
|
|
for virtual sqlite tables)
|
2022-05-19 09:16:49 -04:00
|
|
|
replaces_index: The name of an index that this index replaces.
|
|
|
|
The named index will be dropped upon completion of the new index.
|
2016-07-22 08:14:03 -04:00
|
|
|
"""
|
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
def create_index_psql(conn: Connection) -> None:
|
2016-07-22 08:14:03 -04:00
|
|
|
conn.rollback()
|
|
|
|
# postgres insists on autocommit for the index
|
2020-12-30 08:09:53 -05:00
|
|
|
conn.set_session(autocommit=True) # type: ignore
|
2016-07-22 08:14:03 -04:00
|
|
|
|
2017-04-27 10:27:48 -04:00
|
|
|
try:
|
|
|
|
c = conn.cursor()
|
|
|
|
|
|
|
|
# If a previous attempt to create the index was interrupted,
|
|
|
|
# we may already have a half-built index. Let's just drop it
|
|
|
|
# before trying to create it again.
|
|
|
|
|
|
|
|
sql = "DROP INDEX IF EXISTS %s" % (index_name,)
|
|
|
|
logger.debug("[SQL] %s", sql)
|
|
|
|
c.execute(sql)
|
|
|
|
|
|
|
|
sql = (
|
2017-05-11 06:57:02 -04:00
|
|
|
"CREATE %(unique)s INDEX CONCURRENTLY %(name)s"
|
|
|
|
" ON %(table)s"
|
2017-04-27 10:27:48 -04:00
|
|
|
" (%(columns)s) %(where_clause)s"
|
|
|
|
) % {
|
2017-05-11 06:57:02 -04:00
|
|
|
"unique": "UNIQUE" if unique else "",
|
2017-04-27 10:27:48 -04:00
|
|
|
"name": index_name,
|
|
|
|
"table": table,
|
|
|
|
"columns": ", ".join(columns),
|
2019-04-03 05:07:29 -04:00
|
|
|
"where_clause": "WHERE " + where_clause if where_clause else "",
|
2017-04-27 10:27:48 -04:00
|
|
|
}
|
|
|
|
logger.debug("[SQL] %s", sql)
|
|
|
|
c.execute(sql)
|
2022-05-19 09:16:49 -04:00
|
|
|
|
|
|
|
if replaces_index is not None:
|
|
|
|
# We drop the old index as the new index has now been created.
|
|
|
|
sql = f"DROP INDEX IF EXISTS {replaces_index}"
|
|
|
|
logger.debug("[SQL] %s", sql)
|
|
|
|
c.execute(sql)
|
2017-04-27 10:27:48 -04:00
|
|
|
finally:
|
2020-12-30 08:09:53 -05:00
|
|
|
conn.set_session(autocommit=False) # type: ignore
|
2017-04-27 10:27:48 -04:00
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
def create_index_sqlite(conn: Connection) -> None:
|
2017-04-27 10:27:48 -04:00
|
|
|
# Sqlite doesn't support concurrent creation of indexes.
|
|
|
|
#
|
|
|
|
# We don't use partial indices on SQLite as it wasn't introduced
|
2017-11-21 06:03:21 -05:00
|
|
|
# until 3.8, and wheezy and CentOS 7 have 3.7
|
2017-04-27 10:27:48 -04:00
|
|
|
#
|
|
|
|
# We assume that sqlite doesn't give us invalid indices; however
|
|
|
|
# we may still end up with the index existing but the
|
|
|
|
# background_updates not having been recorded if synapse got shut
|
|
|
|
# down at the wrong moment - hance we use IF NOT EXISTS. (SQLite
|
|
|
|
# has supported CREATE TABLE|INDEX IF NOT EXISTS since 3.3.0.)
|
|
|
|
sql = (
|
2017-05-11 06:57:02 -04:00
|
|
|
"CREATE %(unique)s INDEX IF NOT EXISTS %(name)s ON %(table)s"
|
2017-04-27 10:27:48 -04:00
|
|
|
" (%(columns)s)"
|
|
|
|
) % {
|
2017-05-11 06:57:02 -04:00
|
|
|
"unique": "UNIQUE" if unique else "",
|
2017-04-27 10:27:48 -04:00
|
|
|
"name": index_name,
|
|
|
|
"table": table,
|
|
|
|
"columns": ", ".join(columns),
|
|
|
|
}
|
|
|
|
|
2016-07-22 08:14:03 -04:00
|
|
|
c = conn.cursor()
|
2017-04-27 10:27:48 -04:00
|
|
|
logger.debug("[SQL] %s", sql)
|
2016-07-22 08:14:03 -04:00
|
|
|
c.execute(sql)
|
|
|
|
|
2022-05-19 09:16:49 -04:00
|
|
|
if replaces_index is not None:
|
|
|
|
# We drop the old index as the new index has now been created.
|
|
|
|
sql = f"DROP INDEX IF EXISTS {replaces_index}"
|
|
|
|
logger.debug("[SQL] %s", sql)
|
|
|
|
c.execute(sql)
|
|
|
|
|
2020-08-05 16:38:57 -04:00
|
|
|
if isinstance(self.db_pool.engine, engines.PostgresEngine):
|
2021-07-15 12:46:54 -04:00
|
|
|
runner: Optional[Callable[[Connection], None]] = create_index_psql
|
2017-05-11 07:46:55 -04:00
|
|
|
elif psql_only:
|
|
|
|
runner = None
|
2017-04-27 10:27:48 -04:00
|
|
|
else:
|
|
|
|
runner = create_index_sqlite
|
|
|
|
|
2022-05-13 07:35:31 -04:00
|
|
|
async def updater(progress: JsonDict, batch_size: int) -> int:
|
2017-05-11 07:46:55 -04:00
|
|
|
if runner is not None:
|
|
|
|
logger.info("Adding index %s to %s", index_name, table)
|
2020-08-14 07:24:26 -04:00
|
|
|
await self.db_pool.runWithConnection(runner)
|
|
|
|
await self._end_background_update(update_name)
|
2019-07-23 09:00:55 -04:00
|
|
|
return 1
|
2016-07-22 08:14:03 -04:00
|
|
|
|
2021-11-29 11:57:06 -05:00
|
|
|
self._background_update_handlers[update_name] = _BackgroundUpdateHandler(
|
|
|
|
updater, oneshot=True
|
|
|
|
)
|
2016-07-22 08:14:03 -04:00
|
|
|
|
2020-08-27 07:41:01 -04:00
|
|
|
async def _end_background_update(self, update_name: str) -> None:
|
2015-11-09 09:37:28 -05:00
|
|
|
"""Removes a completed background update task from the queue.
|
|
|
|
|
|
|
|
Args:
|
2020-08-27 07:41:01 -04:00
|
|
|
update_name:: The name of the completed task to remove
|
|
|
|
|
2015-11-09 09:37:28 -05:00
|
|
|
Returns:
|
2020-08-27 07:41:01 -04:00
|
|
|
None, completes once the task is removed.
|
2015-11-09 09:37:28 -05:00
|
|
|
"""
|
2020-03-31 12:43:19 -04:00
|
|
|
if update_name != self._current_background_update:
|
|
|
|
raise Exception(
|
|
|
|
"Cannot end background update %s which isn't currently running"
|
|
|
|
% update_name
|
|
|
|
)
|
|
|
|
self._current_background_update = None
|
2020-08-27 07:41:01 -04:00
|
|
|
await self.db_pool.simple_delete_one(
|
2015-11-09 09:37:28 -05:00
|
|
|
"background_updates", keyvalues={"update_name": update_name}
|
|
|
|
)
|
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
async def _background_update_progress(
|
|
|
|
self, update_name: str, progress: dict
|
|
|
|
) -> None:
|
2020-01-07 09:18:43 -05:00
|
|
|
"""Update the progress of a background update
|
|
|
|
|
|
|
|
Args:
|
|
|
|
update_name: The name of the background update task
|
|
|
|
progress: The progress of the update.
|
|
|
|
"""
|
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
await self.db_pool.runInteraction(
|
2020-01-07 09:18:43 -05:00
|
|
|
"background_update_progress",
|
|
|
|
self._background_update_progress_txn,
|
|
|
|
update_name,
|
|
|
|
progress,
|
|
|
|
)
|
|
|
|
|
2020-12-30 08:09:53 -05:00
|
|
|
def _background_update_progress_txn(
|
|
|
|
self, txn: "LoggingTransaction", update_name: str, progress: JsonDict
|
|
|
|
) -> None:
|
2015-11-09 09:37:28 -05:00
|
|
|
"""Update the progress of a background update
|
|
|
|
|
|
|
|
Args:
|
2020-12-30 08:09:53 -05:00
|
|
|
txn: The transaction.
|
|
|
|
update_name: The name of the background update task
|
|
|
|
progress: The progress of the update.
|
2015-11-09 09:37:28 -05:00
|
|
|
"""
|
|
|
|
|
2020-08-20 10:32:33 -04:00
|
|
|
progress_json = json_encoder.encode(progress)
|
2015-11-09 09:37:28 -05:00
|
|
|
|
2020-08-05 16:38:57 -04:00
|
|
|
self.db_pool.simple_update_one_txn(
|
2015-11-09 09:37:28 -05:00
|
|
|
txn,
|
|
|
|
"background_updates",
|
|
|
|
keyvalues={"update_name": update_name},
|
|
|
|
updatevalues={"progress_json": progress_json},
|
|
|
|
)
|