Line data Source code
1 : //! Timeline repository implementation that keeps old data in layer files, and
2 : //! the recent changes in ephemeral files.
3 : //!
4 : //! See tenant/*_layer.rs files. The functions here are responsible for locating
5 : //! the correct layer for the get/put call, walking back the timeline branching
6 : //! history as needed.
7 : //!
8 : //! The files are stored in the .neon/tenants/<tenant_id>/timelines/<timeline_id>
9 : //! directory. See docs/pageserver-storage.md for how the files are managed.
10 : //! In addition to the layer files, there is a metadata file in the same
11 : //! directory that contains information about the timeline, in particular its
12 : //! parent timeline, and the last LSN that has been written to disk.
13 : //!
14 :
15 : use std::collections::hash_map::Entry;
16 : use std::collections::{BTreeMap, HashMap, HashSet};
17 : use std::fmt::{Debug, Display};
18 : use std::fs::File;
19 : use std::future::Future;
20 : use std::sync::atomic::{AtomicBool, AtomicU64, Ordering};
21 : use std::sync::{Arc, Mutex, Weak};
22 : use std::time::{Duration, Instant, SystemTime};
23 : use std::{fmt, fs};
24 :
25 : use anyhow::{Context, bail};
26 : use arc_swap::ArcSwap;
27 : use camino::{Utf8Path, Utf8PathBuf};
28 : use chrono::NaiveDateTime;
29 : use enumset::EnumSet;
30 : use futures::StreamExt;
31 : use futures::stream::FuturesUnordered;
32 : use itertools::Itertools as _;
33 : use once_cell::sync::Lazy;
34 : pub use pageserver_api::models::TenantState;
35 : use pageserver_api::models::{self, RelSizeMigration};
36 : use pageserver_api::models::{
37 : CompactInfoResponse, LsnLease, TimelineArchivalState, TimelineState, TopTenantShardItem,
38 : WalRedoManagerStatus,
39 : };
40 : use pageserver_api::shard::{ShardIdentity, ShardStripeSize, TenantShardId};
41 : use remote_storage::{DownloadError, GenericRemoteStorage, TimeoutOrCancel};
42 : use remote_timeline_client::index::GcCompactionState;
43 : use remote_timeline_client::manifest::{
44 : LATEST_TENANT_MANIFEST_VERSION, OffloadedTimelineManifest, TenantManifest,
45 : };
46 : use remote_timeline_client::{
47 : FAILED_REMOTE_OP_RETRIES, FAILED_UPLOAD_WARN_THRESHOLD, UploadQueueNotReadyError,
48 : };
49 : use secondary::heatmap::{HeatMapTenant, HeatMapTimeline};
50 : use storage_broker::BrokerClientChannel;
51 : use timeline::compaction::{CompactionOutcome, GcCompactionQueue};
52 : use timeline::offload::{OffloadError, offload_timeline};
53 : use timeline::{
54 : CompactFlags, CompactOptions, CompactionError, PreviousHeatmap, ShutdownMode, import_pgdata,
55 : };
56 : use tokio::io::BufReader;
57 : use tokio::sync::{Notify, Semaphore, watch};
58 : use tokio::task::JoinSet;
59 : use tokio_util::sync::CancellationToken;
60 : use tracing::*;
61 : use upload_queue::NotInitialized;
62 : use utils::circuit_breaker::CircuitBreaker;
63 : use utils::crashsafe::path_with_suffix_extension;
64 : use utils::sync::gate::{Gate, GateGuard};
65 : use utils::timeout::{TimeoutCancellableError, timeout_cancellable};
66 : use utils::try_rcu::ArcSwapExt;
67 : use utils::zstd::{create_zst_tarball, extract_zst_tarball};
68 : use utils::{backoff, completion, failpoint_support, fs_ext, pausable_failpoint};
69 :
70 : use self::config::{AttachedLocationConfig, AttachmentMode, LocationConf};
71 : use self::metadata::TimelineMetadata;
72 : use self::mgr::{GetActiveTenantError, GetTenantError};
73 : use self::remote_timeline_client::upload::{upload_index_part, upload_tenant_manifest};
74 : use self::remote_timeline_client::{RemoteTimelineClient, WaitCompletionError};
75 : use self::timeline::uninit::{TimelineCreateGuard, TimelineExclusionError, UninitializedTimeline};
76 : use self::timeline::{
77 : EvictionTaskTenantState, GcCutoffs, TimelineDeleteProgress, TimelineResources, WaitLsnError,
78 : };
79 : use crate::config::PageServerConf;
80 : use crate::context;
81 : use crate::context::RequestContextBuilder;
82 : use crate::context::{DownloadBehavior, RequestContext};
83 : use crate::deletion_queue::{DeletionQueueClient, DeletionQueueError};
84 : use crate::l0_flush::L0FlushGlobalState;
85 : use crate::metrics::{
86 : BROKEN_TENANTS_SET, CIRCUIT_BREAKERS_BROKEN, CIRCUIT_BREAKERS_UNBROKEN, CONCURRENT_INITDBS,
87 : INITDB_RUN_TIME, INITDB_SEMAPHORE_ACQUISITION_TIME, TENANT, TENANT_STATE_METRIC,
88 : TENANT_SYNTHETIC_SIZE_METRIC, remove_tenant_metrics,
89 : };
90 : use crate::task_mgr::TaskKind;
91 : use crate::tenant::config::LocationMode;
92 : use crate::tenant::gc_result::GcResult;
93 : pub use crate::tenant::remote_timeline_client::index::IndexPart;
94 : use crate::tenant::remote_timeline_client::{
95 : INITDB_PATH, MaybeDeletedIndexPart, remote_initdb_archive_path,
96 : };
97 : use crate::tenant::storage_layer::{DeltaLayer, ImageLayer};
98 : use crate::tenant::timeline::delete::DeleteTimelineFlow;
99 : use crate::tenant::timeline::uninit::cleanup_timeline_directory;
100 : use crate::virtual_file::VirtualFile;
101 : use crate::walingest::WalLagCooldown;
102 : use crate::walredo::PostgresRedoManager;
103 : use crate::{InitializationOrder, TEMP_FILE_SUFFIX, import_datadir, span, task_mgr, walredo};
104 :
105 0 : static INIT_DB_SEMAPHORE: Lazy<Semaphore> = Lazy::new(|| Semaphore::new(8));
106 : use utils::crashsafe;
107 : use utils::generation::Generation;
108 : use utils::id::TimelineId;
109 : use utils::lsn::{Lsn, RecordLsn};
110 :
111 : pub mod blob_io;
112 : pub mod block_io;
113 : pub mod vectored_blob_io;
114 :
115 : pub mod disk_btree;
116 : pub(crate) mod ephemeral_file;
117 : pub mod layer_map;
118 :
119 : pub mod metadata;
120 : pub mod remote_timeline_client;
121 : pub mod storage_layer;
122 :
123 : pub mod checks;
124 : pub mod config;
125 : pub mod mgr;
126 : pub mod secondary;
127 : pub mod tasks;
128 : pub mod upload_queue;
129 :
130 : pub(crate) mod timeline;
131 :
132 : pub mod size;
133 :
134 : mod gc_block;
135 : mod gc_result;
136 : pub(crate) mod throttle;
137 :
138 : pub(crate) use timeline::{LogicalSizeCalculationCause, PageReconstructError, Timeline};
139 :
140 : pub(crate) use crate::span::debug_assert_current_span_has_tenant_and_timeline_id;
141 : // re-export for use in walreceiver
142 : pub use crate::tenant::timeline::WalReceiverInfo;
143 :
144 : /// The "tenants" part of `tenants/<tenant>/timelines...`
145 : pub const TENANTS_SEGMENT_NAME: &str = "tenants";
146 :
147 : /// Parts of the `.neon/tenants/<tenant_id>/timelines/<timeline_id>` directory prefix.
148 : pub const TIMELINES_SEGMENT_NAME: &str = "timelines";
149 :
150 : /// References to shared objects that are passed into each tenant, such
151 : /// as the shared remote storage client and process initialization state.
152 : #[derive(Clone)]
153 : pub struct TenantSharedResources {
154 : pub broker_client: storage_broker::BrokerClientChannel,
155 : pub remote_storage: GenericRemoteStorage,
156 : pub deletion_queue_client: DeletionQueueClient,
157 : pub l0_flush_global_state: L0FlushGlobalState,
158 : }
159 :
160 : /// A [`Tenant`] is really an _attached_ tenant. The configuration
161 : /// for an attached tenant is a subset of the [`LocationConf`], represented
162 : /// in this struct.
163 : #[derive(Clone)]
164 : pub(super) struct AttachedTenantConf {
165 : tenant_conf: pageserver_api::models::TenantConfig,
166 : location: AttachedLocationConfig,
167 : /// The deadline before which we are blocked from GC so that
168 : /// leases have a chance to be renewed.
169 : lsn_lease_deadline: Option<tokio::time::Instant>,
170 : }
171 :
172 : impl AttachedTenantConf {
173 452 : fn new(
174 452 : tenant_conf: pageserver_api::models::TenantConfig,
175 452 : location: AttachedLocationConfig,
176 452 : ) -> Self {
177 : // Sets a deadline before which we cannot proceed to GC due to lsn lease.
178 : //
179 : // We do this as the leases mapping are not persisted to disk. By delaying GC by lease
180 : // length, we guarantee that all the leases we granted before will have a chance to renew
181 : // when we run GC for the first time after restart / transition from AttachedMulti to AttachedSingle.
182 452 : let lsn_lease_deadline = if location.attach_mode == AttachmentMode::Single {
183 452 : Some(
184 452 : tokio::time::Instant::now()
185 452 : + tenant_conf
186 452 : .lsn_lease_length
187 452 : .unwrap_or(LsnLease::DEFAULT_LENGTH),
188 452 : )
189 : } else {
190 : // We don't use `lsn_lease_deadline` to delay GC in AttachedMulti and AttachedStale
191 : // because we don't do GC in these modes.
192 0 : None
193 : };
194 :
195 452 : Self {
196 452 : tenant_conf,
197 452 : location,
198 452 : lsn_lease_deadline,
199 452 : }
200 452 : }
201 :
202 452 : fn try_from(location_conf: LocationConf) -> anyhow::Result<Self> {
203 452 : match &location_conf.mode {
204 452 : LocationMode::Attached(attach_conf) => {
205 452 : Ok(Self::new(location_conf.tenant_conf, *attach_conf))
206 : }
207 : LocationMode::Secondary(_) => {
208 0 : anyhow::bail!(
209 0 : "Attempted to construct AttachedTenantConf from a LocationConf in secondary mode"
210 0 : )
211 : }
212 : }
213 452 : }
214 :
215 1524 : fn is_gc_blocked_by_lsn_lease_deadline(&self) -> bool {
216 1524 : self.lsn_lease_deadline
217 1524 : .map(|d| tokio::time::Instant::now() < d)
218 1524 : .unwrap_or(false)
219 1524 : }
220 : }
221 : struct TimelinePreload {
222 : timeline_id: TimelineId,
223 : client: RemoteTimelineClient,
224 : index_part: Result<MaybeDeletedIndexPart, DownloadError>,
225 : previous_heatmap: Option<PreviousHeatmap>,
226 : }
227 :
228 : pub(crate) struct TenantPreload {
229 : tenant_manifest: TenantManifest,
230 : /// Map from timeline ID to a possible timeline preload. It is None iff the timeline is offloaded according to the manifest.
231 : timelines: HashMap<TimelineId, Option<TimelinePreload>>,
232 : }
233 :
234 : /// When we spawn a tenant, there is a special mode for tenant creation that
235 : /// avoids trying to read anything from remote storage.
236 : pub(crate) enum SpawnMode {
237 : /// Activate as soon as possible
238 : Eager,
239 : /// Lazy activation in the background, with the option to skip the queue if the need comes up
240 : Lazy,
241 : }
242 :
243 : ///
244 : /// Tenant consists of multiple timelines. Keep them in a hash table.
245 : ///
246 : pub struct Tenant {
247 : // Global pageserver config parameters
248 : pub conf: &'static PageServerConf,
249 :
250 : /// The value creation timestamp, used to measure activation delay, see:
251 : /// <https://github.com/neondatabase/neon/issues/4025>
252 : constructed_at: Instant,
253 :
254 : state: watch::Sender<TenantState>,
255 :
256 : // Overridden tenant-specific config parameters.
257 : // We keep pageserver_api::models::TenantConfig sturct here to preserve the information
258 : // about parameters that are not set.
259 : // This is necessary to allow global config updates.
260 : tenant_conf: Arc<ArcSwap<AttachedTenantConf>>,
261 :
262 : tenant_shard_id: TenantShardId,
263 :
264 : // The detailed sharding information, beyond the number/count in tenant_shard_id
265 : shard_identity: ShardIdentity,
266 :
267 : /// The remote storage generation, used to protect S3 objects from split-brain.
268 : /// Does not change over the lifetime of the [`Tenant`] object.
269 : ///
270 : /// This duplicates the generation stored in LocationConf, but that structure is mutable:
271 : /// this copy enforces the invariant that generatio doesn't change during a Tenant's lifetime.
272 : generation: Generation,
273 :
274 : timelines: Mutex<HashMap<TimelineId, Arc<Timeline>>>,
275 :
276 : /// During timeline creation, we first insert the TimelineId to the
277 : /// creating map, then `timelines`, then remove it from the creating map.
278 : /// **Lock order**: if acquiring all (or a subset), acquire them in order `timelines`, `timelines_offloaded`, `timelines_creating`
279 : timelines_creating: std::sync::Mutex<HashSet<TimelineId>>,
280 :
281 : /// Possibly offloaded and archived timelines
282 : /// **Lock order**: if acquiring all (or a subset), acquire them in order `timelines`, `timelines_offloaded`, `timelines_creating`
283 : timelines_offloaded: Mutex<HashMap<TimelineId, Arc<OffloadedTimeline>>>,
284 :
285 : /// Serialize writes of the tenant manifest to remote storage. If there are concurrent operations
286 : /// affecting the manifest, such as timeline deletion and timeline offload, they must wait for
287 : /// each other (this could be optimized to coalesce writes if necessary).
288 : ///
289 : /// The contents of the Mutex are the last manifest we successfully uploaded
290 : tenant_manifest_upload: tokio::sync::Mutex<Option<TenantManifest>>,
291 :
292 : // This mutex prevents creation of new timelines during GC.
293 : // Adding yet another mutex (in addition to `timelines`) is needed because holding
294 : // `timelines` mutex during all GC iteration
295 : // may block for a long time `get_timeline`, `get_timelines_state`,... and other operations
296 : // with timelines, which in turn may cause dropping replication connection, expiration of wait_for_lsn
297 : // timeout...
298 : gc_cs: tokio::sync::Mutex<()>,
299 : walredo_mgr: Option<Arc<WalRedoManager>>,
300 :
301 : // provides access to timeline data sitting in the remote storage
302 : pub(crate) remote_storage: GenericRemoteStorage,
303 :
304 : // Access to global deletion queue for when this tenant wants to schedule a deletion
305 : deletion_queue_client: DeletionQueueClient,
306 :
307 : /// Cached logical sizes updated updated on each [`Tenant::gather_size_inputs`].
308 : cached_logical_sizes: tokio::sync::Mutex<HashMap<(TimelineId, Lsn), u64>>,
309 : cached_synthetic_tenant_size: Arc<AtomicU64>,
310 :
311 : eviction_task_tenant_state: tokio::sync::Mutex<EvictionTaskTenantState>,
312 :
313 : /// Track repeated failures to compact, so that we can back off.
314 : /// Overhead of mutex is acceptable because compaction is done with a multi-second period.
315 : compaction_circuit_breaker: std::sync::Mutex<CircuitBreaker>,
316 :
317 : /// Signals the tenant compaction loop that there is L0 compaction work to be done.
318 : pub(crate) l0_compaction_trigger: Arc<Notify>,
319 :
320 : /// Scheduled gc-compaction tasks.
321 : scheduled_compaction_tasks: std::sync::Mutex<HashMap<TimelineId, Arc<GcCompactionQueue>>>,
322 :
323 : /// If the tenant is in Activating state, notify this to encourage it
324 : /// to proceed to Active as soon as possible, rather than waiting for lazy
325 : /// background warmup.
326 : pub(crate) activate_now_sem: tokio::sync::Semaphore,
327 :
328 : /// Time it took for the tenant to activate. Zero if not active yet.
329 : attach_wal_lag_cooldown: Arc<std::sync::OnceLock<WalLagCooldown>>,
330 :
331 : // Cancellation token fires when we have entered shutdown(). This is a parent of
332 : // Timelines' cancellation token.
333 : pub(crate) cancel: CancellationToken,
334 :
335 : // Users of the Tenant such as the page service must take this Gate to avoid
336 : // trying to use a Tenant which is shutting down.
337 : pub(crate) gate: Gate,
338 :
339 : /// Throttle applied at the top of [`Timeline::get`].
340 : /// All [`Tenant::timelines`] of a given [`Tenant`] instance share the same [`throttle::Throttle`] instance.
341 : pub(crate) pagestream_throttle: Arc<throttle::Throttle>,
342 :
343 : pub(crate) pagestream_throttle_metrics: Arc<crate::metrics::tenant_throttling::Pagestream>,
344 :
345 : /// An ongoing timeline detach concurrency limiter.
346 : ///
347 : /// As a tenant will likely be restarted as part of timeline detach ancestor it makes no sense
348 : /// to have two running at the same time. A different one can be started if an earlier one
349 : /// has failed for whatever reason.
350 : ongoing_timeline_detach: std::sync::Mutex<Option<(TimelineId, utils::completion::Barrier)>>,
351 :
352 : /// `index_part.json` based gc blocking reason tracking.
353 : ///
354 : /// New gc iterations must start a new iteration by acquiring `GcBlock::start` before
355 : /// proceeding.
356 : pub(crate) gc_block: gc_block::GcBlock,
357 :
358 : l0_flush_global_state: L0FlushGlobalState,
359 : }
360 : impl std::fmt::Debug for Tenant {
361 0 : fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
362 0 : write!(f, "{} ({})", self.tenant_shard_id, self.current_state())
363 0 : }
364 : }
365 :
366 : pub(crate) enum WalRedoManager {
367 : Prod(WalredoManagerId, PostgresRedoManager),
368 : #[cfg(test)]
369 : Test(harness::TestRedoManager),
370 : }
371 :
372 : #[derive(thiserror::Error, Debug)]
373 : #[error("pageserver is shutting down")]
374 : pub(crate) struct GlobalShutDown;
375 :
376 : impl WalRedoManager {
377 0 : pub(crate) fn new(mgr: PostgresRedoManager) -> Result<Arc<Self>, GlobalShutDown> {
378 0 : let id = WalredoManagerId::next();
379 0 : let arc = Arc::new(Self::Prod(id, mgr));
380 0 : let mut guard = WALREDO_MANAGERS.lock().unwrap();
381 0 : match &mut *guard {
382 0 : Some(map) => {
383 0 : map.insert(id, Arc::downgrade(&arc));
384 0 : Ok(arc)
385 : }
386 0 : None => Err(GlobalShutDown),
387 : }
388 0 : }
389 : }
390 :
391 : impl Drop for WalRedoManager {
392 20 : fn drop(&mut self) {
393 20 : match self {
394 0 : Self::Prod(id, _) => {
395 0 : let mut guard = WALREDO_MANAGERS.lock().unwrap();
396 0 : if let Some(map) = &mut *guard {
397 0 : map.remove(id).expect("new() registers, drop() unregisters");
398 0 : }
399 : }
400 : #[cfg(test)]
401 20 : Self::Test(_) => {
402 20 : // Not applicable to test redo manager
403 20 : }
404 : }
405 20 : }
406 : }
407 :
408 : /// Global registry of all walredo managers so that [`crate::shutdown_pageserver`] can shut down
409 : /// the walredo processes outside of the regular order.
410 : ///
411 : /// This is necessary to work around a systemd bug where it freezes if there are
412 : /// walredo processes left => <https://github.com/neondatabase/cloud/issues/11387>
413 : #[allow(clippy::type_complexity)]
414 : pub(crate) static WALREDO_MANAGERS: once_cell::sync::Lazy<
415 : Mutex<Option<HashMap<WalredoManagerId, Weak<WalRedoManager>>>>,
416 0 : > = once_cell::sync::Lazy::new(|| Mutex::new(Some(HashMap::new())));
417 : #[derive(PartialEq, Eq, Hash, Clone, Copy, Debug)]
418 : pub(crate) struct WalredoManagerId(u64);
419 : impl WalredoManagerId {
420 0 : pub fn next() -> Self {
421 : static NEXT: std::sync::atomic::AtomicU64 = std::sync::atomic::AtomicU64::new(1);
422 0 : let id = NEXT.fetch_add(1, std::sync::atomic::Ordering::Relaxed);
423 0 : if id == 0 {
424 0 : panic!(
425 0 : "WalredoManagerId::new() returned 0, indicating wraparound, risking it's no longer unique"
426 0 : );
427 0 : }
428 0 : Self(id)
429 0 : }
430 : }
431 :
432 : #[cfg(test)]
433 : impl From<harness::TestRedoManager> for WalRedoManager {
434 452 : fn from(mgr: harness::TestRedoManager) -> Self {
435 452 : Self::Test(mgr)
436 452 : }
437 : }
438 :
439 : impl WalRedoManager {
440 12 : pub(crate) async fn shutdown(&self) -> bool {
441 12 : match self {
442 0 : Self::Prod(_, mgr) => mgr.shutdown().await,
443 : #[cfg(test)]
444 : Self::Test(_) => {
445 : // Not applicable to test redo manager
446 12 : true
447 : }
448 : }
449 12 : }
450 :
451 0 : pub(crate) fn maybe_quiesce(&self, idle_timeout: Duration) {
452 0 : match self {
453 0 : Self::Prod(_, mgr) => mgr.maybe_quiesce(idle_timeout),
454 0 : #[cfg(test)]
455 0 : Self::Test(_) => {
456 0 : // Not applicable to test redo manager
457 0 : }
458 0 : }
459 0 : }
460 :
461 : /// # Cancel-Safety
462 : ///
463 : /// This method is cancellation-safe.
464 1676 : pub async fn request_redo(
465 1676 : &self,
466 1676 : key: pageserver_api::key::Key,
467 1676 : lsn: Lsn,
468 1676 : base_img: Option<(Lsn, bytes::Bytes)>,
469 1676 : records: Vec<(Lsn, pageserver_api::record::NeonWalRecord)>,
470 1676 : pg_version: u32,
471 1676 : ) -> Result<bytes::Bytes, walredo::Error> {
472 1676 : match self {
473 0 : Self::Prod(_, mgr) => {
474 0 : mgr.request_redo(key, lsn, base_img, records, pg_version)
475 0 : .await
476 : }
477 : #[cfg(test)]
478 1676 : Self::Test(mgr) => {
479 1676 : mgr.request_redo(key, lsn, base_img, records, pg_version)
480 1676 : .await
481 : }
482 : }
483 1676 : }
484 :
485 0 : pub(crate) fn status(&self) -> Option<WalRedoManagerStatus> {
486 0 : match self {
487 0 : WalRedoManager::Prod(_, m) => Some(m.status()),
488 0 : #[cfg(test)]
489 0 : WalRedoManager::Test(_) => None,
490 0 : }
491 0 : }
492 : }
493 :
494 : /// A very lightweight memory representation of an offloaded timeline.
495 : ///
496 : /// We need to store the list of offloaded timelines so that we can perform operations on them,
497 : /// like unoffloading them, or (at a later date), decide to perform flattening.
498 : /// This type has a much smaller memory impact than [`Timeline`], and thus we can store many
499 : /// more offloaded timelines than we can manage ones that aren't.
500 : pub struct OffloadedTimeline {
501 : pub tenant_shard_id: TenantShardId,
502 : pub timeline_id: TimelineId,
503 : pub ancestor_timeline_id: Option<TimelineId>,
504 : /// Whether to retain the branch lsn at the ancestor or not
505 : pub ancestor_retain_lsn: Option<Lsn>,
506 :
507 : /// When the timeline was archived.
508 : ///
509 : /// Present for future flattening deliberations.
510 : pub archived_at: NaiveDateTime,
511 :
512 : /// Prevent two tasks from deleting the timeline at the same time. If held, the
513 : /// timeline is being deleted. If 'true', the timeline has already been deleted.
514 : pub delete_progress: TimelineDeleteProgress,
515 :
516 : /// Part of the `OffloadedTimeline` object's lifecycle: this needs to be set before we drop it
517 : pub deleted_from_ancestor: AtomicBool,
518 : }
519 :
520 : impl OffloadedTimeline {
521 : /// Obtains an offloaded timeline from a given timeline object.
522 : ///
523 : /// Returns `None` if the `archived_at` flag couldn't be obtained, i.e.
524 : /// the timeline is not in a stopped state.
525 : /// Panics if the timeline is not archived.
526 4 : fn from_timeline(timeline: &Timeline) -> Result<Self, UploadQueueNotReadyError> {
527 4 : let (ancestor_retain_lsn, ancestor_timeline_id) =
528 4 : if let Some(ancestor_timeline) = timeline.ancestor_timeline() {
529 4 : let ancestor_lsn = timeline.get_ancestor_lsn();
530 4 : let ancestor_timeline_id = ancestor_timeline.timeline_id;
531 4 : let mut gc_info = ancestor_timeline.gc_info.write().unwrap();
532 4 : gc_info.insert_child(timeline.timeline_id, ancestor_lsn, MaybeOffloaded::Yes);
533 4 : (Some(ancestor_lsn), Some(ancestor_timeline_id))
534 : } else {
535 0 : (None, None)
536 : };
537 4 : let archived_at = timeline
538 4 : .remote_client
539 4 : .archived_at_stopped_queue()?
540 4 : .expect("must be called on an archived timeline");
541 4 : Ok(Self {
542 4 : tenant_shard_id: timeline.tenant_shard_id,
543 4 : timeline_id: timeline.timeline_id,
544 4 : ancestor_timeline_id,
545 4 : ancestor_retain_lsn,
546 4 : archived_at,
547 4 :
548 4 : delete_progress: timeline.delete_progress.clone(),
549 4 : deleted_from_ancestor: AtomicBool::new(false),
550 4 : })
551 4 : }
552 0 : fn from_manifest(tenant_shard_id: TenantShardId, manifest: &OffloadedTimelineManifest) -> Self {
553 0 : // We expect to reach this case in tenant loading, where the `retain_lsn` is populated in the parent's `gc_info`
554 0 : // by the `initialize_gc_info` function.
555 0 : let OffloadedTimelineManifest {
556 0 : timeline_id,
557 0 : ancestor_timeline_id,
558 0 : ancestor_retain_lsn,
559 0 : archived_at,
560 0 : } = *manifest;
561 0 : Self {
562 0 : tenant_shard_id,
563 0 : timeline_id,
564 0 : ancestor_timeline_id,
565 0 : ancestor_retain_lsn,
566 0 : archived_at,
567 0 : delete_progress: TimelineDeleteProgress::default(),
568 0 : deleted_from_ancestor: AtomicBool::new(false),
569 0 : }
570 0 : }
571 4 : fn manifest(&self) -> OffloadedTimelineManifest {
572 4 : let Self {
573 4 : timeline_id,
574 4 : ancestor_timeline_id,
575 4 : ancestor_retain_lsn,
576 4 : archived_at,
577 4 : ..
578 4 : } = self;
579 4 : OffloadedTimelineManifest {
580 4 : timeline_id: *timeline_id,
581 4 : ancestor_timeline_id: *ancestor_timeline_id,
582 4 : ancestor_retain_lsn: *ancestor_retain_lsn,
583 4 : archived_at: *archived_at,
584 4 : }
585 4 : }
586 : /// Delete this timeline's retain_lsn from its ancestor, if present in the given tenant
587 0 : fn delete_from_ancestor_with_timelines(
588 0 : &self,
589 0 : timelines: &std::sync::MutexGuard<'_, HashMap<TimelineId, Arc<Timeline>>>,
590 0 : ) {
591 0 : if let (Some(_retain_lsn), Some(ancestor_timeline_id)) =
592 0 : (self.ancestor_retain_lsn, self.ancestor_timeline_id)
593 : {
594 0 : if let Some((_, ancestor_timeline)) = timelines
595 0 : .iter()
596 0 : .find(|(tid, _tl)| **tid == ancestor_timeline_id)
597 : {
598 0 : let removal_happened = ancestor_timeline
599 0 : .gc_info
600 0 : .write()
601 0 : .unwrap()
602 0 : .remove_child_offloaded(self.timeline_id);
603 0 : if !removal_happened {
604 0 : tracing::error!(tenant_id = %self.tenant_shard_id.tenant_id, shard_id = %self.tenant_shard_id.shard_slug(), timeline_id = %self.timeline_id,
605 0 : "Couldn't remove retain_lsn entry from offloaded timeline's parent: already removed");
606 0 : }
607 0 : }
608 0 : }
609 0 : self.deleted_from_ancestor.store(true, Ordering::Release);
610 0 : }
611 : /// Call [`Self::delete_from_ancestor_with_timelines`] instead if possible.
612 : ///
613 : /// As the entire tenant is being dropped, don't bother deregistering the `retain_lsn` from the ancestor.
614 4 : fn defuse_for_tenant_drop(&self) {
615 4 : self.deleted_from_ancestor.store(true, Ordering::Release);
616 4 : }
617 : }
618 :
619 : impl fmt::Debug for OffloadedTimeline {
620 0 : fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
621 0 : write!(f, "OffloadedTimeline<{}>", self.timeline_id)
622 0 : }
623 : }
624 :
625 : impl Drop for OffloadedTimeline {
626 4 : fn drop(&mut self) {
627 4 : if !self.deleted_from_ancestor.load(Ordering::Acquire) {
628 0 : tracing::warn!(
629 0 : "offloaded timeline {} was dropped without having cleaned it up at the ancestor",
630 : self.timeline_id
631 : );
632 4 : }
633 4 : }
634 : }
635 :
636 : #[derive(Copy, Clone, PartialEq, Eq, Hash, Debug)]
637 : pub enum MaybeOffloaded {
638 : Yes,
639 : No,
640 : }
641 :
642 : #[derive(Clone, Debug)]
643 : pub enum TimelineOrOffloaded {
644 : Timeline(Arc<Timeline>),
645 : Offloaded(Arc<OffloadedTimeline>),
646 : }
647 :
648 : impl TimelineOrOffloaded {
649 0 : pub fn arc_ref(&self) -> TimelineOrOffloadedArcRef<'_> {
650 0 : match self {
651 0 : TimelineOrOffloaded::Timeline(timeline) => {
652 0 : TimelineOrOffloadedArcRef::Timeline(timeline)
653 : }
654 0 : TimelineOrOffloaded::Offloaded(offloaded) => {
655 0 : TimelineOrOffloadedArcRef::Offloaded(offloaded)
656 : }
657 : }
658 0 : }
659 0 : pub fn tenant_shard_id(&self) -> TenantShardId {
660 0 : self.arc_ref().tenant_shard_id()
661 0 : }
662 0 : pub fn timeline_id(&self) -> TimelineId {
663 0 : self.arc_ref().timeline_id()
664 0 : }
665 4 : pub fn delete_progress(&self) -> &Arc<tokio::sync::Mutex<DeleteTimelineFlow>> {
666 4 : match self {
667 4 : TimelineOrOffloaded::Timeline(timeline) => &timeline.delete_progress,
668 0 : TimelineOrOffloaded::Offloaded(offloaded) => &offloaded.delete_progress,
669 : }
670 4 : }
671 0 : fn maybe_remote_client(&self) -> Option<Arc<RemoteTimelineClient>> {
672 0 : match self {
673 0 : TimelineOrOffloaded::Timeline(timeline) => Some(timeline.remote_client.clone()),
674 0 : TimelineOrOffloaded::Offloaded(_offloaded) => None,
675 : }
676 0 : }
677 : }
678 :
679 : pub enum TimelineOrOffloadedArcRef<'a> {
680 : Timeline(&'a Arc<Timeline>),
681 : Offloaded(&'a Arc<OffloadedTimeline>),
682 : }
683 :
684 : impl TimelineOrOffloadedArcRef<'_> {
685 0 : pub fn tenant_shard_id(&self) -> TenantShardId {
686 0 : match self {
687 0 : TimelineOrOffloadedArcRef::Timeline(timeline) => timeline.tenant_shard_id,
688 0 : TimelineOrOffloadedArcRef::Offloaded(offloaded) => offloaded.tenant_shard_id,
689 : }
690 0 : }
691 0 : pub fn timeline_id(&self) -> TimelineId {
692 0 : match self {
693 0 : TimelineOrOffloadedArcRef::Timeline(timeline) => timeline.timeline_id,
694 0 : TimelineOrOffloadedArcRef::Offloaded(offloaded) => offloaded.timeline_id,
695 : }
696 0 : }
697 : }
698 :
699 : impl<'a> From<&'a Arc<Timeline>> for TimelineOrOffloadedArcRef<'a> {
700 0 : fn from(timeline: &'a Arc<Timeline>) -> Self {
701 0 : Self::Timeline(timeline)
702 0 : }
703 : }
704 :
705 : impl<'a> From<&'a Arc<OffloadedTimeline>> for TimelineOrOffloadedArcRef<'a> {
706 0 : fn from(timeline: &'a Arc<OffloadedTimeline>) -> Self {
707 0 : Self::Offloaded(timeline)
708 0 : }
709 : }
710 :
711 : #[derive(Debug, thiserror::Error, PartialEq, Eq)]
712 : pub enum GetTimelineError {
713 : #[error("Timeline is shutting down")]
714 : ShuttingDown,
715 : #[error("Timeline {tenant_id}/{timeline_id} is not active, state: {state:?}")]
716 : NotActive {
717 : tenant_id: TenantShardId,
718 : timeline_id: TimelineId,
719 : state: TimelineState,
720 : },
721 : #[error("Timeline {tenant_id}/{timeline_id} was not found")]
722 : NotFound {
723 : tenant_id: TenantShardId,
724 : timeline_id: TimelineId,
725 : },
726 : }
727 :
728 : #[derive(Debug, thiserror::Error)]
729 : pub enum LoadLocalTimelineError {
730 : #[error("FailedToLoad")]
731 : Load(#[source] anyhow::Error),
732 : #[error("FailedToResumeDeletion")]
733 : ResumeDeletion(#[source] anyhow::Error),
734 : }
735 :
736 : #[derive(thiserror::Error)]
737 : pub enum DeleteTimelineError {
738 : #[error("NotFound")]
739 : NotFound,
740 :
741 : #[error("HasChildren")]
742 : HasChildren(Vec<TimelineId>),
743 :
744 : #[error("Timeline deletion is already in progress")]
745 : AlreadyInProgress(Arc<tokio::sync::Mutex<DeleteTimelineFlow>>),
746 :
747 : #[error("Cancelled")]
748 : Cancelled,
749 :
750 : #[error(transparent)]
751 : Other(#[from] anyhow::Error),
752 : }
753 :
754 : impl Debug for DeleteTimelineError {
755 0 : fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
756 0 : match self {
757 0 : Self::NotFound => write!(f, "NotFound"),
758 0 : Self::HasChildren(c) => f.debug_tuple("HasChildren").field(c).finish(),
759 0 : Self::AlreadyInProgress(_) => f.debug_tuple("AlreadyInProgress").finish(),
760 0 : Self::Cancelled => f.debug_tuple("Cancelled").finish(),
761 0 : Self::Other(e) => f.debug_tuple("Other").field(e).finish(),
762 : }
763 0 : }
764 : }
765 :
766 : #[derive(thiserror::Error)]
767 : pub enum TimelineArchivalError {
768 : #[error("NotFound")]
769 : NotFound,
770 :
771 : #[error("Timeout")]
772 : Timeout,
773 :
774 : #[error("Cancelled")]
775 : Cancelled,
776 :
777 : #[error("ancestor is archived: {}", .0)]
778 : HasArchivedParent(TimelineId),
779 :
780 : #[error("HasUnarchivedChildren")]
781 : HasUnarchivedChildren(Vec<TimelineId>),
782 :
783 : #[error("Timeline archival is already in progress")]
784 : AlreadyInProgress,
785 :
786 : #[error(transparent)]
787 : Other(anyhow::Error),
788 : }
789 :
790 : #[derive(thiserror::Error, Debug)]
791 : pub(crate) enum TenantManifestError {
792 : #[error("Remote storage error: {0}")]
793 : RemoteStorage(anyhow::Error),
794 :
795 : #[error("Cancelled")]
796 : Cancelled,
797 : }
798 :
799 : impl From<TenantManifestError> for TimelineArchivalError {
800 0 : fn from(e: TenantManifestError) -> Self {
801 0 : match e {
802 0 : TenantManifestError::RemoteStorage(e) => Self::Other(e),
803 0 : TenantManifestError::Cancelled => Self::Cancelled,
804 : }
805 0 : }
806 : }
807 :
808 : impl Debug for TimelineArchivalError {
809 0 : fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
810 0 : match self {
811 0 : Self::NotFound => write!(f, "NotFound"),
812 0 : Self::Timeout => write!(f, "Timeout"),
813 0 : Self::Cancelled => write!(f, "Cancelled"),
814 0 : Self::HasArchivedParent(p) => f.debug_tuple("HasArchivedParent").field(p).finish(),
815 0 : Self::HasUnarchivedChildren(c) => {
816 0 : f.debug_tuple("HasUnarchivedChildren").field(c).finish()
817 : }
818 0 : Self::AlreadyInProgress => f.debug_tuple("AlreadyInProgress").finish(),
819 0 : Self::Other(e) => f.debug_tuple("Other").field(e).finish(),
820 : }
821 0 : }
822 : }
823 :
824 : pub enum SetStoppingError {
825 : AlreadyStopping(completion::Barrier),
826 : Broken,
827 : }
828 :
829 : impl Debug for SetStoppingError {
830 0 : fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
831 0 : match self {
832 0 : Self::AlreadyStopping(_) => f.debug_tuple("AlreadyStopping").finish(),
833 0 : Self::Broken => write!(f, "Broken"),
834 : }
835 0 : }
836 : }
837 :
838 : /// Arguments to [`Tenant::create_timeline`].
839 : ///
840 : /// Not usable as an idempotency key for timeline creation because if [`CreateTimelineParamsBranch::ancestor_start_lsn`]
841 : /// is `None`, the result of the timeline create call is not deterministic.
842 : ///
843 : /// See [`CreateTimelineIdempotency`] for an idempotency key.
844 : #[derive(Debug)]
845 : pub(crate) enum CreateTimelineParams {
846 : Bootstrap(CreateTimelineParamsBootstrap),
847 : Branch(CreateTimelineParamsBranch),
848 : ImportPgdata(CreateTimelineParamsImportPgdata),
849 : }
850 :
851 : #[derive(Debug)]
852 : pub(crate) struct CreateTimelineParamsBootstrap {
853 : pub(crate) new_timeline_id: TimelineId,
854 : pub(crate) existing_initdb_timeline_id: Option<TimelineId>,
855 : pub(crate) pg_version: u32,
856 : }
857 :
858 : /// NB: See comment on [`CreateTimelineIdempotency::Branch`] for why there's no `pg_version` here.
859 : #[derive(Debug)]
860 : pub(crate) struct CreateTimelineParamsBranch {
861 : pub(crate) new_timeline_id: TimelineId,
862 : pub(crate) ancestor_timeline_id: TimelineId,
863 : pub(crate) ancestor_start_lsn: Option<Lsn>,
864 : }
865 :
866 : #[derive(Debug)]
867 : pub(crate) struct CreateTimelineParamsImportPgdata {
868 : pub(crate) new_timeline_id: TimelineId,
869 : pub(crate) location: import_pgdata::index_part_format::Location,
870 : pub(crate) idempotency_key: import_pgdata::index_part_format::IdempotencyKey,
871 : }
872 :
873 : /// What is used to determine idempotency of a [`Tenant::create_timeline`] call in [`Tenant::start_creating_timeline`] in [`Tenant::start_creating_timeline`].
874 : ///
875 : /// Each [`Timeline`] object holds [`Self`] as an immutable property in [`Timeline::create_idempotency`].
876 : ///
877 : /// We lower timeline creation requests to [`Self`], and then use [`PartialEq::eq`] to compare [`Timeline::create_idempotency`] with the request.
878 : /// If they are equal, we return a reference to the existing timeline, otherwise it's an idempotency conflict.
879 : ///
880 : /// There is special treatment for [`Self::FailWithConflict`] to always return an idempotency conflict.
881 : /// It would be nice to have more advanced derive macros to make that special treatment declarative.
882 : ///
883 : /// Notes:
884 : /// - Unlike [`CreateTimelineParams`], ancestor LSN is fixed, so, branching will be at a deterministic LSN.
885 : /// - We make some trade-offs though, e.g., [`CreateTimelineParamsBootstrap::existing_initdb_timeline_id`]
886 : /// is not considered for idempotency. We can improve on this over time if we deem it necessary.
887 : ///
888 : #[derive(Debug, Clone, PartialEq, Eq)]
889 : pub(crate) enum CreateTimelineIdempotency {
890 : /// NB: special treatment, see comment in [`Self`].
891 : FailWithConflict,
892 : Bootstrap {
893 : pg_version: u32,
894 : },
895 : /// NB: branches always have the same `pg_version` as their ancestor.
896 : /// While [`pageserver_api::models::TimelineCreateRequestMode::Branch::pg_version`]
897 : /// exists as a field, and is set by cplane, it has always been ignored by pageserver when
898 : /// determining the child branch pg_version.
899 : Branch {
900 : ancestor_timeline_id: TimelineId,
901 : ancestor_start_lsn: Lsn,
902 : },
903 : ImportPgdata(CreatingTimelineIdempotencyImportPgdata),
904 : }
905 :
906 : #[derive(Debug, Clone, PartialEq, Eq)]
907 : pub(crate) struct CreatingTimelineIdempotencyImportPgdata {
908 : idempotency_key: import_pgdata::index_part_format::IdempotencyKey,
909 : }
910 :
911 : /// What is returned by [`Tenant::start_creating_timeline`].
912 : #[must_use]
913 : enum StartCreatingTimelineResult {
914 : CreateGuard(TimelineCreateGuard),
915 : Idempotent(Arc<Timeline>),
916 : }
917 :
918 : enum TimelineInitAndSyncResult {
919 : ReadyToActivate(Arc<Timeline>),
920 : NeedsSpawnImportPgdata(TimelineInitAndSyncNeedsSpawnImportPgdata),
921 : }
922 :
923 : impl TimelineInitAndSyncResult {
924 0 : fn ready_to_activate(self) -> Option<Arc<Timeline>> {
925 0 : match self {
926 0 : Self::ReadyToActivate(timeline) => Some(timeline),
927 0 : _ => None,
928 : }
929 0 : }
930 : }
931 :
932 : #[must_use]
933 : struct TimelineInitAndSyncNeedsSpawnImportPgdata {
934 : timeline: Arc<Timeline>,
935 : import_pgdata: import_pgdata::index_part_format::Root,
936 : guard: TimelineCreateGuard,
937 : }
938 :
939 : /// What is returned by [`Tenant::create_timeline`].
940 : enum CreateTimelineResult {
941 : Created(Arc<Timeline>),
942 : Idempotent(Arc<Timeline>),
943 : /// IMPORTANT: This [`Arc<Timeline>`] object is not in [`Tenant::timelines`] when
944 : /// we return this result, nor will this concrete object ever be added there.
945 : /// Cf method comment on [`Tenant::create_timeline_import_pgdata`].
946 : ImportSpawned(Arc<Timeline>),
947 : }
948 :
949 : impl CreateTimelineResult {
950 0 : fn discriminant(&self) -> &'static str {
951 0 : match self {
952 0 : Self::Created(_) => "Created",
953 0 : Self::Idempotent(_) => "Idempotent",
954 0 : Self::ImportSpawned(_) => "ImportSpawned",
955 : }
956 0 : }
957 0 : fn timeline(&self) -> &Arc<Timeline> {
958 0 : match self {
959 0 : Self::Created(t) | Self::Idempotent(t) | Self::ImportSpawned(t) => t,
960 0 : }
961 0 : }
962 : /// Unit test timelines aren't activated, test has to do it if it needs to.
963 : #[cfg(test)]
964 460 : fn into_timeline_for_test(self) -> Arc<Timeline> {
965 460 : match self {
966 460 : Self::Created(t) | Self::Idempotent(t) | Self::ImportSpawned(t) => t,
967 460 : }
968 460 : }
969 : }
970 :
971 : #[derive(thiserror::Error, Debug)]
972 : pub enum CreateTimelineError {
973 : #[error("creation of timeline with the given ID is in progress")]
974 : AlreadyCreating,
975 : #[error("timeline already exists with different parameters")]
976 : Conflict,
977 : #[error(transparent)]
978 : AncestorLsn(anyhow::Error),
979 : #[error("ancestor timeline is not active")]
980 : AncestorNotActive,
981 : #[error("ancestor timeline is archived")]
982 : AncestorArchived,
983 : #[error("tenant shutting down")]
984 : ShuttingDown,
985 : #[error(transparent)]
986 : Other(#[from] anyhow::Error),
987 : }
988 :
989 : #[derive(thiserror::Error, Debug)]
990 : pub enum InitdbError {
991 : #[error("Operation was cancelled")]
992 : Cancelled,
993 : #[error(transparent)]
994 : Other(anyhow::Error),
995 : #[error(transparent)]
996 : Inner(postgres_initdb::Error),
997 : }
998 :
999 : enum CreateTimelineCause {
1000 : Load,
1001 : Delete,
1002 : }
1003 :
1004 : enum LoadTimelineCause {
1005 : Attach,
1006 : Unoffload,
1007 : ImportPgdata {
1008 : create_guard: TimelineCreateGuard,
1009 : activate: ActivateTimelineArgs,
1010 : },
1011 : }
1012 :
1013 : #[derive(thiserror::Error, Debug)]
1014 : pub(crate) enum GcError {
1015 : // The tenant is shutting down
1016 : #[error("tenant shutting down")]
1017 : TenantCancelled,
1018 :
1019 : // The tenant is shutting down
1020 : #[error("timeline shutting down")]
1021 : TimelineCancelled,
1022 :
1023 : // The tenant is in a state inelegible to run GC
1024 : #[error("not active")]
1025 : NotActive,
1026 :
1027 : // A requested GC cutoff LSN was invalid, for example it tried to move backwards
1028 : #[error("not active")]
1029 : BadLsn { why: String },
1030 :
1031 : // A remote storage error while scheduling updates after compaction
1032 : #[error(transparent)]
1033 : Remote(anyhow::Error),
1034 :
1035 : // An error reading while calculating GC cutoffs
1036 : #[error(transparent)]
1037 : GcCutoffs(PageReconstructError),
1038 :
1039 : // If GC was invoked for a particular timeline, this error means it didn't exist
1040 : #[error("timeline not found")]
1041 : TimelineNotFound,
1042 : }
1043 :
1044 : impl From<PageReconstructError> for GcError {
1045 0 : fn from(value: PageReconstructError) -> Self {
1046 0 : match value {
1047 0 : PageReconstructError::Cancelled => Self::TimelineCancelled,
1048 0 : other => Self::GcCutoffs(other),
1049 : }
1050 0 : }
1051 : }
1052 :
1053 : impl From<NotInitialized> for GcError {
1054 0 : fn from(value: NotInitialized) -> Self {
1055 0 : match value {
1056 0 : NotInitialized::Uninitialized => GcError::Remote(value.into()),
1057 0 : NotInitialized::Stopped | NotInitialized::ShuttingDown => GcError::TimelineCancelled,
1058 : }
1059 0 : }
1060 : }
1061 :
1062 : impl From<timeline::layer_manager::Shutdown> for GcError {
1063 0 : fn from(_: timeline::layer_manager::Shutdown) -> Self {
1064 0 : GcError::TimelineCancelled
1065 0 : }
1066 : }
1067 :
1068 : #[derive(thiserror::Error, Debug)]
1069 : pub(crate) enum LoadConfigError {
1070 : #[error("TOML deserialization error: '{0}'")]
1071 : DeserializeToml(#[from] toml_edit::de::Error),
1072 :
1073 : #[error("Config not found at {0}")]
1074 : NotFound(Utf8PathBuf),
1075 : }
1076 :
1077 : impl Tenant {
1078 : /// Yet another helper for timeline initialization.
1079 : ///
1080 : /// - Initializes the Timeline struct and inserts it into the tenant's hash map
1081 : /// - Scans the local timeline directory for layer files and builds the layer map
1082 : /// - Downloads remote index file and adds remote files to the layer map
1083 : /// - Schedules remote upload tasks for any files that are present locally but missing from remote storage.
1084 : ///
1085 : /// If the operation fails, the timeline is left in the tenant's hash map in Broken state. On success,
1086 : /// it is marked as Active.
1087 : #[allow(clippy::too_many_arguments)]
1088 12 : async fn timeline_init_and_sync(
1089 12 : self: &Arc<Self>,
1090 12 : timeline_id: TimelineId,
1091 12 : resources: TimelineResources,
1092 12 : mut index_part: IndexPart,
1093 12 : metadata: TimelineMetadata,
1094 12 : previous_heatmap: Option<PreviousHeatmap>,
1095 12 : ancestor: Option<Arc<Timeline>>,
1096 12 : cause: LoadTimelineCause,
1097 12 : ctx: &RequestContext,
1098 12 : ) -> anyhow::Result<TimelineInitAndSyncResult> {
1099 12 : let tenant_id = self.tenant_shard_id;
1100 12 :
1101 12 : let import_pgdata = index_part.import_pgdata.take();
1102 12 : let idempotency = match &import_pgdata {
1103 0 : Some(import_pgdata) => {
1104 0 : CreateTimelineIdempotency::ImportPgdata(CreatingTimelineIdempotencyImportPgdata {
1105 0 : idempotency_key: import_pgdata.idempotency_key().clone(),
1106 0 : })
1107 : }
1108 : None => {
1109 12 : if metadata.ancestor_timeline().is_none() {
1110 8 : CreateTimelineIdempotency::Bootstrap {
1111 8 : pg_version: metadata.pg_version(),
1112 8 : }
1113 : } else {
1114 4 : CreateTimelineIdempotency::Branch {
1115 4 : ancestor_timeline_id: metadata.ancestor_timeline().unwrap(),
1116 4 : ancestor_start_lsn: metadata.ancestor_lsn(),
1117 4 : }
1118 : }
1119 : }
1120 : };
1121 :
1122 12 : let (timeline, timeline_ctx) = self.create_timeline_struct(
1123 12 : timeline_id,
1124 12 : &metadata,
1125 12 : previous_heatmap,
1126 12 : ancestor.clone(),
1127 12 : resources,
1128 12 : CreateTimelineCause::Load,
1129 12 : idempotency.clone(),
1130 12 : index_part.gc_compaction.clone(),
1131 12 : index_part.rel_size_migration.clone(),
1132 12 : ctx,
1133 12 : )?;
1134 12 : let disk_consistent_lsn = timeline.get_disk_consistent_lsn();
1135 12 : anyhow::ensure!(
1136 12 : disk_consistent_lsn.is_valid(),
1137 0 : "Timeline {tenant_id}/{timeline_id} has invalid disk_consistent_lsn"
1138 : );
1139 12 : assert_eq!(
1140 12 : disk_consistent_lsn,
1141 12 : metadata.disk_consistent_lsn(),
1142 0 : "these are used interchangeably"
1143 : );
1144 :
1145 12 : timeline.remote_client.init_upload_queue(&index_part)?;
1146 :
1147 12 : timeline
1148 12 : .load_layer_map(disk_consistent_lsn, index_part)
1149 12 : .await
1150 12 : .with_context(|| {
1151 0 : format!("Failed to load layermap for timeline {tenant_id}/{timeline_id}")
1152 12 : })?;
1153 :
1154 : // When unarchiving, we've mostly likely lost the heatmap generated prior
1155 : // to the archival operation. To allow warming this timeline up, generate
1156 : // a previous heatmap which contains all visible layers in the layer map.
1157 : // This previous heatmap will be used whenever a fresh heatmap is generated
1158 : // for the timeline.
1159 12 : if self.conf.generate_unarchival_heatmap && matches!(cause, LoadTimelineCause::Unoffload) {
1160 0 : let mut tline_ending_at = Some((&timeline, timeline.get_last_record_lsn()));
1161 0 : while let Some((tline, end_lsn)) = tline_ending_at {
1162 0 : let unarchival_heatmap = tline.generate_unarchival_heatmap(end_lsn).await;
1163 : // Another unearchived timeline might have generated a heatmap for this ancestor.
1164 : // If the current branch point greater than the previous one use the the heatmap
1165 : // we just generated - it should include more layers.
1166 0 : if !tline.should_keep_previous_heatmap(end_lsn) {
1167 0 : tline
1168 0 : .previous_heatmap
1169 0 : .store(Some(Arc::new(unarchival_heatmap)));
1170 0 : } else {
1171 0 : tracing::info!("Previous heatmap preferred. Dropping unarchival heatmap.")
1172 : }
1173 :
1174 0 : match tline.ancestor_timeline() {
1175 0 : Some(ancestor) => {
1176 0 : if ancestor.update_layer_visibility().await.is_err() {
1177 : // Ancestor timeline is shutting down.
1178 0 : break;
1179 0 : }
1180 0 :
1181 0 : tline_ending_at = Some((ancestor, tline.get_ancestor_lsn()));
1182 : }
1183 0 : None => {
1184 0 : tline_ending_at = None;
1185 0 : }
1186 : }
1187 : }
1188 12 : }
1189 :
1190 0 : match import_pgdata {
1191 0 : Some(import_pgdata) if !import_pgdata.is_done() => {
1192 0 : match cause {
1193 0 : LoadTimelineCause::Attach | LoadTimelineCause::Unoffload => (),
1194 : LoadTimelineCause::ImportPgdata { .. } => {
1195 0 : unreachable!(
1196 0 : "ImportPgdata should not be reloading timeline import is done and persisted as such in s3"
1197 0 : )
1198 : }
1199 : }
1200 0 : let mut guard = self.timelines_creating.lock().unwrap();
1201 0 : if !guard.insert(timeline_id) {
1202 : // We should never try and load the same timeline twice during startup
1203 0 : unreachable!("Timeline {tenant_id}/{timeline_id} is already being created")
1204 0 : }
1205 0 : let timeline_create_guard = TimelineCreateGuard {
1206 0 : _tenant_gate_guard: self.gate.enter()?,
1207 0 : owning_tenant: self.clone(),
1208 0 : timeline_id,
1209 0 : idempotency,
1210 0 : // The users of this specific return value don't need the timline_path in there.
1211 0 : timeline_path: timeline
1212 0 : .conf
1213 0 : .timeline_path(&timeline.tenant_shard_id, &timeline.timeline_id),
1214 0 : };
1215 0 : Ok(TimelineInitAndSyncResult::NeedsSpawnImportPgdata(
1216 0 : TimelineInitAndSyncNeedsSpawnImportPgdata {
1217 0 : timeline,
1218 0 : import_pgdata,
1219 0 : guard: timeline_create_guard,
1220 0 : },
1221 0 : ))
1222 : }
1223 : Some(_) | None => {
1224 : {
1225 12 : let mut timelines_accessor = self.timelines.lock().unwrap();
1226 12 : match timelines_accessor.entry(timeline_id) {
1227 : // We should never try and load the same timeline twice during startup
1228 : Entry::Occupied(_) => {
1229 0 : unreachable!(
1230 0 : "Timeline {tenant_id}/{timeline_id} already exists in the tenant map"
1231 0 : );
1232 : }
1233 12 : Entry::Vacant(v) => {
1234 12 : v.insert(Arc::clone(&timeline));
1235 12 : timeline.maybe_spawn_flush_loop();
1236 12 : }
1237 : }
1238 : }
1239 :
1240 : // Sanity check: a timeline should have some content.
1241 12 : anyhow::ensure!(
1242 12 : ancestor.is_some()
1243 8 : || timeline
1244 8 : .layers
1245 8 : .read()
1246 8 : .await
1247 8 : .layer_map()
1248 8 : .expect("currently loading, layer manager cannot be shutdown already")
1249 8 : .iter_historic_layers()
1250 8 : .next()
1251 8 : .is_some(),
1252 0 : "Timeline has no ancestor and no layer files"
1253 : );
1254 :
1255 12 : match cause {
1256 12 : LoadTimelineCause::Attach | LoadTimelineCause::Unoffload => (),
1257 : LoadTimelineCause::ImportPgdata {
1258 0 : create_guard,
1259 0 : activate,
1260 0 : } => {
1261 0 : // TODO: see the comment in the task code above how I'm not so certain
1262 0 : // it is safe to activate here because of concurrent shutdowns.
1263 0 : match activate {
1264 0 : ActivateTimelineArgs::Yes { broker_client } => {
1265 0 : info!("activating timeline after reload from pgdata import task");
1266 0 : timeline.activate(self.clone(), broker_client, None, &timeline_ctx);
1267 : }
1268 0 : ActivateTimelineArgs::No => (),
1269 : }
1270 0 : drop(create_guard);
1271 : }
1272 : }
1273 :
1274 12 : Ok(TimelineInitAndSyncResult::ReadyToActivate(timeline))
1275 : }
1276 : }
1277 12 : }
1278 :
1279 : /// Attach a tenant that's available in cloud storage.
1280 : ///
1281 : /// This returns quickly, after just creating the in-memory object
1282 : /// Tenant struct and launching a background task to download
1283 : /// the remote index files. On return, the tenant is most likely still in
1284 : /// Attaching state, and it will become Active once the background task
1285 : /// finishes. You can use wait_until_active() to wait for the task to
1286 : /// complete.
1287 : ///
1288 : #[allow(clippy::too_many_arguments)]
1289 0 : pub(crate) fn spawn(
1290 0 : conf: &'static PageServerConf,
1291 0 : tenant_shard_id: TenantShardId,
1292 0 : resources: TenantSharedResources,
1293 0 : attached_conf: AttachedTenantConf,
1294 0 : shard_identity: ShardIdentity,
1295 0 : init_order: Option<InitializationOrder>,
1296 0 : mode: SpawnMode,
1297 0 : ctx: &RequestContext,
1298 0 : ) -> Result<Arc<Tenant>, GlobalShutDown> {
1299 0 : let wal_redo_manager =
1300 0 : WalRedoManager::new(PostgresRedoManager::new(conf, tenant_shard_id))?;
1301 :
1302 : let TenantSharedResources {
1303 0 : broker_client,
1304 0 : remote_storage,
1305 0 : deletion_queue_client,
1306 0 : l0_flush_global_state,
1307 0 : } = resources;
1308 0 :
1309 0 : let attach_mode = attached_conf.location.attach_mode;
1310 0 : let generation = attached_conf.location.generation;
1311 0 :
1312 0 : let tenant = Arc::new(Tenant::new(
1313 0 : TenantState::Attaching,
1314 0 : conf,
1315 0 : attached_conf,
1316 0 : shard_identity,
1317 0 : Some(wal_redo_manager),
1318 0 : tenant_shard_id,
1319 0 : remote_storage.clone(),
1320 0 : deletion_queue_client,
1321 0 : l0_flush_global_state,
1322 0 : ));
1323 0 :
1324 0 : // The attach task will carry a GateGuard, so that shutdown() reliably waits for it to drop out if
1325 0 : // we shut down while attaching.
1326 0 : let attach_gate_guard = tenant
1327 0 : .gate
1328 0 : .enter()
1329 0 : .expect("We just created the Tenant: nothing else can have shut it down yet");
1330 0 :
1331 0 : // Do all the hard work in the background
1332 0 : let tenant_clone = Arc::clone(&tenant);
1333 0 : let ctx = ctx.detached_child(TaskKind::Attach, DownloadBehavior::Warn);
1334 0 : task_mgr::spawn(
1335 0 : &tokio::runtime::Handle::current(),
1336 0 : TaskKind::Attach,
1337 0 : tenant_shard_id,
1338 0 : None,
1339 0 : "attach tenant",
1340 0 : async move {
1341 0 :
1342 0 : info!(
1343 : ?attach_mode,
1344 0 : "Attaching tenant"
1345 : );
1346 :
1347 0 : let _gate_guard = attach_gate_guard;
1348 0 :
1349 0 : // Is this tenant being spawned as part of process startup?
1350 0 : let starting_up = init_order.is_some();
1351 0 : scopeguard::defer! {
1352 0 : if starting_up {
1353 0 : TENANT.startup_complete.inc();
1354 0 : }
1355 0 : }
1356 :
1357 : // Ideally we should use Tenant::set_broken_no_wait, but it is not supposed to be used when tenant is in loading state.
1358 : enum BrokenVerbosity {
1359 : Error,
1360 : Info
1361 : }
1362 0 : let make_broken =
1363 0 : |t: &Tenant, err: anyhow::Error, verbosity: BrokenVerbosity| {
1364 0 : match verbosity {
1365 : BrokenVerbosity::Info => {
1366 0 : info!("attach cancelled, setting tenant state to Broken: {err}");
1367 : },
1368 : BrokenVerbosity::Error => {
1369 0 : error!("attach failed, setting tenant state to Broken: {err:?}");
1370 : }
1371 : }
1372 0 : t.state.send_modify(|state| {
1373 0 : // The Stopping case is for when we have passed control on to DeleteTenantFlow:
1374 0 : // if it errors, we will call make_broken when tenant is already in Stopping.
1375 0 : assert!(
1376 0 : matches!(*state, TenantState::Attaching | TenantState::Stopping { .. }),
1377 0 : "the attach task owns the tenant state until activation is complete"
1378 : );
1379 :
1380 0 : *state = TenantState::broken_from_reason(err.to_string());
1381 0 : });
1382 0 : };
1383 :
1384 : // TODO: should also be rejecting tenant conf changes that violate this check.
1385 0 : if let Err(e) = crate::tenant::storage_layer::inmemory_layer::IndexEntry::validate_checkpoint_distance(tenant_clone.get_checkpoint_distance()) {
1386 0 : make_broken(&tenant_clone, anyhow::anyhow!(e), BrokenVerbosity::Error);
1387 0 : return Ok(());
1388 0 : }
1389 0 :
1390 0 : let mut init_order = init_order;
1391 0 : // take the completion because initial tenant loading will complete when all of
1392 0 : // these tasks complete.
1393 0 : let _completion = init_order
1394 0 : .as_mut()
1395 0 : .and_then(|x| x.initial_tenant_load.take());
1396 0 : let remote_load_completion = init_order
1397 0 : .as_mut()
1398 0 : .and_then(|x| x.initial_tenant_load_remote.take());
1399 :
1400 : enum AttachType<'a> {
1401 : /// We are attaching this tenant lazily in the background.
1402 : Warmup {
1403 : _permit: tokio::sync::SemaphorePermit<'a>,
1404 : during_startup: bool
1405 : },
1406 : /// We are attaching this tenant as soon as we can, because for example an
1407 : /// endpoint tried to access it.
1408 : OnDemand,
1409 : /// During normal operations after startup, we are attaching a tenant, and
1410 : /// eager attach was requested.
1411 : Normal,
1412 : }
1413 :
1414 0 : let attach_type = if matches!(mode, SpawnMode::Lazy) {
1415 : // Before doing any I/O, wait for at least one of:
1416 : // - A client attempting to access to this tenant (on-demand loading)
1417 : // - A permit becoming available in the warmup semaphore (background warmup)
1418 :
1419 0 : tokio::select!(
1420 0 : permit = tenant_clone.activate_now_sem.acquire() => {
1421 0 : let _ = permit.expect("activate_now_sem is never closed");
1422 0 : tracing::info!("Activating tenant (on-demand)");
1423 0 : AttachType::OnDemand
1424 : },
1425 0 : permit = conf.concurrent_tenant_warmup.inner().acquire() => {
1426 0 : let _permit = permit.expect("concurrent_tenant_warmup semaphore is never closed");
1427 0 : tracing::info!("Activating tenant (warmup)");
1428 0 : AttachType::Warmup {
1429 0 : _permit,
1430 0 : during_startup: init_order.is_some()
1431 0 : }
1432 : }
1433 0 : _ = tenant_clone.cancel.cancelled() => {
1434 : // This is safe, but should be pretty rare: it is interesting if a tenant
1435 : // stayed in Activating for such a long time that shutdown found it in
1436 : // that state.
1437 0 : tracing::info!(state=%tenant_clone.current_state(), "Tenant shut down before activation");
1438 : // Make the tenant broken so that set_stopping will not hang waiting for it to leave
1439 : // the Attaching state. This is an over-reaction (nothing really broke, the tenant is
1440 : // just shutting down), but ensures progress.
1441 0 : make_broken(&tenant_clone, anyhow::anyhow!("Shut down while Attaching"), BrokenVerbosity::Info);
1442 0 : return Ok(());
1443 : },
1444 : )
1445 : } else {
1446 : // SpawnMode::{Create,Eager} always cause jumping ahead of the
1447 : // concurrent_tenant_warmup queue
1448 0 : AttachType::Normal
1449 : };
1450 :
1451 0 : let preload = match &mode {
1452 : SpawnMode::Eager | SpawnMode::Lazy => {
1453 0 : let _preload_timer = TENANT.preload.start_timer();
1454 0 : let res = tenant_clone
1455 0 : .preload(&remote_storage, task_mgr::shutdown_token())
1456 0 : .await;
1457 0 : match res {
1458 0 : Ok(p) => Some(p),
1459 0 : Err(e) => {
1460 0 : make_broken(&tenant_clone, anyhow::anyhow!(e), BrokenVerbosity::Error);
1461 0 : return Ok(());
1462 : }
1463 : }
1464 : }
1465 :
1466 : };
1467 :
1468 : // Remote preload is complete.
1469 0 : drop(remote_load_completion);
1470 0 :
1471 0 :
1472 0 : // We will time the duration of the attach phase unless this is a creation (attach will do no work)
1473 0 : let attach_start = std::time::Instant::now();
1474 0 : let attached = {
1475 0 : let _attach_timer = Some(TENANT.attach.start_timer());
1476 0 : tenant_clone.attach(preload, &ctx).await
1477 : };
1478 0 : let attach_duration = attach_start.elapsed();
1479 0 : _ = tenant_clone.attach_wal_lag_cooldown.set(WalLagCooldown::new(attach_start, attach_duration));
1480 0 :
1481 0 : match attached {
1482 : Ok(()) => {
1483 0 : info!("attach finished, activating");
1484 0 : tenant_clone.activate(broker_client, None, &ctx);
1485 : }
1486 0 : Err(e) => {
1487 0 : make_broken(&tenant_clone, anyhow::anyhow!(e), BrokenVerbosity::Error);
1488 0 : }
1489 : }
1490 :
1491 : // If we are doing an opportunistic warmup attachment at startup, initialize
1492 : // logical size at the same time. This is better than starting a bunch of idle tenants
1493 : // with cold caches and then coming back later to initialize their logical sizes.
1494 : //
1495 : // It also prevents the warmup proccess competing with the concurrency limit on
1496 : // logical size calculations: if logical size calculation semaphore is saturated,
1497 : // then warmup will wait for that before proceeding to the next tenant.
1498 0 : if matches!(attach_type, AttachType::Warmup { during_startup: true, .. }) {
1499 0 : let mut futs: FuturesUnordered<_> = tenant_clone.timelines.lock().unwrap().values().cloned().map(|t| t.await_initial_logical_size()).collect();
1500 0 : tracing::info!("Waiting for initial logical sizes while warming up...");
1501 0 : while futs.next().await.is_some() {}
1502 0 : tracing::info!("Warm-up complete");
1503 0 : }
1504 :
1505 0 : Ok(())
1506 0 : }
1507 0 : .instrument(tracing::info_span!(parent: None, "attach", tenant_id=%tenant_shard_id.tenant_id, shard_id=%tenant_shard_id.shard_slug(), gen=?generation)),
1508 : );
1509 0 : Ok(tenant)
1510 0 : }
1511 :
1512 : #[instrument(skip_all)]
1513 : pub(crate) async fn preload(
1514 : self: &Arc<Self>,
1515 : remote_storage: &GenericRemoteStorage,
1516 : cancel: CancellationToken,
1517 : ) -> anyhow::Result<TenantPreload> {
1518 : span::debug_assert_current_span_has_tenant_id();
1519 : // Get list of remote timelines
1520 : // download index files for every tenant timeline
1521 : info!("listing remote timelines");
1522 : let (mut remote_timeline_ids, other_keys) = remote_timeline_client::list_remote_timelines(
1523 : remote_storage,
1524 : self.tenant_shard_id,
1525 : cancel.clone(),
1526 : )
1527 : .await?;
1528 : let (offloaded_add, tenant_manifest) =
1529 : match remote_timeline_client::download_tenant_manifest(
1530 : remote_storage,
1531 : &self.tenant_shard_id,
1532 : self.generation,
1533 : &cancel,
1534 : )
1535 : .await
1536 : {
1537 : Ok((tenant_manifest, _generation, _manifest_mtime)) => (
1538 : format!("{} offloaded", tenant_manifest.offloaded_timelines.len()),
1539 : tenant_manifest,
1540 : ),
1541 : Err(DownloadError::NotFound) => {
1542 : ("no manifest".to_string(), TenantManifest::empty())
1543 : }
1544 : Err(e) => Err(e)?,
1545 : };
1546 :
1547 : info!(
1548 : "found {} timelines, and {offloaded_add}",
1549 : remote_timeline_ids.len()
1550 : );
1551 :
1552 : for k in other_keys {
1553 : warn!("Unexpected non timeline key {k}");
1554 : }
1555 :
1556 : // Avoid downloading IndexPart of offloaded timelines.
1557 : let mut offloaded_with_prefix = HashSet::new();
1558 : for offloaded in tenant_manifest.offloaded_timelines.iter() {
1559 : if remote_timeline_ids.remove(&offloaded.timeline_id) {
1560 : offloaded_with_prefix.insert(offloaded.timeline_id);
1561 : } else {
1562 : // We'll take care later of timelines in the manifest without a prefix
1563 : }
1564 : }
1565 :
1566 : // TODO(vlad): Could go to S3 if the secondary is freezing cold and hasn't even
1567 : // pulled the first heatmap. Not entirely necessary since the storage controller
1568 : // will kick the secondary in any case and cause a download.
1569 : let maybe_heatmap_at = self.read_on_disk_heatmap().await;
1570 :
1571 : let timelines = self
1572 : .load_timelines_metadata(
1573 : remote_timeline_ids,
1574 : remote_storage,
1575 : maybe_heatmap_at,
1576 : cancel,
1577 : )
1578 : .await?;
1579 :
1580 : Ok(TenantPreload {
1581 : tenant_manifest,
1582 : timelines: timelines
1583 : .into_iter()
1584 12 : .map(|(id, tl)| (id, Some(tl)))
1585 0 : .chain(offloaded_with_prefix.into_iter().map(|id| (id, None)))
1586 : .collect(),
1587 : })
1588 : }
1589 :
1590 452 : async fn read_on_disk_heatmap(&self) -> Option<(HeatMapTenant, std::time::Instant)> {
1591 452 : if !self.conf.load_previous_heatmap {
1592 0 : return None;
1593 452 : }
1594 452 :
1595 452 : let on_disk_heatmap_path = self.conf.tenant_heatmap_path(&self.tenant_shard_id);
1596 452 : match tokio::fs::read_to_string(on_disk_heatmap_path).await {
1597 0 : Ok(heatmap) => match serde_json::from_str::<HeatMapTenant>(&heatmap) {
1598 0 : Ok(heatmap) => Some((heatmap, std::time::Instant::now())),
1599 0 : Err(err) => {
1600 0 : error!("Failed to deserialize old heatmap: {err}");
1601 0 : None
1602 : }
1603 : },
1604 452 : Err(err) => match err.kind() {
1605 452 : std::io::ErrorKind::NotFound => None,
1606 : _ => {
1607 0 : error!("Unexpected IO error reading old heatmap: {err}");
1608 0 : None
1609 : }
1610 : },
1611 : }
1612 452 : }
1613 :
1614 : ///
1615 : /// Background task that downloads all data for a tenant and brings it to Active state.
1616 : ///
1617 : /// No background tasks are started as part of this routine.
1618 : ///
1619 452 : async fn attach(
1620 452 : self: &Arc<Tenant>,
1621 452 : preload: Option<TenantPreload>,
1622 452 : ctx: &RequestContext,
1623 452 : ) -> anyhow::Result<()> {
1624 452 : span::debug_assert_current_span_has_tenant_id();
1625 452 :
1626 452 : failpoint_support::sleep_millis_async!("before-attaching-tenant");
1627 :
1628 452 : let Some(preload) = preload else {
1629 0 : anyhow::bail!(
1630 0 : "local-only deployment is no longer supported, https://github.com/neondatabase/neon/issues/5624"
1631 0 : );
1632 : };
1633 :
1634 452 : let mut offloaded_timeline_ids = HashSet::new();
1635 452 : let mut offloaded_timelines_list = Vec::new();
1636 452 : for timeline_manifest in preload.tenant_manifest.offloaded_timelines.iter() {
1637 0 : let timeline_id = timeline_manifest.timeline_id;
1638 0 : let offloaded_timeline =
1639 0 : OffloadedTimeline::from_manifest(self.tenant_shard_id, timeline_manifest);
1640 0 : offloaded_timelines_list.push((timeline_id, Arc::new(offloaded_timeline)));
1641 0 : offloaded_timeline_ids.insert(timeline_id);
1642 0 : }
1643 : // Complete deletions for offloaded timeline id's from manifest.
1644 : // The manifest will be uploaded later in this function.
1645 452 : offloaded_timelines_list
1646 452 : .retain(|(offloaded_id, offloaded)| {
1647 0 : // Existence of a timeline is finally determined by the existence of an index-part.json in remote storage.
1648 0 : // If there is dangling references in another location, they need to be cleaned up.
1649 0 : let delete = !preload.timelines.contains_key(offloaded_id);
1650 0 : if delete {
1651 0 : tracing::info!("Removing offloaded timeline {offloaded_id} from manifest as no remote prefix was found");
1652 0 : offloaded.defuse_for_tenant_drop();
1653 0 : }
1654 0 : !delete
1655 452 : });
1656 452 :
1657 452 : let mut timelines_to_resume_deletions = vec![];
1658 452 :
1659 452 : let mut remote_index_and_client = HashMap::new();
1660 452 : let mut timeline_ancestors = HashMap::new();
1661 452 : let mut existent_timelines = HashSet::new();
1662 464 : for (timeline_id, preload) in preload.timelines {
1663 12 : let Some(preload) = preload else { continue };
1664 : // This is an invariant of the `preload` function's API
1665 12 : assert!(!offloaded_timeline_ids.contains(&timeline_id));
1666 12 : let index_part = match preload.index_part {
1667 12 : Ok(i) => {
1668 12 : debug!("remote index part exists for timeline {timeline_id}");
1669 : // We found index_part on the remote, this is the standard case.
1670 12 : existent_timelines.insert(timeline_id);
1671 12 : i
1672 : }
1673 : Err(DownloadError::NotFound) => {
1674 : // There is no index_part on the remote. We only get here
1675 : // if there is some prefix for the timeline in the remote storage.
1676 : // This can e.g. be the initdb.tar.zst archive, maybe a
1677 : // remnant from a prior incomplete creation or deletion attempt.
1678 : // Delete the local directory as the deciding criterion for a
1679 : // timeline's existence is presence of index_part.
1680 0 : info!(%timeline_id, "index_part not found on remote");
1681 0 : continue;
1682 : }
1683 0 : Err(DownloadError::Fatal(why)) => {
1684 0 : // If, while loading one remote timeline, we saw an indication that our generation
1685 0 : // number is likely invalid, then we should not load the whole tenant.
1686 0 : error!(%timeline_id, "Fatal error loading timeline: {why}");
1687 0 : anyhow::bail!(why.to_string());
1688 : }
1689 0 : Err(e) => {
1690 0 : // Some (possibly ephemeral) error happened during index_part download.
1691 0 : // Pretend the timeline exists to not delete the timeline directory,
1692 0 : // as it might be a temporary issue and we don't want to re-download
1693 0 : // everything after it resolves.
1694 0 : warn!(%timeline_id, "Failed to load index_part from remote storage, failed creation? ({e})");
1695 :
1696 0 : existent_timelines.insert(timeline_id);
1697 0 : continue;
1698 : }
1699 : };
1700 12 : match index_part {
1701 12 : MaybeDeletedIndexPart::IndexPart(index_part) => {
1702 12 : timeline_ancestors.insert(timeline_id, index_part.metadata.clone());
1703 12 : remote_index_and_client.insert(
1704 12 : timeline_id,
1705 12 : (index_part, preload.client, preload.previous_heatmap),
1706 12 : );
1707 12 : }
1708 0 : MaybeDeletedIndexPart::Deleted(index_part) => {
1709 0 : info!(
1710 0 : "timeline {} is deleted, picking to resume deletion",
1711 : timeline_id
1712 : );
1713 0 : timelines_to_resume_deletions.push((timeline_id, index_part, preload.client));
1714 : }
1715 : }
1716 : }
1717 :
1718 452 : let mut gc_blocks = HashMap::new();
1719 :
1720 : // For every timeline, download the metadata file, scan the local directory,
1721 : // and build a layer map that contains an entry for each remote and local
1722 : // layer file.
1723 452 : let sorted_timelines = tree_sort_timelines(timeline_ancestors, |m| m.ancestor_timeline())?;
1724 464 : for (timeline_id, remote_metadata) in sorted_timelines {
1725 12 : let (index_part, remote_client, previous_heatmap) = remote_index_and_client
1726 12 : .remove(&timeline_id)
1727 12 : .expect("just put it in above");
1728 :
1729 12 : if let Some(blocking) = index_part.gc_blocking.as_ref() {
1730 : // could just filter these away, but it helps while testing
1731 0 : anyhow::ensure!(
1732 0 : !blocking.reasons.is_empty(),
1733 0 : "index_part for {timeline_id} is malformed: it should not have gc blocking with zero reasons"
1734 : );
1735 0 : let prev = gc_blocks.insert(timeline_id, blocking.reasons);
1736 0 : assert!(prev.is_none());
1737 12 : }
1738 :
1739 : // TODO again handle early failure
1740 12 : let effect = self
1741 12 : .load_remote_timeline(
1742 12 : timeline_id,
1743 12 : index_part,
1744 12 : remote_metadata,
1745 12 : previous_heatmap,
1746 12 : self.get_timeline_resources_for(remote_client),
1747 12 : LoadTimelineCause::Attach,
1748 12 : ctx,
1749 12 : )
1750 12 : .await
1751 12 : .with_context(|| {
1752 0 : format!(
1753 0 : "failed to load remote timeline {} for tenant {}",
1754 0 : timeline_id, self.tenant_shard_id
1755 0 : )
1756 12 : })?;
1757 :
1758 12 : match effect {
1759 12 : TimelineInitAndSyncResult::ReadyToActivate(_) => {
1760 12 : // activation happens later, on Tenant::activate
1761 12 : }
1762 : TimelineInitAndSyncResult::NeedsSpawnImportPgdata(
1763 : TimelineInitAndSyncNeedsSpawnImportPgdata {
1764 0 : timeline,
1765 0 : import_pgdata,
1766 0 : guard,
1767 0 : },
1768 0 : ) => {
1769 0 : tokio::task::spawn(self.clone().create_timeline_import_pgdata_task(
1770 0 : timeline,
1771 0 : import_pgdata,
1772 0 : ActivateTimelineArgs::No,
1773 0 : guard,
1774 0 : ctx.detached_child(TaskKind::ImportPgdata, DownloadBehavior::Warn),
1775 0 : ));
1776 0 : }
1777 : }
1778 : }
1779 :
1780 : // Walk through deleted timelines, resume deletion
1781 452 : for (timeline_id, index_part, remote_timeline_client) in timelines_to_resume_deletions {
1782 0 : remote_timeline_client
1783 0 : .init_upload_queue_stopped_to_continue_deletion(&index_part)
1784 0 : .context("init queue stopped")
1785 0 : .map_err(LoadLocalTimelineError::ResumeDeletion)?;
1786 :
1787 0 : DeleteTimelineFlow::resume_deletion(
1788 0 : Arc::clone(self),
1789 0 : timeline_id,
1790 0 : &index_part.metadata,
1791 0 : remote_timeline_client,
1792 0 : ctx,
1793 0 : )
1794 0 : .instrument(tracing::info_span!("timeline_delete", %timeline_id))
1795 0 : .await
1796 0 : .context("resume_deletion")
1797 0 : .map_err(LoadLocalTimelineError::ResumeDeletion)?;
1798 : }
1799 452 : let needs_manifest_upload =
1800 452 : offloaded_timelines_list.len() != preload.tenant_manifest.offloaded_timelines.len();
1801 452 : {
1802 452 : let mut offloaded_timelines_accessor = self.timelines_offloaded.lock().unwrap();
1803 452 : offloaded_timelines_accessor.extend(offloaded_timelines_list.into_iter());
1804 452 : }
1805 452 : if needs_manifest_upload {
1806 0 : self.store_tenant_manifest().await?;
1807 452 : }
1808 :
1809 : // The local filesystem contents are a cache of what's in the remote IndexPart;
1810 : // IndexPart is the source of truth.
1811 452 : self.clean_up_timelines(&existent_timelines)?;
1812 :
1813 452 : self.gc_block.set_scanned(gc_blocks);
1814 452 :
1815 452 : fail::fail_point!("attach-before-activate", |_| {
1816 0 : anyhow::bail!("attach-before-activate");
1817 452 : });
1818 452 : failpoint_support::sleep_millis_async!("attach-before-activate-sleep", &self.cancel);
1819 :
1820 452 : info!("Done");
1821 :
1822 452 : Ok(())
1823 452 : }
1824 :
1825 : /// Check for any local timeline directories that are temporary, or do not correspond to a
1826 : /// timeline that still exists: this can happen if we crashed during a deletion/creation, or
1827 : /// if a timeline was deleted while the tenant was attached to a different pageserver.
1828 452 : fn clean_up_timelines(&self, existent_timelines: &HashSet<TimelineId>) -> anyhow::Result<()> {
1829 452 : let timelines_dir = self.conf.timelines_path(&self.tenant_shard_id);
1830 :
1831 452 : let entries = match timelines_dir.read_dir_utf8() {
1832 452 : Ok(d) => d,
1833 0 : Err(e) => {
1834 0 : if e.kind() == std::io::ErrorKind::NotFound {
1835 0 : return Ok(());
1836 : } else {
1837 0 : return Err(e).context("list timelines directory for tenant");
1838 : }
1839 : }
1840 : };
1841 :
1842 468 : for entry in entries {
1843 16 : let entry = entry.context("read timeline dir entry")?;
1844 16 : let entry_path = entry.path();
1845 :
1846 16 : let purge = if crate::is_temporary(entry_path) {
1847 0 : true
1848 : } else {
1849 16 : match TimelineId::try_from(entry_path.file_name()) {
1850 16 : Ok(i) => {
1851 16 : // Purge if the timeline ID does not exist in remote storage: remote storage is the authority.
1852 16 : !existent_timelines.contains(&i)
1853 : }
1854 0 : Err(e) => {
1855 0 : tracing::warn!(
1856 0 : "Unparseable directory in timelines directory: {entry_path}, ignoring ({e})"
1857 : );
1858 : // Do not purge junk: if we don't recognize it, be cautious and leave it for a human.
1859 0 : false
1860 : }
1861 : }
1862 : };
1863 :
1864 16 : if purge {
1865 4 : tracing::info!("Purging stale timeline dentry {entry_path}");
1866 4 : if let Err(e) = match entry.file_type() {
1867 4 : Ok(t) => if t.is_dir() {
1868 4 : std::fs::remove_dir_all(entry_path)
1869 : } else {
1870 0 : std::fs::remove_file(entry_path)
1871 : }
1872 4 : .or_else(fs_ext::ignore_not_found),
1873 0 : Err(e) => Err(e),
1874 : } {
1875 0 : tracing::warn!("Failed to purge stale timeline dentry {entry_path}: {e}");
1876 4 : }
1877 12 : }
1878 : }
1879 :
1880 452 : Ok(())
1881 452 : }
1882 :
1883 : /// Get sum of all remote timelines sizes
1884 : ///
1885 : /// This function relies on the index_part instead of listing the remote storage
1886 0 : pub fn remote_size(&self) -> u64 {
1887 0 : let mut size = 0;
1888 :
1889 0 : for timeline in self.list_timelines() {
1890 0 : size += timeline.remote_client.get_remote_physical_size();
1891 0 : }
1892 :
1893 0 : size
1894 0 : }
1895 :
1896 : #[instrument(skip_all, fields(timeline_id=%timeline_id))]
1897 : #[allow(clippy::too_many_arguments)]
1898 : async fn load_remote_timeline(
1899 : self: &Arc<Self>,
1900 : timeline_id: TimelineId,
1901 : index_part: IndexPart,
1902 : remote_metadata: TimelineMetadata,
1903 : previous_heatmap: Option<PreviousHeatmap>,
1904 : resources: TimelineResources,
1905 : cause: LoadTimelineCause,
1906 : ctx: &RequestContext,
1907 : ) -> anyhow::Result<TimelineInitAndSyncResult> {
1908 : span::debug_assert_current_span_has_tenant_id();
1909 :
1910 : info!("downloading index file for timeline {}", timeline_id);
1911 : tokio::fs::create_dir_all(self.conf.timeline_path(&self.tenant_shard_id, &timeline_id))
1912 : .await
1913 : .context("Failed to create new timeline directory")?;
1914 :
1915 : let ancestor = if let Some(ancestor_id) = remote_metadata.ancestor_timeline() {
1916 : let timelines = self.timelines.lock().unwrap();
1917 : Some(Arc::clone(timelines.get(&ancestor_id).ok_or_else(
1918 0 : || {
1919 0 : anyhow::anyhow!(
1920 0 : "cannot find ancestor timeline {ancestor_id} for timeline {timeline_id}"
1921 0 : )
1922 0 : },
1923 : )?))
1924 : } else {
1925 : None
1926 : };
1927 :
1928 : self.timeline_init_and_sync(
1929 : timeline_id,
1930 : resources,
1931 : index_part,
1932 : remote_metadata,
1933 : previous_heatmap,
1934 : ancestor,
1935 : cause,
1936 : ctx,
1937 : )
1938 : .await
1939 : }
1940 :
1941 452 : async fn load_timelines_metadata(
1942 452 : self: &Arc<Tenant>,
1943 452 : timeline_ids: HashSet<TimelineId>,
1944 452 : remote_storage: &GenericRemoteStorage,
1945 452 : heatmap: Option<(HeatMapTenant, std::time::Instant)>,
1946 452 : cancel: CancellationToken,
1947 452 : ) -> anyhow::Result<HashMap<TimelineId, TimelinePreload>> {
1948 452 : let mut timeline_heatmaps = heatmap.map(|h| (h.0.into_timelines_index(), h.1));
1949 452 :
1950 452 : let mut part_downloads = JoinSet::new();
1951 464 : for timeline_id in timeline_ids {
1952 12 : let cancel_clone = cancel.clone();
1953 12 :
1954 12 : let previous_timeline_heatmap = timeline_heatmaps.as_mut().and_then(|hs| {
1955 0 : hs.0.remove(&timeline_id).map(|h| PreviousHeatmap::Active {
1956 0 : heatmap: h,
1957 0 : read_at: hs.1,
1958 0 : end_lsn: None,
1959 0 : })
1960 12 : });
1961 12 : part_downloads.spawn(
1962 12 : self.load_timeline_metadata(
1963 12 : timeline_id,
1964 12 : remote_storage.clone(),
1965 12 : previous_timeline_heatmap,
1966 12 : cancel_clone,
1967 12 : )
1968 12 : .instrument(info_span!("download_index_part", %timeline_id)),
1969 : );
1970 : }
1971 :
1972 452 : let mut timeline_preloads: HashMap<TimelineId, TimelinePreload> = HashMap::new();
1973 :
1974 : loop {
1975 464 : tokio::select!(
1976 464 : next = part_downloads.join_next() => {
1977 464 : match next {
1978 12 : Some(result) => {
1979 12 : let preload = result.context("join preload task")?;
1980 12 : timeline_preloads.insert(preload.timeline_id, preload);
1981 : },
1982 : None => {
1983 452 : break;
1984 : }
1985 : }
1986 : },
1987 464 : _ = cancel.cancelled() => {
1988 0 : anyhow::bail!("Cancelled while waiting for remote index download")
1989 : }
1990 : )
1991 : }
1992 :
1993 452 : Ok(timeline_preloads)
1994 452 : }
1995 :
1996 12 : fn build_timeline_client(
1997 12 : &self,
1998 12 : timeline_id: TimelineId,
1999 12 : remote_storage: GenericRemoteStorage,
2000 12 : ) -> RemoteTimelineClient {
2001 12 : RemoteTimelineClient::new(
2002 12 : remote_storage.clone(),
2003 12 : self.deletion_queue_client.clone(),
2004 12 : self.conf,
2005 12 : self.tenant_shard_id,
2006 12 : timeline_id,
2007 12 : self.generation,
2008 12 : &self.tenant_conf.load().location,
2009 12 : )
2010 12 : }
2011 :
2012 12 : fn load_timeline_metadata(
2013 12 : self: &Arc<Tenant>,
2014 12 : timeline_id: TimelineId,
2015 12 : remote_storage: GenericRemoteStorage,
2016 12 : previous_heatmap: Option<PreviousHeatmap>,
2017 12 : cancel: CancellationToken,
2018 12 : ) -> impl Future<Output = TimelinePreload> + use<> {
2019 12 : let client = self.build_timeline_client(timeline_id, remote_storage);
2020 12 : async move {
2021 12 : debug_assert_current_span_has_tenant_and_timeline_id();
2022 12 : debug!("starting index part download");
2023 :
2024 12 : let index_part = client.download_index_file(&cancel).await;
2025 :
2026 12 : debug!("finished index part download");
2027 :
2028 12 : TimelinePreload {
2029 12 : client,
2030 12 : timeline_id,
2031 12 : index_part,
2032 12 : previous_heatmap,
2033 12 : }
2034 12 : }
2035 12 : }
2036 :
2037 0 : fn check_to_be_archived_has_no_unarchived_children(
2038 0 : timeline_id: TimelineId,
2039 0 : timelines: &std::sync::MutexGuard<'_, HashMap<TimelineId, Arc<Timeline>>>,
2040 0 : ) -> Result<(), TimelineArchivalError> {
2041 0 : let children: Vec<TimelineId> = timelines
2042 0 : .iter()
2043 0 : .filter_map(|(id, entry)| {
2044 0 : if entry.get_ancestor_timeline_id() != Some(timeline_id) {
2045 0 : return None;
2046 0 : }
2047 0 : if entry.is_archived() == Some(true) {
2048 0 : return None;
2049 0 : }
2050 0 : Some(*id)
2051 0 : })
2052 0 : .collect();
2053 0 :
2054 0 : if !children.is_empty() {
2055 0 : return Err(TimelineArchivalError::HasUnarchivedChildren(children));
2056 0 : }
2057 0 : Ok(())
2058 0 : }
2059 :
2060 0 : fn check_ancestor_of_to_be_unarchived_is_not_archived(
2061 0 : ancestor_timeline_id: TimelineId,
2062 0 : timelines: &std::sync::MutexGuard<'_, HashMap<TimelineId, Arc<Timeline>>>,
2063 0 : offloaded_timelines: &std::sync::MutexGuard<
2064 0 : '_,
2065 0 : HashMap<TimelineId, Arc<OffloadedTimeline>>,
2066 0 : >,
2067 0 : ) -> Result<(), TimelineArchivalError> {
2068 0 : let has_archived_parent =
2069 0 : if let Some(ancestor_timeline) = timelines.get(&ancestor_timeline_id) {
2070 0 : ancestor_timeline.is_archived() == Some(true)
2071 0 : } else if offloaded_timelines.contains_key(&ancestor_timeline_id) {
2072 0 : true
2073 : } else {
2074 0 : error!("ancestor timeline {ancestor_timeline_id} not found");
2075 0 : if cfg!(debug_assertions) {
2076 0 : panic!("ancestor timeline {ancestor_timeline_id} not found");
2077 0 : }
2078 0 : return Err(TimelineArchivalError::NotFound);
2079 : };
2080 0 : if has_archived_parent {
2081 0 : return Err(TimelineArchivalError::HasArchivedParent(
2082 0 : ancestor_timeline_id,
2083 0 : ));
2084 0 : }
2085 0 : Ok(())
2086 0 : }
2087 :
2088 0 : fn check_to_be_unarchived_timeline_has_no_archived_parent(
2089 0 : timeline: &Arc<Timeline>,
2090 0 : ) -> Result<(), TimelineArchivalError> {
2091 0 : if let Some(ancestor_timeline) = timeline.ancestor_timeline() {
2092 0 : if ancestor_timeline.is_archived() == Some(true) {
2093 0 : return Err(TimelineArchivalError::HasArchivedParent(
2094 0 : ancestor_timeline.timeline_id,
2095 0 : ));
2096 0 : }
2097 0 : }
2098 0 : Ok(())
2099 0 : }
2100 :
2101 : /// Loads the specified (offloaded) timeline from S3 and attaches it as a loaded timeline
2102 : ///
2103 : /// Counterpart to [`offload_timeline`].
2104 0 : async fn unoffload_timeline(
2105 0 : self: &Arc<Self>,
2106 0 : timeline_id: TimelineId,
2107 0 : broker_client: storage_broker::BrokerClientChannel,
2108 0 : ctx: RequestContext,
2109 0 : ) -> Result<Arc<Timeline>, TimelineArchivalError> {
2110 0 : info!("unoffloading timeline");
2111 :
2112 : // We activate the timeline below manually, so this must be called on an active tenant.
2113 : // We expect callers of this function to ensure this.
2114 0 : match self.current_state() {
2115 : TenantState::Activating { .. }
2116 : | TenantState::Attaching
2117 : | TenantState::Broken { .. } => {
2118 0 : panic!("Timeline expected to be active")
2119 : }
2120 0 : TenantState::Stopping { .. } => return Err(TimelineArchivalError::Cancelled),
2121 0 : TenantState::Active => {}
2122 0 : }
2123 0 : let cancel = self.cancel.clone();
2124 0 :
2125 0 : // Protect against concurrent attempts to use this TimelineId
2126 0 : // We don't care much about idempotency, as it's ensured a layer above.
2127 0 : let allow_offloaded = true;
2128 0 : let _create_guard = self
2129 0 : .create_timeline_create_guard(
2130 0 : timeline_id,
2131 0 : CreateTimelineIdempotency::FailWithConflict,
2132 0 : allow_offloaded,
2133 0 : )
2134 0 : .map_err(|err| match err {
2135 0 : TimelineExclusionError::AlreadyCreating => TimelineArchivalError::AlreadyInProgress,
2136 : TimelineExclusionError::AlreadyExists { .. } => {
2137 0 : TimelineArchivalError::Other(anyhow::anyhow!("Timeline already exists"))
2138 : }
2139 0 : TimelineExclusionError::Other(e) => TimelineArchivalError::Other(e),
2140 0 : TimelineExclusionError::ShuttingDown => TimelineArchivalError::Cancelled,
2141 0 : })?;
2142 :
2143 0 : let timeline_preload = self
2144 0 : .load_timeline_metadata(
2145 0 : timeline_id,
2146 0 : self.remote_storage.clone(),
2147 0 : None,
2148 0 : cancel.clone(),
2149 0 : )
2150 0 : .await;
2151 :
2152 0 : let index_part = match timeline_preload.index_part {
2153 0 : Ok(index_part) => {
2154 0 : debug!("remote index part exists for timeline {timeline_id}");
2155 0 : index_part
2156 : }
2157 : Err(DownloadError::NotFound) => {
2158 0 : error!(%timeline_id, "index_part not found on remote");
2159 0 : return Err(TimelineArchivalError::NotFound);
2160 : }
2161 0 : Err(DownloadError::Cancelled) => return Err(TimelineArchivalError::Cancelled),
2162 0 : Err(e) => {
2163 0 : // Some (possibly ephemeral) error happened during index_part download.
2164 0 : warn!(%timeline_id, "Failed to load index_part from remote storage, failed creation? ({e})");
2165 0 : return Err(TimelineArchivalError::Other(
2166 0 : anyhow::Error::new(e).context("downloading index_part from remote storage"),
2167 0 : ));
2168 : }
2169 : };
2170 0 : let index_part = match index_part {
2171 0 : MaybeDeletedIndexPart::IndexPart(index_part) => index_part,
2172 0 : MaybeDeletedIndexPart::Deleted(_index_part) => {
2173 0 : info!("timeline is deleted according to index_part.json");
2174 0 : return Err(TimelineArchivalError::NotFound);
2175 : }
2176 : };
2177 0 : let remote_metadata = index_part.metadata.clone();
2178 0 : let timeline_resources = self.build_timeline_resources(timeline_id);
2179 0 : self.load_remote_timeline(
2180 0 : timeline_id,
2181 0 : index_part,
2182 0 : remote_metadata,
2183 0 : None,
2184 0 : timeline_resources,
2185 0 : LoadTimelineCause::Unoffload,
2186 0 : &ctx,
2187 0 : )
2188 0 : .await
2189 0 : .with_context(|| {
2190 0 : format!(
2191 0 : "failed to load remote timeline {} for tenant {}",
2192 0 : timeline_id, self.tenant_shard_id
2193 0 : )
2194 0 : })
2195 0 : .map_err(TimelineArchivalError::Other)?;
2196 :
2197 0 : let timeline = {
2198 0 : let timelines = self.timelines.lock().unwrap();
2199 0 : let Some(timeline) = timelines.get(&timeline_id) else {
2200 0 : warn!("timeline not available directly after attach");
2201 : // This is not a panic because no locks are held between `load_remote_timeline`
2202 : // which puts the timeline into timelines, and our look into the timeline map.
2203 0 : return Err(TimelineArchivalError::Other(anyhow::anyhow!(
2204 0 : "timeline not available directly after attach"
2205 0 : )));
2206 : };
2207 0 : let mut offloaded_timelines = self.timelines_offloaded.lock().unwrap();
2208 0 : match offloaded_timelines.remove(&timeline_id) {
2209 0 : Some(offloaded) => {
2210 0 : offloaded.delete_from_ancestor_with_timelines(&timelines);
2211 0 : }
2212 0 : None => warn!("timeline already removed from offloaded timelines"),
2213 : }
2214 :
2215 0 : self.initialize_gc_info(&timelines, &offloaded_timelines, Some(timeline_id));
2216 0 :
2217 0 : Arc::clone(timeline)
2218 0 : };
2219 0 :
2220 0 : // Upload new list of offloaded timelines to S3
2221 0 : self.store_tenant_manifest().await?;
2222 :
2223 : // Activate the timeline (if it makes sense)
2224 0 : if !(timeline.is_broken() || timeline.is_stopping()) {
2225 0 : let background_jobs_can_start = None;
2226 0 : timeline.activate(
2227 0 : self.clone(),
2228 0 : broker_client.clone(),
2229 0 : background_jobs_can_start,
2230 0 : &ctx.with_scope_timeline(&timeline),
2231 0 : );
2232 0 : }
2233 :
2234 0 : info!("timeline unoffloading complete");
2235 0 : Ok(timeline)
2236 0 : }
2237 :
2238 0 : pub(crate) async fn apply_timeline_archival_config(
2239 0 : self: &Arc<Self>,
2240 0 : timeline_id: TimelineId,
2241 0 : new_state: TimelineArchivalState,
2242 0 : broker_client: storage_broker::BrokerClientChannel,
2243 0 : ctx: RequestContext,
2244 0 : ) -> Result<(), TimelineArchivalError> {
2245 0 : info!("setting timeline archival config");
2246 : // First part: figure out what is needed to do, and do validation
2247 0 : let timeline_or_unarchive_offloaded = 'outer: {
2248 0 : let timelines = self.timelines.lock().unwrap();
2249 :
2250 0 : let Some(timeline) = timelines.get(&timeline_id) else {
2251 0 : let offloaded_timelines = self.timelines_offloaded.lock().unwrap();
2252 0 : let Some(offloaded) = offloaded_timelines.get(&timeline_id) else {
2253 0 : return Err(TimelineArchivalError::NotFound);
2254 : };
2255 0 : if new_state == TimelineArchivalState::Archived {
2256 : // It's offloaded already, so nothing to do
2257 0 : return Ok(());
2258 0 : }
2259 0 : if let Some(ancestor_timeline_id) = offloaded.ancestor_timeline_id {
2260 0 : Self::check_ancestor_of_to_be_unarchived_is_not_archived(
2261 0 : ancestor_timeline_id,
2262 0 : &timelines,
2263 0 : &offloaded_timelines,
2264 0 : )?;
2265 0 : }
2266 0 : break 'outer None;
2267 : };
2268 :
2269 : // Do some validation. We release the timelines lock below, so there is potential
2270 : // for race conditions: these checks are more present to prevent misunderstandings of
2271 : // the API's capabilities, instead of serving as the sole way to defend their invariants.
2272 0 : match new_state {
2273 : TimelineArchivalState::Unarchived => {
2274 0 : Self::check_to_be_unarchived_timeline_has_no_archived_parent(timeline)?
2275 : }
2276 : TimelineArchivalState::Archived => {
2277 0 : Self::check_to_be_archived_has_no_unarchived_children(timeline_id, &timelines)?
2278 : }
2279 : }
2280 0 : Some(Arc::clone(timeline))
2281 : };
2282 :
2283 : // Second part: unoffload timeline (if needed)
2284 0 : let timeline = if let Some(timeline) = timeline_or_unarchive_offloaded {
2285 0 : timeline
2286 : } else {
2287 : // Turn offloaded timeline into a non-offloaded one
2288 0 : self.unoffload_timeline(timeline_id, broker_client, ctx)
2289 0 : .await?
2290 : };
2291 :
2292 : // Third part: upload new timeline archival state and block until it is present in S3
2293 0 : let upload_needed = match timeline
2294 0 : .remote_client
2295 0 : .schedule_index_upload_for_timeline_archival_state(new_state)
2296 : {
2297 0 : Ok(upload_needed) => upload_needed,
2298 0 : Err(e) => {
2299 0 : if timeline.cancel.is_cancelled() {
2300 0 : return Err(TimelineArchivalError::Cancelled);
2301 : } else {
2302 0 : return Err(TimelineArchivalError::Other(e));
2303 : }
2304 : }
2305 : };
2306 :
2307 0 : if upload_needed {
2308 0 : info!("Uploading new state");
2309 : const MAX_WAIT: Duration = Duration::from_secs(10);
2310 0 : let Ok(v) =
2311 0 : tokio::time::timeout(MAX_WAIT, timeline.remote_client.wait_completion()).await
2312 : else {
2313 0 : tracing::warn!("reached timeout for waiting on upload queue");
2314 0 : return Err(TimelineArchivalError::Timeout);
2315 : };
2316 0 : v.map_err(|e| match e {
2317 0 : WaitCompletionError::NotInitialized(e) => {
2318 0 : TimelineArchivalError::Other(anyhow::anyhow!(e))
2319 : }
2320 : WaitCompletionError::UploadQueueShutDownOrStopped => {
2321 0 : TimelineArchivalError::Cancelled
2322 : }
2323 0 : })?;
2324 0 : }
2325 0 : Ok(())
2326 0 : }
2327 :
2328 4 : pub fn get_offloaded_timeline(
2329 4 : &self,
2330 4 : timeline_id: TimelineId,
2331 4 : ) -> Result<Arc<OffloadedTimeline>, GetTimelineError> {
2332 4 : self.timelines_offloaded
2333 4 : .lock()
2334 4 : .unwrap()
2335 4 : .get(&timeline_id)
2336 4 : .map(Arc::clone)
2337 4 : .ok_or(GetTimelineError::NotFound {
2338 4 : tenant_id: self.tenant_shard_id,
2339 4 : timeline_id,
2340 4 : })
2341 4 : }
2342 :
2343 8 : pub(crate) fn tenant_shard_id(&self) -> TenantShardId {
2344 8 : self.tenant_shard_id
2345 8 : }
2346 :
2347 : /// Get Timeline handle for given Neon timeline ID.
2348 : /// This function is idempotent. It doesn't change internal state in any way.
2349 444 : pub fn get_timeline(
2350 444 : &self,
2351 444 : timeline_id: TimelineId,
2352 444 : active_only: bool,
2353 444 : ) -> Result<Arc<Timeline>, GetTimelineError> {
2354 444 : let timelines_accessor = self.timelines.lock().unwrap();
2355 444 : let timeline = timelines_accessor
2356 444 : .get(&timeline_id)
2357 444 : .ok_or(GetTimelineError::NotFound {
2358 444 : tenant_id: self.tenant_shard_id,
2359 444 : timeline_id,
2360 444 : })?;
2361 :
2362 440 : if active_only && !timeline.is_active() {
2363 0 : Err(GetTimelineError::NotActive {
2364 0 : tenant_id: self.tenant_shard_id,
2365 0 : timeline_id,
2366 0 : state: timeline.current_state(),
2367 0 : })
2368 : } else {
2369 440 : Ok(Arc::clone(timeline))
2370 : }
2371 444 : }
2372 :
2373 : /// Lists timelines the tenant contains.
2374 : /// It's up to callers to omit certain timelines that are not considered ready for use.
2375 0 : pub fn list_timelines(&self) -> Vec<Arc<Timeline>> {
2376 0 : self.timelines
2377 0 : .lock()
2378 0 : .unwrap()
2379 0 : .values()
2380 0 : .map(Arc::clone)
2381 0 : .collect()
2382 0 : }
2383 :
2384 : /// Lists timelines the tenant manages, including offloaded ones.
2385 : ///
2386 : /// It's up to callers to omit certain timelines that are not considered ready for use.
2387 0 : pub fn list_timelines_and_offloaded(
2388 0 : &self,
2389 0 : ) -> (Vec<Arc<Timeline>>, Vec<Arc<OffloadedTimeline>>) {
2390 0 : let timelines = self
2391 0 : .timelines
2392 0 : .lock()
2393 0 : .unwrap()
2394 0 : .values()
2395 0 : .map(Arc::clone)
2396 0 : .collect();
2397 0 : let offloaded = self
2398 0 : .timelines_offloaded
2399 0 : .lock()
2400 0 : .unwrap()
2401 0 : .values()
2402 0 : .map(Arc::clone)
2403 0 : .collect();
2404 0 : (timelines, offloaded)
2405 0 : }
2406 :
2407 0 : pub fn list_timeline_ids(&self) -> Vec<TimelineId> {
2408 0 : self.timelines.lock().unwrap().keys().cloned().collect()
2409 0 : }
2410 :
2411 : /// This is used by tests & import-from-basebackup.
2412 : ///
2413 : /// The returned [`UninitializedTimeline`] contains no data nor metadata and it is in
2414 : /// a state that will fail [`Tenant::load_remote_timeline`] because `disk_consistent_lsn=Lsn(0)`.
2415 : ///
2416 : /// The caller is responsible for getting the timeline into a state that will be accepted
2417 : /// by [`Tenant::load_remote_timeline`] / [`Tenant::attach`].
2418 : /// Then they may call [`UninitializedTimeline::finish_creation`] to add the timeline
2419 : /// to the [`Tenant::timelines`].
2420 : ///
2421 : /// Tests should use `Tenant::create_test_timeline` to set up the minimum required metadata keys.
2422 436 : pub(crate) async fn create_empty_timeline(
2423 436 : self: &Arc<Self>,
2424 436 : new_timeline_id: TimelineId,
2425 436 : initdb_lsn: Lsn,
2426 436 : pg_version: u32,
2427 436 : ctx: &RequestContext,
2428 436 : ) -> anyhow::Result<(UninitializedTimeline, RequestContext)> {
2429 436 : anyhow::ensure!(
2430 436 : self.is_active(),
2431 0 : "Cannot create empty timelines on inactive tenant"
2432 : );
2433 :
2434 : // Protect against concurrent attempts to use this TimelineId
2435 436 : let create_guard = match self
2436 436 : .start_creating_timeline(new_timeline_id, CreateTimelineIdempotency::FailWithConflict)
2437 436 : .await?
2438 : {
2439 432 : StartCreatingTimelineResult::CreateGuard(guard) => guard,
2440 : StartCreatingTimelineResult::Idempotent(_) => {
2441 0 : unreachable!("FailWithConflict implies we get an error instead")
2442 : }
2443 : };
2444 :
2445 432 : let new_metadata = TimelineMetadata::new(
2446 432 : // Initialize disk_consistent LSN to 0, The caller must import some data to
2447 432 : // make it valid, before calling finish_creation()
2448 432 : Lsn(0),
2449 432 : None,
2450 432 : None,
2451 432 : Lsn(0),
2452 432 : initdb_lsn,
2453 432 : initdb_lsn,
2454 432 : pg_version,
2455 432 : );
2456 432 : self.prepare_new_timeline(
2457 432 : new_timeline_id,
2458 432 : &new_metadata,
2459 432 : create_guard,
2460 432 : initdb_lsn,
2461 432 : None,
2462 432 : None,
2463 432 : ctx,
2464 432 : )
2465 432 : .await
2466 436 : }
2467 :
2468 : /// Helper for unit tests to create an empty timeline.
2469 : ///
2470 : /// The timeline is has state value `Active` but its background loops are not running.
2471 : // This makes the various functions which anyhow::ensure! for Active state work in tests.
2472 : // Our current tests don't need the background loops.
2473 : #[cfg(test)]
2474 416 : pub async fn create_test_timeline(
2475 416 : self: &Arc<Self>,
2476 416 : new_timeline_id: TimelineId,
2477 416 : initdb_lsn: Lsn,
2478 416 : pg_version: u32,
2479 416 : ctx: &RequestContext,
2480 416 : ) -> anyhow::Result<Arc<Timeline>> {
2481 416 : let (uninit_tl, ctx) = self
2482 416 : .create_empty_timeline(new_timeline_id, initdb_lsn, pg_version, ctx)
2483 416 : .await?;
2484 416 : let tline = uninit_tl.raw_timeline().expect("we just created it");
2485 416 : assert_eq!(tline.get_last_record_lsn(), Lsn(0));
2486 :
2487 : // Setup minimum keys required for the timeline to be usable.
2488 416 : let mut modification = tline.begin_modification(initdb_lsn);
2489 416 : modification
2490 416 : .init_empty_test_timeline()
2491 416 : .context("init_empty_test_timeline")?;
2492 416 : modification
2493 416 : .commit(&ctx)
2494 416 : .await
2495 416 : .context("commit init_empty_test_timeline modification")?;
2496 :
2497 : // Flush to disk so that uninit_tl's check for valid disk_consistent_lsn passes.
2498 416 : tline.maybe_spawn_flush_loop();
2499 416 : tline.freeze_and_flush().await.context("freeze_and_flush")?;
2500 :
2501 : // Make sure the freeze_and_flush reaches remote storage.
2502 416 : tline.remote_client.wait_completion().await.unwrap();
2503 :
2504 416 : let tl = uninit_tl.finish_creation().await?;
2505 : // The non-test code would call tl.activate() here.
2506 416 : tl.set_state(TimelineState::Active);
2507 416 : Ok(tl)
2508 416 : }
2509 :
2510 : /// Helper for unit tests to create a timeline with some pre-loaded states.
2511 : #[cfg(test)]
2512 : #[allow(clippy::too_many_arguments)]
2513 84 : pub async fn create_test_timeline_with_layers(
2514 84 : self: &Arc<Self>,
2515 84 : new_timeline_id: TimelineId,
2516 84 : initdb_lsn: Lsn,
2517 84 : pg_version: u32,
2518 84 : ctx: &RequestContext,
2519 84 : in_memory_layer_desc: Vec<timeline::InMemoryLayerTestDesc>,
2520 84 : delta_layer_desc: Vec<timeline::DeltaLayerTestDesc>,
2521 84 : image_layer_desc: Vec<(Lsn, Vec<(pageserver_api::key::Key, bytes::Bytes)>)>,
2522 84 : end_lsn: Lsn,
2523 84 : ) -> anyhow::Result<Arc<Timeline>> {
2524 : use checks::check_valid_layermap;
2525 : use itertools::Itertools;
2526 :
2527 84 : let tline = self
2528 84 : .create_test_timeline(new_timeline_id, initdb_lsn, pg_version, ctx)
2529 84 : .await?;
2530 84 : tline.force_advance_lsn(end_lsn);
2531 256 : for deltas in delta_layer_desc {
2532 172 : tline
2533 172 : .force_create_delta_layer(deltas, Some(initdb_lsn), ctx)
2534 172 : .await?;
2535 : }
2536 204 : for (lsn, images) in image_layer_desc {
2537 120 : tline
2538 120 : .force_create_image_layer(lsn, images, Some(initdb_lsn), ctx)
2539 120 : .await?;
2540 : }
2541 92 : for in_memory in in_memory_layer_desc {
2542 8 : tline
2543 8 : .force_create_in_memory_layer(in_memory, Some(initdb_lsn), ctx)
2544 8 : .await?;
2545 : }
2546 84 : let layer_names = tline
2547 84 : .layers
2548 84 : .read()
2549 84 : .await
2550 84 : .layer_map()
2551 84 : .unwrap()
2552 84 : .iter_historic_layers()
2553 376 : .map(|layer| layer.layer_name())
2554 84 : .collect_vec();
2555 84 : if let Some(err) = check_valid_layermap(&layer_names) {
2556 0 : bail!("invalid layermap: {err}");
2557 84 : }
2558 84 : Ok(tline)
2559 84 : }
2560 :
2561 : /// Create a new timeline.
2562 : ///
2563 : /// Returns the new timeline ID and reference to its Timeline object.
2564 : ///
2565 : /// If the caller specified the timeline ID to use (`new_timeline_id`), and timeline with
2566 : /// the same timeline ID already exists, returns CreateTimelineError::AlreadyExists.
2567 : #[allow(clippy::too_many_arguments)]
2568 0 : pub(crate) async fn create_timeline(
2569 0 : self: &Arc<Tenant>,
2570 0 : params: CreateTimelineParams,
2571 0 : broker_client: storage_broker::BrokerClientChannel,
2572 0 : ctx: &RequestContext,
2573 0 : ) -> Result<Arc<Timeline>, CreateTimelineError> {
2574 0 : if !self.is_active() {
2575 0 : if matches!(self.current_state(), TenantState::Stopping { .. }) {
2576 0 : return Err(CreateTimelineError::ShuttingDown);
2577 : } else {
2578 0 : return Err(CreateTimelineError::Other(anyhow::anyhow!(
2579 0 : "Cannot create timelines on inactive tenant"
2580 0 : )));
2581 : }
2582 0 : }
2583 :
2584 0 : let _gate = self
2585 0 : .gate
2586 0 : .enter()
2587 0 : .map_err(|_| CreateTimelineError::ShuttingDown)?;
2588 :
2589 0 : let result: CreateTimelineResult = match params {
2590 : CreateTimelineParams::Bootstrap(CreateTimelineParamsBootstrap {
2591 0 : new_timeline_id,
2592 0 : existing_initdb_timeline_id,
2593 0 : pg_version,
2594 0 : }) => {
2595 0 : self.bootstrap_timeline(
2596 0 : new_timeline_id,
2597 0 : pg_version,
2598 0 : existing_initdb_timeline_id,
2599 0 : ctx,
2600 0 : )
2601 0 : .await?
2602 : }
2603 : CreateTimelineParams::Branch(CreateTimelineParamsBranch {
2604 0 : new_timeline_id,
2605 0 : ancestor_timeline_id,
2606 0 : mut ancestor_start_lsn,
2607 : }) => {
2608 0 : let ancestor_timeline = self
2609 0 : .get_timeline(ancestor_timeline_id, false)
2610 0 : .context("Cannot branch off the timeline that's not present in pageserver")?;
2611 :
2612 : // instead of waiting around, just deny the request because ancestor is not yet
2613 : // ready for other purposes either.
2614 0 : if !ancestor_timeline.is_active() {
2615 0 : return Err(CreateTimelineError::AncestorNotActive);
2616 0 : }
2617 0 :
2618 0 : if ancestor_timeline.is_archived() == Some(true) {
2619 0 : info!("tried to branch archived timeline");
2620 0 : return Err(CreateTimelineError::AncestorArchived);
2621 0 : }
2622 :
2623 0 : if let Some(lsn) = ancestor_start_lsn.as_mut() {
2624 0 : *lsn = lsn.align();
2625 0 :
2626 0 : let ancestor_ancestor_lsn = ancestor_timeline.get_ancestor_lsn();
2627 0 : if ancestor_ancestor_lsn > *lsn {
2628 : // can we safely just branch from the ancestor instead?
2629 0 : return Err(CreateTimelineError::AncestorLsn(anyhow::anyhow!(
2630 0 : "invalid start lsn {} for ancestor timeline {}: less than timeline ancestor lsn {}",
2631 0 : lsn,
2632 0 : ancestor_timeline_id,
2633 0 : ancestor_ancestor_lsn,
2634 0 : )));
2635 0 : }
2636 0 :
2637 0 : // Wait for the WAL to arrive and be processed on the parent branch up
2638 0 : // to the requested branch point. The repository code itself doesn't
2639 0 : // require it, but if we start to receive WAL on the new timeline,
2640 0 : // decoding the new WAL might need to look up previous pages, relation
2641 0 : // sizes etc. and that would get confused if the previous page versions
2642 0 : // are not in the repository yet.
2643 0 : ancestor_timeline
2644 0 : .wait_lsn(
2645 0 : *lsn,
2646 0 : timeline::WaitLsnWaiter::Tenant,
2647 0 : timeline::WaitLsnTimeout::Default,
2648 0 : ctx,
2649 0 : )
2650 0 : .await
2651 0 : .map_err(|e| match e {
2652 0 : e @ (WaitLsnError::Timeout(_) | WaitLsnError::BadState { .. }) => {
2653 0 : CreateTimelineError::AncestorLsn(anyhow::anyhow!(e))
2654 : }
2655 0 : WaitLsnError::Shutdown => CreateTimelineError::ShuttingDown,
2656 0 : })?;
2657 0 : }
2658 :
2659 0 : self.branch_timeline(&ancestor_timeline, new_timeline_id, ancestor_start_lsn, ctx)
2660 0 : .await?
2661 : }
2662 0 : CreateTimelineParams::ImportPgdata(params) => {
2663 0 : self.create_timeline_import_pgdata(
2664 0 : params,
2665 0 : ActivateTimelineArgs::Yes {
2666 0 : broker_client: broker_client.clone(),
2667 0 : },
2668 0 : ctx,
2669 0 : )
2670 0 : .await?
2671 : }
2672 : };
2673 :
2674 : // At this point we have dropped our guard on [`Self::timelines_creating`], and
2675 : // the timeline is visible in [`Self::timelines`], but it is _not_ durable yet. We must
2676 : // not send a success to the caller until it is. The same applies to idempotent retries.
2677 : //
2678 : // TODO: the timeline is already visible in [`Self::timelines`]; a caller could incorrectly
2679 : // assume that, because they can see the timeline via API, that the creation is done and
2680 : // that it is durable. Ideally, we would keep the timeline hidden (in [`Self::timelines_creating`])
2681 : // until it is durable, e.g., by extending the time we hold the creation guard. This also
2682 : // interacts with UninitializedTimeline and is generally a bit tricky.
2683 : //
2684 : // To re-emphasize: the only correct way to create a timeline is to repeat calling the
2685 : // creation API until it returns success. Only then is durability guaranteed.
2686 0 : info!(creation_result=%result.discriminant(), "waiting for timeline to be durable");
2687 0 : result
2688 0 : .timeline()
2689 0 : .remote_client
2690 0 : .wait_completion()
2691 0 : .await
2692 0 : .map_err(|e| match e {
2693 : WaitCompletionError::NotInitialized(
2694 0 : e, // If the queue is already stopped, it's a shutdown error.
2695 0 : ) if e.is_stopping() => CreateTimelineError::ShuttingDown,
2696 : WaitCompletionError::NotInitialized(_) => {
2697 : // This is a bug: we should never try to wait for uploads before initializing the timeline
2698 0 : debug_assert!(false);
2699 0 : CreateTimelineError::Other(anyhow::anyhow!("timeline not initialized"))
2700 : }
2701 : WaitCompletionError::UploadQueueShutDownOrStopped => {
2702 0 : CreateTimelineError::ShuttingDown
2703 : }
2704 0 : })?;
2705 :
2706 : // The creating task is responsible for activating the timeline.
2707 : // We do this after `wait_completion()` so that we don't spin up tasks that start
2708 : // doing stuff before the IndexPart is durable in S3, which is done by the previous section.
2709 0 : let activated_timeline = match result {
2710 0 : CreateTimelineResult::Created(timeline) => {
2711 0 : timeline.activate(
2712 0 : self.clone(),
2713 0 : broker_client,
2714 0 : None,
2715 0 : &ctx.with_scope_timeline(&timeline),
2716 0 : );
2717 0 : timeline
2718 : }
2719 0 : CreateTimelineResult::Idempotent(timeline) => {
2720 0 : info!(
2721 0 : "request was deemed idempotent, activation will be done by the creating task"
2722 : );
2723 0 : timeline
2724 : }
2725 0 : CreateTimelineResult::ImportSpawned(timeline) => {
2726 0 : info!(
2727 0 : "import task spawned, timeline will become visible and activated once the import is done"
2728 : );
2729 0 : timeline
2730 : }
2731 : };
2732 :
2733 0 : Ok(activated_timeline)
2734 0 : }
2735 :
2736 : /// The returned [`Arc<Timeline>`] is NOT in the [`Tenant::timelines`] map until the import
2737 : /// completes in the background. A DIFFERENT [`Arc<Timeline>`] will be inserted into the
2738 : /// [`Tenant::timelines`] map when the import completes.
2739 : /// We only return an [`Arc<Timeline>`] here so the API handler can create a [`pageserver_api::models::TimelineInfo`]
2740 : /// for the response.
2741 0 : async fn create_timeline_import_pgdata(
2742 0 : self: &Arc<Tenant>,
2743 0 : params: CreateTimelineParamsImportPgdata,
2744 0 : activate: ActivateTimelineArgs,
2745 0 : ctx: &RequestContext,
2746 0 : ) -> Result<CreateTimelineResult, CreateTimelineError> {
2747 0 : let CreateTimelineParamsImportPgdata {
2748 0 : new_timeline_id,
2749 0 : location,
2750 0 : idempotency_key,
2751 0 : } = params;
2752 0 :
2753 0 : let started_at = chrono::Utc::now().naive_utc();
2754 :
2755 : //
2756 : // There's probably a simpler way to upload an index part, but, remote_timeline_client
2757 : // is the canonical way we do it.
2758 : // - create an empty timeline in-memory
2759 : // - use its remote_timeline_client to do the upload
2760 : // - dispose of the uninit timeline
2761 : // - keep the creation guard alive
2762 :
2763 0 : let timeline_create_guard = match self
2764 0 : .start_creating_timeline(
2765 0 : new_timeline_id,
2766 0 : CreateTimelineIdempotency::ImportPgdata(CreatingTimelineIdempotencyImportPgdata {
2767 0 : idempotency_key: idempotency_key.clone(),
2768 0 : }),
2769 0 : )
2770 0 : .await?
2771 : {
2772 0 : StartCreatingTimelineResult::CreateGuard(guard) => guard,
2773 0 : StartCreatingTimelineResult::Idempotent(timeline) => {
2774 0 : return Ok(CreateTimelineResult::Idempotent(timeline));
2775 : }
2776 : };
2777 :
2778 0 : let (mut uninit_timeline, timeline_ctx) = {
2779 0 : let this = &self;
2780 0 : let initdb_lsn = Lsn(0);
2781 0 : async move {
2782 0 : let new_metadata = TimelineMetadata::new(
2783 0 : // Initialize disk_consistent LSN to 0, The caller must import some data to
2784 0 : // make it valid, before calling finish_creation()
2785 0 : Lsn(0),
2786 0 : None,
2787 0 : None,
2788 0 : Lsn(0),
2789 0 : initdb_lsn,
2790 0 : initdb_lsn,
2791 0 : 15,
2792 0 : );
2793 0 : this.prepare_new_timeline(
2794 0 : new_timeline_id,
2795 0 : &new_metadata,
2796 0 : timeline_create_guard,
2797 0 : initdb_lsn,
2798 0 : None,
2799 0 : None,
2800 0 : ctx,
2801 0 : )
2802 0 : .await
2803 0 : }
2804 0 : }
2805 0 : .await?;
2806 :
2807 0 : let in_progress = import_pgdata::index_part_format::InProgress {
2808 0 : idempotency_key,
2809 0 : location,
2810 0 : started_at,
2811 0 : };
2812 0 : let index_part = import_pgdata::index_part_format::Root::V1(
2813 0 : import_pgdata::index_part_format::V1::InProgress(in_progress),
2814 0 : );
2815 0 : uninit_timeline
2816 0 : .raw_timeline()
2817 0 : .unwrap()
2818 0 : .remote_client
2819 0 : .schedule_index_upload_for_import_pgdata_state_update(Some(index_part.clone()))?;
2820 :
2821 : // wait_completion happens in caller
2822 :
2823 0 : let (timeline, timeline_create_guard) = uninit_timeline.finish_creation_myself();
2824 0 :
2825 0 : tokio::spawn(self.clone().create_timeline_import_pgdata_task(
2826 0 : timeline.clone(),
2827 0 : index_part,
2828 0 : activate,
2829 0 : timeline_create_guard,
2830 0 : timeline_ctx.detached_child(TaskKind::ImportPgdata, DownloadBehavior::Warn),
2831 0 : ));
2832 0 :
2833 0 : // NB: the timeline doesn't exist in self.timelines at this point
2834 0 : Ok(CreateTimelineResult::ImportSpawned(timeline))
2835 0 : }
2836 :
2837 : #[instrument(skip_all, fields(tenant_id=%self.tenant_shard_id.tenant_id, shard_id=%self.tenant_shard_id.shard_slug(), timeline_id=%timeline.timeline_id))]
2838 : async fn create_timeline_import_pgdata_task(
2839 : self: Arc<Tenant>,
2840 : timeline: Arc<Timeline>,
2841 : index_part: import_pgdata::index_part_format::Root,
2842 : activate: ActivateTimelineArgs,
2843 : timeline_create_guard: TimelineCreateGuard,
2844 : ctx: RequestContext,
2845 : ) {
2846 : debug_assert_current_span_has_tenant_and_timeline_id();
2847 : info!("starting");
2848 : scopeguard::defer! {info!("exiting")};
2849 :
2850 : let res = self
2851 : .create_timeline_import_pgdata_task_impl(
2852 : timeline,
2853 : index_part,
2854 : activate,
2855 : timeline_create_guard,
2856 : ctx,
2857 : )
2858 : .await;
2859 : if let Err(err) = &res {
2860 : error!(?err, "task failed");
2861 : // TODO sleep & retry, sensitive to tenant shutdown
2862 : // TODO: allow timeline deletion requests => should cancel the task
2863 : }
2864 : }
2865 :
2866 0 : async fn create_timeline_import_pgdata_task_impl(
2867 0 : self: Arc<Tenant>,
2868 0 : timeline: Arc<Timeline>,
2869 0 : index_part: import_pgdata::index_part_format::Root,
2870 0 : activate: ActivateTimelineArgs,
2871 0 : timeline_create_guard: TimelineCreateGuard,
2872 0 : ctx: RequestContext,
2873 0 : ) -> Result<(), anyhow::Error> {
2874 0 : info!("importing pgdata");
2875 0 : import_pgdata::doit(&timeline, index_part, &ctx, self.cancel.clone())
2876 0 : .await
2877 0 : .context("import")?;
2878 0 : info!("import done");
2879 :
2880 : //
2881 : // Reload timeline from remote.
2882 : // This proves that the remote state is attachable, and it reuses the code.
2883 : //
2884 : // TODO: think about whether this is safe to do with concurrent Tenant::shutdown.
2885 : // timeline_create_guard hols the tenant gate open, so, shutdown cannot _complete_ until we exit.
2886 : // But our activate() call might launch new background tasks after Tenant::shutdown
2887 : // already went past shutting down the Tenant::timelines, which this timeline here is no part of.
2888 : // I think the same problem exists with the bootstrap & branch mgmt API tasks (tenant shutting
2889 : // down while bootstrapping/branching + activating), but, the race condition is much more likely
2890 : // to manifest because of the long runtime of this import task.
2891 :
2892 : // in theory this shouldn't even .await anything except for coop yield
2893 0 : info!("shutting down timeline");
2894 0 : timeline.shutdown(ShutdownMode::Hard).await;
2895 0 : info!("timeline shut down, reloading from remote");
2896 : // TODO: we can't do the following check because create_timeline_import_pgdata must return an Arc<Timeline>
2897 : // let Some(timeline) = Arc::into_inner(timeline) else {
2898 : // anyhow::bail!("implementation error: timeline that we shut down was still referenced from somewhere");
2899 : // };
2900 0 : let timeline_id = timeline.timeline_id;
2901 0 :
2902 0 : // load from object storage like Tenant::attach does
2903 0 : let resources = self.build_timeline_resources(timeline_id);
2904 0 : let index_part = resources
2905 0 : .remote_client
2906 0 : .download_index_file(&self.cancel)
2907 0 : .await?;
2908 0 : let index_part = match index_part {
2909 : MaybeDeletedIndexPart::Deleted(_) => {
2910 : // likely concurrent delete call, cplane should prevent this
2911 0 : anyhow::bail!(
2912 0 : "index part says deleted but we are not done creating yet, this should not happen but"
2913 0 : )
2914 : }
2915 0 : MaybeDeletedIndexPart::IndexPart(p) => p,
2916 0 : };
2917 0 : let metadata = index_part.metadata.clone();
2918 0 : self
2919 0 : .load_remote_timeline(timeline_id, index_part, metadata, None, resources, LoadTimelineCause::ImportPgdata{
2920 0 : create_guard: timeline_create_guard, activate, }, &ctx)
2921 0 : .await?
2922 0 : .ready_to_activate()
2923 0 : .context("implementation error: reloaded timeline still needs import after import reported success")?;
2924 :
2925 0 : anyhow::Ok(())
2926 0 : }
2927 :
2928 0 : pub(crate) async fn delete_timeline(
2929 0 : self: Arc<Self>,
2930 0 : timeline_id: TimelineId,
2931 0 : ) -> Result<(), DeleteTimelineError> {
2932 0 : DeleteTimelineFlow::run(&self, timeline_id).await?;
2933 :
2934 0 : Ok(())
2935 0 : }
2936 :
2937 : /// perform one garbage collection iteration, removing old data files from disk.
2938 : /// this function is periodically called by gc task.
2939 : /// also it can be explicitly requested through page server api 'do_gc' command.
2940 : ///
2941 : /// `target_timeline_id` specifies the timeline to GC, or None for all.
2942 : ///
2943 : /// The `horizon` an `pitr` parameters determine how much WAL history needs to be retained.
2944 : /// Also known as the retention period, or the GC cutoff point. `horizon` specifies
2945 : /// the amount of history, as LSN difference from current latest LSN on each timeline.
2946 : /// `pitr` specifies the same as a time difference from the current time. The effective
2947 : /// GC cutoff point is determined conservatively by either `horizon` and `pitr`, whichever
2948 : /// requires more history to be retained.
2949 : //
2950 1508 : pub(crate) async fn gc_iteration(
2951 1508 : &self,
2952 1508 : target_timeline_id: Option<TimelineId>,
2953 1508 : horizon: u64,
2954 1508 : pitr: Duration,
2955 1508 : cancel: &CancellationToken,
2956 1508 : ctx: &RequestContext,
2957 1508 : ) -> Result<GcResult, GcError> {
2958 1508 : // Don't start doing work during shutdown
2959 1508 : if let TenantState::Stopping { .. } = self.current_state() {
2960 0 : return Ok(GcResult::default());
2961 1508 : }
2962 1508 :
2963 1508 : // there is a global allowed_error for this
2964 1508 : if !self.is_active() {
2965 0 : return Err(GcError::NotActive);
2966 1508 : }
2967 1508 :
2968 1508 : {
2969 1508 : let conf = self.tenant_conf.load();
2970 1508 :
2971 1508 : // If we may not delete layers, then simply skip GC. Even though a tenant
2972 1508 : // in AttachedMulti state could do GC and just enqueue the blocked deletions,
2973 1508 : // the only advantage to doing it is to perhaps shrink the LayerMap metadata
2974 1508 : // a bit sooner than we would achieve by waiting for AttachedSingle status.
2975 1508 : if !conf.location.may_delete_layers_hint() {
2976 0 : info!("Skipping GC in location state {:?}", conf.location);
2977 0 : return Ok(GcResult::default());
2978 1508 : }
2979 1508 :
2980 1508 : if conf.is_gc_blocked_by_lsn_lease_deadline() {
2981 1500 : info!("Skipping GC because lsn lease deadline is not reached");
2982 1500 : return Ok(GcResult::default());
2983 8 : }
2984 : }
2985 :
2986 8 : let _guard = match self.gc_block.start().await {
2987 8 : Ok(guard) => guard,
2988 0 : Err(reasons) => {
2989 0 : info!("Skipping GC: {reasons}");
2990 0 : return Ok(GcResult::default());
2991 : }
2992 : };
2993 :
2994 8 : self.gc_iteration_internal(target_timeline_id, horizon, pitr, cancel, ctx)
2995 8 : .await
2996 1508 : }
2997 :
2998 : /// Performs one compaction iteration. Called periodically from the compaction loop. Returns
2999 : /// whether another compaction is needed, if we still have pending work or if we yield for
3000 : /// immediate L0 compaction.
3001 : ///
3002 : /// Compaction can also be explicitly requested for a timeline via the HTTP API.
3003 0 : async fn compaction_iteration(
3004 0 : self: &Arc<Self>,
3005 0 : cancel: &CancellationToken,
3006 0 : ctx: &RequestContext,
3007 0 : ) -> Result<CompactionOutcome, CompactionError> {
3008 0 : // Don't compact inactive tenants.
3009 0 : if !self.is_active() {
3010 0 : return Ok(CompactionOutcome::Skipped);
3011 0 : }
3012 0 :
3013 0 : // Don't compact tenants that can't upload layers. We don't check `may_delete_layers_hint`,
3014 0 : // since we need to compact L0 even in AttachedMulti to bound read amplification.
3015 0 : let location = self.tenant_conf.load().location;
3016 0 : if !location.may_upload_layers_hint() {
3017 0 : info!("skipping compaction in location state {location:?}");
3018 0 : return Ok(CompactionOutcome::Skipped);
3019 0 : }
3020 0 :
3021 0 : // Don't compact if the circuit breaker is tripped.
3022 0 : if self.compaction_circuit_breaker.lock().unwrap().is_broken() {
3023 0 : info!("skipping compaction due to previous failures");
3024 0 : return Ok(CompactionOutcome::Skipped);
3025 0 : }
3026 0 :
3027 0 : // Collect all timelines to compact, along with offload instructions and L0 counts.
3028 0 : let mut compact: Vec<Arc<Timeline>> = Vec::new();
3029 0 : let mut offload: HashSet<TimelineId> = HashSet::new();
3030 0 : let mut l0_counts: HashMap<TimelineId, usize> = HashMap::new();
3031 0 :
3032 0 : {
3033 0 : let offload_enabled = self.get_timeline_offloading_enabled();
3034 0 : let timelines = self.timelines.lock().unwrap();
3035 0 : for (&timeline_id, timeline) in timelines.iter() {
3036 : // Skip inactive timelines.
3037 0 : if !timeline.is_active() {
3038 0 : continue;
3039 0 : }
3040 0 :
3041 0 : // Schedule the timeline for compaction.
3042 0 : compact.push(timeline.clone());
3043 :
3044 : // Schedule the timeline for offloading if eligible.
3045 0 : let can_offload = offload_enabled
3046 0 : && timeline.can_offload().0
3047 0 : && !timelines
3048 0 : .iter()
3049 0 : .any(|(_, tli)| tli.get_ancestor_timeline_id() == Some(timeline_id));
3050 0 : if can_offload {
3051 0 : offload.insert(timeline_id);
3052 0 : }
3053 : }
3054 : } // release timelines lock
3055 :
3056 0 : for timeline in &compact {
3057 : // Collect L0 counts. Can't await while holding lock above.
3058 0 : if let Ok(lm) = timeline.layers.read().await.layer_map() {
3059 0 : l0_counts.insert(timeline.timeline_id, lm.level0_deltas().len());
3060 0 : }
3061 : }
3062 :
3063 : // Pass 1: L0 compaction across all timelines, in order of L0 count. We prioritize this to
3064 : // bound read amplification.
3065 : //
3066 : // TODO: this may spin on one or more ingest-heavy timelines, starving out image/GC
3067 : // compaction and offloading. We leave that as a potential problem to solve later. Consider
3068 : // splitting L0 and image/GC compaction to separate background jobs.
3069 0 : if self.get_compaction_l0_first() {
3070 0 : let compaction_threshold = self.get_compaction_threshold();
3071 0 : let compact_l0 = compact
3072 0 : .iter()
3073 0 : .map(|tli| (tli, l0_counts.get(&tli.timeline_id).copied().unwrap_or(0)))
3074 0 : .filter(|&(_, l0)| l0 >= compaction_threshold)
3075 0 : .sorted_by_key(|&(_, l0)| l0)
3076 0 : .rev()
3077 0 : .map(|(tli, _)| tli.clone())
3078 0 : .collect_vec();
3079 0 :
3080 0 : let mut has_pending_l0 = false;
3081 0 : for timeline in compact_l0 {
3082 0 : let ctx = &ctx.with_scope_timeline(&timeline);
3083 0 : let outcome = timeline
3084 0 : .compact(cancel, CompactFlags::OnlyL0Compaction.into(), ctx)
3085 0 : .instrument(info_span!("compact_timeline", timeline_id = %timeline.timeline_id))
3086 0 : .await
3087 0 : .inspect_err(|err| self.maybe_trip_compaction_breaker(err))?;
3088 0 : match outcome {
3089 0 : CompactionOutcome::Done => {}
3090 0 : CompactionOutcome::Skipped => {}
3091 0 : CompactionOutcome::Pending => has_pending_l0 = true,
3092 0 : CompactionOutcome::YieldForL0 => has_pending_l0 = true,
3093 : }
3094 : }
3095 0 : if has_pending_l0 {
3096 0 : return Ok(CompactionOutcome::YieldForL0); // do another pass
3097 0 : }
3098 0 : }
3099 :
3100 : // Pass 2: image compaction and timeline offloading. If any timelines have accumulated
3101 : // more L0 layers, they may also be compacted here.
3102 : //
3103 : // NB: image compaction may yield if there is pending L0 compaction.
3104 : //
3105 : // TODO: it will only yield if there is pending L0 compaction on the same timeline. If a
3106 : // different timeline needs compaction, it won't. It should check `l0_compaction_trigger`.
3107 : // We leave this for a later PR.
3108 : //
3109 : // TODO: consider ordering timelines by some priority, e.g. time since last full compaction,
3110 : // amount of L1 delta debt or garbage, offload-eligible timelines first, etc.
3111 0 : let mut has_pending = false;
3112 0 : for timeline in compact {
3113 0 : if !timeline.is_active() {
3114 0 : continue;
3115 0 : }
3116 0 : let ctx = &ctx.with_scope_timeline(&timeline);
3117 :
3118 0 : let mut outcome = timeline
3119 0 : .compact(cancel, EnumSet::default(), ctx)
3120 0 : .instrument(info_span!("compact_timeline", timeline_id = %timeline.timeline_id))
3121 0 : .await
3122 0 : .inspect_err(|err| self.maybe_trip_compaction_breaker(err))?;
3123 :
3124 : // If we're done compacting, check the scheduled GC compaction queue for more work.
3125 0 : if outcome == CompactionOutcome::Done {
3126 0 : let queue = {
3127 0 : let mut guard = self.scheduled_compaction_tasks.lock().unwrap();
3128 0 : guard
3129 0 : .entry(timeline.timeline_id)
3130 0 : .or_insert_with(|| Arc::new(GcCompactionQueue::new()))
3131 0 : .clone()
3132 0 : };
3133 0 : outcome = queue
3134 0 : .iteration(cancel, ctx, &self.gc_block, &timeline)
3135 0 : .instrument(
3136 0 : info_span!("gc_compact_timeline", timeline_id = %timeline.timeline_id),
3137 : )
3138 0 : .await?;
3139 0 : }
3140 :
3141 : // If we're done compacting, offload the timeline if requested.
3142 0 : if outcome == CompactionOutcome::Done && offload.contains(&timeline.timeline_id) {
3143 0 : pausable_failpoint!("before-timeline-auto-offload");
3144 0 : offload_timeline(self, &timeline)
3145 0 : .instrument(info_span!("offload_timeline", timeline_id = %timeline.timeline_id))
3146 0 : .await
3147 0 : .or_else(|err| match err {
3148 : // Ignore this, we likely raced with unarchival.
3149 0 : OffloadError::NotArchived => Ok(()),
3150 0 : err => Err(err),
3151 0 : })?;
3152 0 : }
3153 :
3154 0 : match outcome {
3155 0 : CompactionOutcome::Done => {}
3156 0 : CompactionOutcome::Skipped => {}
3157 0 : CompactionOutcome::Pending => has_pending = true,
3158 : // This mostly makes sense when the L0-only pass above is enabled, since there's
3159 : // otherwise no guarantee that we'll start with the timeline that has high L0.
3160 0 : CompactionOutcome::YieldForL0 => return Ok(CompactionOutcome::YieldForL0),
3161 : }
3162 : }
3163 :
3164 : // Success! Untrip the breaker if necessary.
3165 0 : self.compaction_circuit_breaker
3166 0 : .lock()
3167 0 : .unwrap()
3168 0 : .success(&CIRCUIT_BREAKERS_UNBROKEN);
3169 0 :
3170 0 : match has_pending {
3171 0 : true => Ok(CompactionOutcome::Pending),
3172 0 : false => Ok(CompactionOutcome::Done),
3173 : }
3174 0 : }
3175 :
3176 : /// Trips the compaction circuit breaker if appropriate.
3177 0 : pub(crate) fn maybe_trip_compaction_breaker(&self, err: &CompactionError) {
3178 0 : match err {
3179 0 : err if err.is_cancel() => {}
3180 0 : CompactionError::ShuttingDown => (),
3181 : // Offload failures don't trip the circuit breaker, since they're cheap to retry and
3182 : // shouldn't block compaction.
3183 0 : CompactionError::Offload(_) => {}
3184 0 : CompactionError::CollectKeySpaceError(err) => {
3185 0 : // CollectKeySpaceError::Cancelled and PageRead::Cancelled are handled in `err.is_cancel` branch.
3186 0 : self.compaction_circuit_breaker
3187 0 : .lock()
3188 0 : .unwrap()
3189 0 : .fail(&CIRCUIT_BREAKERS_BROKEN, err);
3190 0 : }
3191 0 : CompactionError::Other(err) => {
3192 0 : self.compaction_circuit_breaker
3193 0 : .lock()
3194 0 : .unwrap()
3195 0 : .fail(&CIRCUIT_BREAKERS_BROKEN, err);
3196 0 : }
3197 0 : CompactionError::AlreadyRunning(_) => {}
3198 : }
3199 0 : }
3200 :
3201 : /// Cancel scheduled compaction tasks
3202 0 : pub(crate) fn cancel_scheduled_compaction(&self, timeline_id: TimelineId) {
3203 0 : let mut guard = self.scheduled_compaction_tasks.lock().unwrap();
3204 0 : if let Some(q) = guard.get_mut(&timeline_id) {
3205 0 : q.cancel_scheduled();
3206 0 : }
3207 0 : }
3208 :
3209 0 : pub(crate) fn get_scheduled_compaction_tasks(
3210 0 : &self,
3211 0 : timeline_id: TimelineId,
3212 0 : ) -> Vec<CompactInfoResponse> {
3213 0 : let res = {
3214 0 : let guard = self.scheduled_compaction_tasks.lock().unwrap();
3215 0 : guard.get(&timeline_id).map(|q| q.remaining_jobs())
3216 : };
3217 0 : let Some((running, remaining)) = res else {
3218 0 : return Vec::new();
3219 : };
3220 0 : let mut result = Vec::new();
3221 0 : if let Some((id, running)) = running {
3222 0 : result.extend(running.into_compact_info_resp(id, true));
3223 0 : }
3224 0 : for (id, job) in remaining {
3225 0 : result.extend(job.into_compact_info_resp(id, false));
3226 0 : }
3227 0 : result
3228 0 : }
3229 :
3230 : /// Schedule a compaction task for a timeline.
3231 0 : pub(crate) async fn schedule_compaction(
3232 0 : &self,
3233 0 : timeline_id: TimelineId,
3234 0 : options: CompactOptions,
3235 0 : ) -> anyhow::Result<tokio::sync::oneshot::Receiver<()>> {
3236 0 : let (tx, rx) = tokio::sync::oneshot::channel();
3237 0 : let mut guard = self.scheduled_compaction_tasks.lock().unwrap();
3238 0 : let q = guard
3239 0 : .entry(timeline_id)
3240 0 : .or_insert_with(|| Arc::new(GcCompactionQueue::new()));
3241 0 : q.schedule_manual_compaction(options, Some(tx));
3242 0 : Ok(rx)
3243 0 : }
3244 :
3245 : /// Performs periodic housekeeping, via the tenant housekeeping background task.
3246 0 : async fn housekeeping(&self) {
3247 0 : // Call through to all timelines to freeze ephemeral layers as needed. This usually happens
3248 0 : // during ingest, but we don't want idle timelines to hold open layers for too long.
3249 0 : //
3250 0 : // We don't do this if the tenant can't upload layers (i.e. it's in stale attachment mode).
3251 0 : // We don't run compaction in this case either, and don't want to keep flushing tiny L0
3252 0 : // layers that won't be compacted down.
3253 0 : if self.tenant_conf.load().location.may_upload_layers_hint() {
3254 0 : let timelines = self
3255 0 : .timelines
3256 0 : .lock()
3257 0 : .unwrap()
3258 0 : .values()
3259 0 : .filter(|tli| tli.is_active())
3260 0 : .cloned()
3261 0 : .collect_vec();
3262 :
3263 0 : for timeline in timelines {
3264 0 : timeline.maybe_freeze_ephemeral_layer().await;
3265 : }
3266 0 : }
3267 :
3268 : // Shut down walredo if idle.
3269 : const WALREDO_IDLE_TIMEOUT: Duration = Duration::from_secs(180);
3270 0 : if let Some(ref walredo_mgr) = self.walredo_mgr {
3271 0 : walredo_mgr.maybe_quiesce(WALREDO_IDLE_TIMEOUT);
3272 0 : }
3273 0 : }
3274 :
3275 0 : pub fn timeline_has_no_attached_children(&self, timeline_id: TimelineId) -> bool {
3276 0 : let timelines = self.timelines.lock().unwrap();
3277 0 : !timelines
3278 0 : .iter()
3279 0 : .any(|(_id, tl)| tl.get_ancestor_timeline_id() == Some(timeline_id))
3280 0 : }
3281 :
3282 3476 : pub fn current_state(&self) -> TenantState {
3283 3476 : self.state.borrow().clone()
3284 3476 : }
3285 :
3286 1952 : pub fn is_active(&self) -> bool {
3287 1952 : self.current_state() == TenantState::Active
3288 1952 : }
3289 :
3290 0 : pub fn generation(&self) -> Generation {
3291 0 : self.generation
3292 0 : }
3293 :
3294 0 : pub(crate) fn wal_redo_manager_status(&self) -> Option<WalRedoManagerStatus> {
3295 0 : self.walredo_mgr.as_ref().and_then(|mgr| mgr.status())
3296 0 : }
3297 :
3298 : /// Changes tenant status to active, unless shutdown was already requested.
3299 : ///
3300 : /// `background_jobs_can_start` is an optional barrier set to a value during pageserver startup
3301 : /// to delay background jobs. Background jobs can be started right away when None is given.
3302 0 : fn activate(
3303 0 : self: &Arc<Self>,
3304 0 : broker_client: BrokerClientChannel,
3305 0 : background_jobs_can_start: Option<&completion::Barrier>,
3306 0 : ctx: &RequestContext,
3307 0 : ) {
3308 0 : span::debug_assert_current_span_has_tenant_id();
3309 0 :
3310 0 : let mut activating = false;
3311 0 : self.state.send_modify(|current_state| {
3312 : use pageserver_api::models::ActivatingFrom;
3313 0 : match &*current_state {
3314 : TenantState::Activating(_) | TenantState::Active | TenantState::Broken { .. } | TenantState::Stopping { .. } => {
3315 0 : panic!("caller is responsible for calling activate() only on Loading / Attaching tenants, got {state:?}", state = current_state);
3316 : }
3317 0 : TenantState::Attaching => {
3318 0 : *current_state = TenantState::Activating(ActivatingFrom::Attaching);
3319 0 : }
3320 0 : }
3321 0 : debug!(tenant_id = %self.tenant_shard_id.tenant_id, shard_id = %self.tenant_shard_id.shard_slug(), "Activating tenant");
3322 0 : activating = true;
3323 0 : // Continue outside the closure. We need to grab timelines.lock()
3324 0 : // and we plan to turn it into a tokio::sync::Mutex in a future patch.
3325 0 : });
3326 0 :
3327 0 : if activating {
3328 0 : let timelines_accessor = self.timelines.lock().unwrap();
3329 0 : let timelines_offloaded_accessor = self.timelines_offloaded.lock().unwrap();
3330 0 : let timelines_to_activate = timelines_accessor
3331 0 : .values()
3332 0 : .filter(|timeline| !(timeline.is_broken() || timeline.is_stopping()));
3333 0 :
3334 0 : // Before activation, populate each Timeline's GcInfo with information about its children
3335 0 : self.initialize_gc_info(&timelines_accessor, &timelines_offloaded_accessor, None);
3336 0 :
3337 0 : // Spawn gc and compaction loops. The loops will shut themselves
3338 0 : // down when they notice that the tenant is inactive.
3339 0 : tasks::start_background_loops(self, background_jobs_can_start);
3340 0 :
3341 0 : let mut activated_timelines = 0;
3342 :
3343 0 : for timeline in timelines_to_activate {
3344 0 : timeline.activate(
3345 0 : self.clone(),
3346 0 : broker_client.clone(),
3347 0 : background_jobs_can_start,
3348 0 : &ctx.with_scope_timeline(timeline),
3349 0 : );
3350 0 : activated_timelines += 1;
3351 0 : }
3352 :
3353 0 : self.state.send_modify(move |current_state| {
3354 0 : assert!(
3355 0 : matches!(current_state, TenantState::Activating(_)),
3356 0 : "set_stopping and set_broken wait for us to leave Activating state",
3357 : );
3358 0 : *current_state = TenantState::Active;
3359 0 :
3360 0 : let elapsed = self.constructed_at.elapsed();
3361 0 : let total_timelines = timelines_accessor.len();
3362 0 :
3363 0 : // log a lot of stuff, because some tenants sometimes suffer from user-visible
3364 0 : // times to activate. see https://github.com/neondatabase/neon/issues/4025
3365 0 : info!(
3366 0 : since_creation_millis = elapsed.as_millis(),
3367 0 : tenant_id = %self.tenant_shard_id.tenant_id,
3368 0 : shard_id = %self.tenant_shard_id.shard_slug(),
3369 0 : activated_timelines,
3370 0 : total_timelines,
3371 0 : post_state = <&'static str>::from(&*current_state),
3372 0 : "activation attempt finished"
3373 : );
3374 :
3375 0 : TENANT.activation.observe(elapsed.as_secs_f64());
3376 0 : });
3377 0 : }
3378 0 : }
3379 :
3380 : /// Shutdown the tenant and join all of the spawned tasks.
3381 : ///
3382 : /// The method caters for all use-cases:
3383 : /// - pageserver shutdown (freeze_and_flush == true)
3384 : /// - detach + ignore (freeze_and_flush == false)
3385 : ///
3386 : /// This will attempt to shutdown even if tenant is broken.
3387 : ///
3388 : /// `shutdown_progress` is a [`completion::Barrier`] for the shutdown initiated by this call.
3389 : /// If the tenant is already shutting down, we return a clone of the first shutdown call's
3390 : /// `Barrier` as an `Err`. This not-first caller can use the returned barrier to join with
3391 : /// the ongoing shutdown.
3392 12 : async fn shutdown(
3393 12 : &self,
3394 12 : shutdown_progress: completion::Barrier,
3395 12 : shutdown_mode: timeline::ShutdownMode,
3396 12 : ) -> Result<(), completion::Barrier> {
3397 12 : span::debug_assert_current_span_has_tenant_id();
3398 :
3399 : // Set tenant (and its timlines) to Stoppping state.
3400 : //
3401 : // Since we can only transition into Stopping state after activation is complete,
3402 : // run it in a JoinSet so all tenants have a chance to stop before we get SIGKILLed.
3403 : //
3404 : // Transitioning tenants to Stopping state has a couple of non-obvious side effects:
3405 : // 1. Lock out any new requests to the tenants.
3406 : // 2. Signal cancellation to WAL receivers (we wait on it below).
3407 : // 3. Signal cancellation for other tenant background loops.
3408 : // 4. ???
3409 : //
3410 : // The waiting for the cancellation is not done uniformly.
3411 : // We certainly wait for WAL receivers to shut down.
3412 : // That is necessary so that no new data comes in before the freeze_and_flush.
3413 : // But the tenant background loops are joined-on in our caller.
3414 : // It's mesed up.
3415 : // we just ignore the failure to stop
3416 :
3417 : // If we're still attaching, fire the cancellation token early to drop out: this
3418 : // will prevent us flushing, but ensures timely shutdown if some I/O during attach
3419 : // is very slow.
3420 12 : let shutdown_mode = if matches!(self.current_state(), TenantState::Attaching) {
3421 0 : self.cancel.cancel();
3422 0 :
3423 0 : // Having fired our cancellation token, do not try and flush timelines: their cancellation tokens
3424 0 : // are children of ours, so their flush loops will have shut down already
3425 0 : timeline::ShutdownMode::Hard
3426 : } else {
3427 12 : shutdown_mode
3428 : };
3429 :
3430 12 : match self.set_stopping(shutdown_progress, false, false).await {
3431 12 : Ok(()) => {}
3432 0 : Err(SetStoppingError::Broken) => {
3433 0 : // assume that this is acceptable
3434 0 : }
3435 0 : Err(SetStoppingError::AlreadyStopping(other)) => {
3436 0 : // give caller the option to wait for this this shutdown
3437 0 : info!("Tenant::shutdown: AlreadyStopping");
3438 0 : return Err(other);
3439 : }
3440 : };
3441 :
3442 12 : let mut js = tokio::task::JoinSet::new();
3443 12 : {
3444 12 : let timelines = self.timelines.lock().unwrap();
3445 12 : timelines.values().for_each(|timeline| {
3446 12 : let timeline = Arc::clone(timeline);
3447 12 : let timeline_id = timeline.timeline_id;
3448 12 : let span = tracing::info_span!("timeline_shutdown", %timeline_id, ?shutdown_mode);
3449 12 : js.spawn(async move { timeline.shutdown(shutdown_mode).instrument(span).await });
3450 12 : });
3451 12 : }
3452 12 : {
3453 12 : let timelines_offloaded = self.timelines_offloaded.lock().unwrap();
3454 12 : timelines_offloaded.values().for_each(|timeline| {
3455 0 : timeline.defuse_for_tenant_drop();
3456 12 : });
3457 12 : }
3458 12 : // test_long_timeline_create_then_tenant_delete is leaning on this message
3459 12 : tracing::info!("Waiting for timelines...");
3460 24 : while let Some(res) = js.join_next().await {
3461 0 : match res {
3462 12 : Ok(()) => {}
3463 0 : Err(je) if je.is_cancelled() => unreachable!("no cancelling used"),
3464 0 : Err(je) if je.is_panic() => { /* logged already */ }
3465 0 : Err(je) => warn!("unexpected JoinError: {je:?}"),
3466 : }
3467 : }
3468 :
3469 12 : if let ShutdownMode::Reload = shutdown_mode {
3470 0 : tracing::info!("Flushing deletion queue");
3471 0 : if let Err(e) = self.deletion_queue_client.flush().await {
3472 0 : match e {
3473 0 : DeletionQueueError::ShuttingDown => {
3474 0 : // This is the only error we expect for now. In the future, if more error
3475 0 : // variants are added, we should handle them here.
3476 0 : }
3477 : }
3478 0 : }
3479 12 : }
3480 :
3481 : // We cancel the Tenant's cancellation token _after_ the timelines have all shut down. This permits
3482 : // them to continue to do work during their shutdown methods, e.g. flushing data.
3483 12 : tracing::debug!("Cancelling CancellationToken");
3484 12 : self.cancel.cancel();
3485 12 :
3486 12 : // shutdown all tenant and timeline tasks: gc, compaction, page service
3487 12 : // No new tasks will be started for this tenant because it's in `Stopping` state.
3488 12 : //
3489 12 : // this will additionally shutdown and await all timeline tasks.
3490 12 : tracing::debug!("Waiting for tasks...");
3491 12 : task_mgr::shutdown_tasks(None, Some(self.tenant_shard_id), None).await;
3492 :
3493 12 : if let Some(walredo_mgr) = self.walredo_mgr.as_ref() {
3494 12 : walredo_mgr.shutdown().await;
3495 0 : }
3496 :
3497 : // Wait for any in-flight operations to complete
3498 12 : self.gate.close().await;
3499 :
3500 12 : remove_tenant_metrics(&self.tenant_shard_id);
3501 12 :
3502 12 : Ok(())
3503 12 : }
3504 :
3505 : /// Change tenant status to Stopping, to mark that it is being shut down.
3506 : ///
3507 : /// This function waits for the tenant to become active if it isn't already, before transitioning it into Stopping state.
3508 : ///
3509 : /// This function is not cancel-safe!
3510 : ///
3511 : /// `allow_transition_from_loading` is needed for the special case of loading task deleting the tenant.
3512 : /// `allow_transition_from_attaching` is needed for the special case of attaching deleted tenant.
3513 12 : async fn set_stopping(
3514 12 : &self,
3515 12 : progress: completion::Barrier,
3516 12 : _allow_transition_from_loading: bool,
3517 12 : allow_transition_from_attaching: bool,
3518 12 : ) -> Result<(), SetStoppingError> {
3519 12 : let mut rx = self.state.subscribe();
3520 12 :
3521 12 : // cannot stop before we're done activating, so wait out until we're done activating
3522 12 : rx.wait_for(|state| match state {
3523 0 : TenantState::Attaching if allow_transition_from_attaching => true,
3524 : TenantState::Activating(_) | TenantState::Attaching => {
3525 0 : info!(
3526 0 : "waiting for {} to turn Active|Broken|Stopping",
3527 0 : <&'static str>::from(state)
3528 : );
3529 0 : false
3530 : }
3531 12 : TenantState::Active | TenantState::Broken { .. } | TenantState::Stopping { .. } => true,
3532 12 : })
3533 12 : .await
3534 12 : .expect("cannot drop self.state while on a &self method");
3535 12 :
3536 12 : // we now know we're done activating, let's see whether this task is the winner to transition into Stopping
3537 12 : let mut err = None;
3538 12 : let stopping = self.state.send_if_modified(|current_state| match current_state {
3539 : TenantState::Activating(_) => {
3540 0 : unreachable!("1we ensured above that we're done with activation, and, there is no re-activation")
3541 : }
3542 : TenantState::Attaching => {
3543 0 : if !allow_transition_from_attaching {
3544 0 : unreachable!("2we ensured above that we're done with activation, and, there is no re-activation")
3545 0 : };
3546 0 : *current_state = TenantState::Stopping { progress };
3547 0 : true
3548 : }
3549 : TenantState::Active => {
3550 : // FIXME: due to time-of-check vs time-of-use issues, it can happen that new timelines
3551 : // are created after the transition to Stopping. That's harmless, as the Timelines
3552 : // won't be accessible to anyone afterwards, because the Tenant is in Stopping state.
3553 12 : *current_state = TenantState::Stopping { progress };
3554 12 : // Continue stopping outside the closure. We need to grab timelines.lock()
3555 12 : // and we plan to turn it into a tokio::sync::Mutex in a future patch.
3556 12 : true
3557 : }
3558 0 : TenantState::Broken { reason, .. } => {
3559 0 : info!(
3560 0 : "Cannot set tenant to Stopping state, it is in Broken state due to: {reason}"
3561 : );
3562 0 : err = Some(SetStoppingError::Broken);
3563 0 : false
3564 : }
3565 0 : TenantState::Stopping { progress } => {
3566 0 : info!("Tenant is already in Stopping state");
3567 0 : err = Some(SetStoppingError::AlreadyStopping(progress.clone()));
3568 0 : false
3569 : }
3570 12 : });
3571 12 : match (stopping, err) {
3572 12 : (true, None) => {} // continue
3573 0 : (false, Some(err)) => return Err(err),
3574 0 : (true, Some(_)) => unreachable!(
3575 0 : "send_if_modified closure must error out if not transitioning to Stopping"
3576 0 : ),
3577 0 : (false, None) => unreachable!(
3578 0 : "send_if_modified closure must return true if transitioning to Stopping"
3579 0 : ),
3580 : }
3581 :
3582 12 : let timelines_accessor = self.timelines.lock().unwrap();
3583 12 : let not_broken_timelines = timelines_accessor
3584 12 : .values()
3585 12 : .filter(|timeline| !timeline.is_broken());
3586 24 : for timeline in not_broken_timelines {
3587 12 : timeline.set_state(TimelineState::Stopping);
3588 12 : }
3589 12 : Ok(())
3590 12 : }
3591 :
3592 : /// Method for tenant::mgr to transition us into Broken state in case of a late failure in
3593 : /// `remove_tenant_from_memory`
3594 : ///
3595 : /// This function waits for the tenant to become active if it isn't already, before transitioning it into Stopping state.
3596 : ///
3597 : /// In tests, we also use this to set tenants to Broken state on purpose.
3598 0 : pub(crate) async fn set_broken(&self, reason: String) {
3599 0 : let mut rx = self.state.subscribe();
3600 0 :
3601 0 : // The load & attach routines own the tenant state until it has reached `Active`.
3602 0 : // So, wait until it's done.
3603 0 : rx.wait_for(|state| match state {
3604 : TenantState::Activating(_) | TenantState::Attaching => {
3605 0 : info!(
3606 0 : "waiting for {} to turn Active|Broken|Stopping",
3607 0 : <&'static str>::from(state)
3608 : );
3609 0 : false
3610 : }
3611 0 : TenantState::Active | TenantState::Broken { .. } | TenantState::Stopping { .. } => true,
3612 0 : })
3613 0 : .await
3614 0 : .expect("cannot drop self.state while on a &self method");
3615 0 :
3616 0 : // we now know we're done activating, let's see whether this task is the winner to transition into Broken
3617 0 : self.set_broken_no_wait(reason)
3618 0 : }
3619 :
3620 0 : pub(crate) fn set_broken_no_wait(&self, reason: impl Display) {
3621 0 : let reason = reason.to_string();
3622 0 : self.state.send_modify(|current_state| {
3623 0 : match *current_state {
3624 : TenantState::Activating(_) | TenantState::Attaching => {
3625 0 : unreachable!("we ensured above that we're done with activation, and, there is no re-activation")
3626 : }
3627 : TenantState::Active => {
3628 0 : if cfg!(feature = "testing") {
3629 0 : warn!("Changing Active tenant to Broken state, reason: {}", reason);
3630 0 : *current_state = TenantState::broken_from_reason(reason);
3631 : } else {
3632 0 : unreachable!("not allowed to call set_broken on Active tenants in non-testing builds")
3633 : }
3634 : }
3635 : TenantState::Broken { .. } => {
3636 0 : warn!("Tenant is already in Broken state");
3637 : }
3638 : // This is the only "expected" path, any other path is a bug.
3639 : TenantState::Stopping { .. } => {
3640 0 : warn!(
3641 0 : "Marking Stopping tenant as Broken state, reason: {}",
3642 : reason
3643 : );
3644 0 : *current_state = TenantState::broken_from_reason(reason);
3645 : }
3646 : }
3647 0 : });
3648 0 : }
3649 :
3650 0 : pub fn subscribe_for_state_updates(&self) -> watch::Receiver<TenantState> {
3651 0 : self.state.subscribe()
3652 0 : }
3653 :
3654 : /// The activate_now semaphore is initialized with zero units. As soon as
3655 : /// we add a unit, waiters will be able to acquire a unit and proceed.
3656 0 : pub(crate) fn activate_now(&self) {
3657 0 : self.activate_now_sem.add_permits(1);
3658 0 : }
3659 :
3660 0 : pub(crate) async fn wait_to_become_active(
3661 0 : &self,
3662 0 : timeout: Duration,
3663 0 : ) -> Result<(), GetActiveTenantError> {
3664 0 : let mut receiver = self.state.subscribe();
3665 : loop {
3666 0 : let current_state = receiver.borrow_and_update().clone();
3667 0 : match current_state {
3668 : TenantState::Attaching | TenantState::Activating(_) => {
3669 : // in these states, there's a chance that we can reach ::Active
3670 0 : self.activate_now();
3671 0 : match timeout_cancellable(timeout, &self.cancel, receiver.changed()).await {
3672 0 : Ok(r) => {
3673 0 : r.map_err(
3674 0 : |_e: tokio::sync::watch::error::RecvError|
3675 : // Tenant existed but was dropped: report it as non-existent
3676 0 : GetActiveTenantError::NotFound(GetTenantError::ShardNotFound(self.tenant_shard_id))
3677 0 : )?
3678 : }
3679 : Err(TimeoutCancellableError::Cancelled) => {
3680 0 : return Err(GetActiveTenantError::Cancelled);
3681 : }
3682 : Err(TimeoutCancellableError::Timeout) => {
3683 0 : return Err(GetActiveTenantError::WaitForActiveTimeout {
3684 0 : latest_state: Some(self.current_state()),
3685 0 : wait_time: timeout,
3686 0 : });
3687 : }
3688 : }
3689 : }
3690 : TenantState::Active { .. } => {
3691 0 : return Ok(());
3692 : }
3693 0 : TenantState::Broken { reason, .. } => {
3694 0 : // This is fatal, and reported distinctly from the general case of "will never be active" because
3695 0 : // it's logically a 500 to external API users (broken is always a bug).
3696 0 : return Err(GetActiveTenantError::Broken(reason));
3697 : }
3698 : TenantState::Stopping { .. } => {
3699 : // There's no chance the tenant can transition back into ::Active
3700 0 : return Err(GetActiveTenantError::WillNotBecomeActive(current_state));
3701 : }
3702 : }
3703 : }
3704 0 : }
3705 :
3706 0 : pub(crate) fn get_attach_mode(&self) -> AttachmentMode {
3707 0 : self.tenant_conf.load().location.attach_mode
3708 0 : }
3709 :
3710 : /// For API access: generate a LocationConfig equivalent to the one that would be used to
3711 : /// create a Tenant in the same state. Do not use this in hot paths: it's for relatively
3712 : /// rare external API calls, like a reconciliation at startup.
3713 0 : pub(crate) fn get_location_conf(&self) -> models::LocationConfig {
3714 0 : let attached_tenant_conf = self.tenant_conf.load();
3715 :
3716 0 : let location_config_mode = match attached_tenant_conf.location.attach_mode {
3717 0 : AttachmentMode::Single => models::LocationConfigMode::AttachedSingle,
3718 0 : AttachmentMode::Multi => models::LocationConfigMode::AttachedMulti,
3719 0 : AttachmentMode::Stale => models::LocationConfigMode::AttachedStale,
3720 : };
3721 :
3722 0 : models::LocationConfig {
3723 0 : mode: location_config_mode,
3724 0 : generation: self.generation.into(),
3725 0 : secondary_conf: None,
3726 0 : shard_number: self.shard_identity.number.0,
3727 0 : shard_count: self.shard_identity.count.literal(),
3728 0 : shard_stripe_size: self.shard_identity.stripe_size.0,
3729 0 : tenant_conf: attached_tenant_conf.tenant_conf.clone(),
3730 0 : }
3731 0 : }
3732 :
3733 0 : pub(crate) fn get_tenant_shard_id(&self) -> &TenantShardId {
3734 0 : &self.tenant_shard_id
3735 0 : }
3736 :
3737 0 : pub(crate) fn get_shard_stripe_size(&self) -> ShardStripeSize {
3738 0 : self.shard_identity.stripe_size
3739 0 : }
3740 :
3741 0 : pub(crate) fn get_generation(&self) -> Generation {
3742 0 : self.generation
3743 0 : }
3744 :
3745 : /// This function partially shuts down the tenant (it shuts down the Timelines) and is fallible,
3746 : /// and can leave the tenant in a bad state if it fails. The caller is responsible for
3747 : /// resetting this tenant to a valid state if we fail.
3748 0 : pub(crate) async fn split_prepare(
3749 0 : &self,
3750 0 : child_shards: &Vec<TenantShardId>,
3751 0 : ) -> anyhow::Result<()> {
3752 0 : let (timelines, offloaded) = {
3753 0 : let timelines = self.timelines.lock().unwrap();
3754 0 : let offloaded = self.timelines_offloaded.lock().unwrap();
3755 0 : (timelines.clone(), offloaded.clone())
3756 0 : };
3757 0 : let timelines_iter = timelines
3758 0 : .values()
3759 0 : .map(TimelineOrOffloadedArcRef::<'_>::from)
3760 0 : .chain(
3761 0 : offloaded
3762 0 : .values()
3763 0 : .map(TimelineOrOffloadedArcRef::<'_>::from),
3764 0 : );
3765 0 : for timeline in timelines_iter {
3766 : // We do not block timeline creation/deletion during splits inside the pageserver: it is up to higher levels
3767 : // to ensure that they do not start a split if currently in the process of doing these.
3768 :
3769 0 : let timeline_id = timeline.timeline_id();
3770 :
3771 0 : if let TimelineOrOffloadedArcRef::Timeline(timeline) = timeline {
3772 : // Upload an index from the parent: this is partly to provide freshness for the
3773 : // child tenants that will copy it, and partly for general ease-of-debugging: there will
3774 : // always be a parent shard index in the same generation as we wrote the child shard index.
3775 0 : tracing::info!(%timeline_id, "Uploading index");
3776 0 : timeline
3777 0 : .remote_client
3778 0 : .schedule_index_upload_for_file_changes()?;
3779 0 : timeline.remote_client.wait_completion().await?;
3780 0 : }
3781 :
3782 0 : let remote_client = match timeline {
3783 0 : TimelineOrOffloadedArcRef::Timeline(timeline) => timeline.remote_client.clone(),
3784 0 : TimelineOrOffloadedArcRef::Offloaded(offloaded) => {
3785 0 : let remote_client = self
3786 0 : .build_timeline_client(offloaded.timeline_id, self.remote_storage.clone());
3787 0 : Arc::new(remote_client)
3788 : }
3789 : };
3790 :
3791 : // Shut down the timeline's remote client: this means that the indices we write
3792 : // for child shards will not be invalidated by the parent shard deleting layers.
3793 0 : tracing::info!(%timeline_id, "Shutting down remote storage client");
3794 0 : remote_client.shutdown().await;
3795 :
3796 : // Download methods can still be used after shutdown, as they don't flow through the remote client's
3797 : // queue. In principal the RemoteTimelineClient could provide this without downloading it, but this
3798 : // operation is rare, so it's simpler to just download it (and robustly guarantees that the index
3799 : // we use here really is the remotely persistent one).
3800 0 : tracing::info!(%timeline_id, "Downloading index_part from parent");
3801 0 : let result = remote_client
3802 0 : .download_index_file(&self.cancel)
3803 0 : .instrument(info_span!("download_index_file", tenant_id=%self.tenant_shard_id.tenant_id, shard_id=%self.tenant_shard_id.shard_slug(), %timeline_id))
3804 0 : .await?;
3805 0 : let index_part = match result {
3806 : MaybeDeletedIndexPart::Deleted(_) => {
3807 0 : anyhow::bail!("Timeline deletion happened concurrently with split")
3808 : }
3809 0 : MaybeDeletedIndexPart::IndexPart(p) => p,
3810 : };
3811 :
3812 0 : for child_shard in child_shards {
3813 0 : tracing::info!(%timeline_id, "Uploading index_part for child {}", child_shard.to_index());
3814 0 : upload_index_part(
3815 0 : &self.remote_storage,
3816 0 : child_shard,
3817 0 : &timeline_id,
3818 0 : self.generation,
3819 0 : &index_part,
3820 0 : &self.cancel,
3821 0 : )
3822 0 : .await?;
3823 : }
3824 : }
3825 :
3826 0 : let tenant_manifest = self.build_tenant_manifest();
3827 0 : for child_shard in child_shards {
3828 0 : tracing::info!(
3829 0 : "Uploading tenant manifest for child {}",
3830 0 : child_shard.to_index()
3831 : );
3832 0 : upload_tenant_manifest(
3833 0 : &self.remote_storage,
3834 0 : child_shard,
3835 0 : self.generation,
3836 0 : &tenant_manifest,
3837 0 : &self.cancel,
3838 0 : )
3839 0 : .await?;
3840 : }
3841 :
3842 0 : Ok(())
3843 0 : }
3844 :
3845 0 : pub(crate) fn get_sizes(&self) -> TopTenantShardItem {
3846 0 : let mut result = TopTenantShardItem {
3847 0 : id: self.tenant_shard_id,
3848 0 : resident_size: 0,
3849 0 : physical_size: 0,
3850 0 : max_logical_size: 0,
3851 0 : max_logical_size_per_shard: 0,
3852 0 : };
3853 :
3854 0 : for timeline in self.timelines.lock().unwrap().values() {
3855 0 : result.resident_size += timeline.metrics.resident_physical_size_gauge.get();
3856 0 :
3857 0 : result.physical_size += timeline
3858 0 : .remote_client
3859 0 : .metrics
3860 0 : .remote_physical_size_gauge
3861 0 : .get();
3862 0 : result.max_logical_size = std::cmp::max(
3863 0 : result.max_logical_size,
3864 0 : timeline.metrics.current_logical_size_gauge.get(),
3865 0 : );
3866 0 : }
3867 :
3868 0 : result.max_logical_size_per_shard = result
3869 0 : .max_logical_size
3870 0 : .div_ceil(self.tenant_shard_id.shard_count.count() as u64);
3871 0 :
3872 0 : result
3873 0 : }
3874 : }
3875 :
3876 : /// Given a Vec of timelines and their ancestors (timeline_id, ancestor_id),
3877 : /// perform a topological sort, so that the parent of each timeline comes
3878 : /// before the children.
3879 : /// E extracts the ancestor from T
3880 : /// This allows for T to be different. It can be TimelineMetadata, can be Timeline itself, etc.
3881 452 : fn tree_sort_timelines<T, E>(
3882 452 : timelines: HashMap<TimelineId, T>,
3883 452 : extractor: E,
3884 452 : ) -> anyhow::Result<Vec<(TimelineId, T)>>
3885 452 : where
3886 452 : E: Fn(&T) -> Option<TimelineId>,
3887 452 : {
3888 452 : let mut result = Vec::with_capacity(timelines.len());
3889 452 :
3890 452 : let mut now = Vec::with_capacity(timelines.len());
3891 452 : // (ancestor, children)
3892 452 : let mut later: HashMap<TimelineId, Vec<(TimelineId, T)>> =
3893 452 : HashMap::with_capacity(timelines.len());
3894 :
3895 464 : for (timeline_id, value) in timelines {
3896 12 : if let Some(ancestor_id) = extractor(&value) {
3897 4 : let children = later.entry(ancestor_id).or_default();
3898 4 : children.push((timeline_id, value));
3899 8 : } else {
3900 8 : now.push((timeline_id, value));
3901 8 : }
3902 : }
3903 :
3904 464 : while let Some((timeline_id, metadata)) = now.pop() {
3905 12 : result.push((timeline_id, metadata));
3906 : // All children of this can be loaded now
3907 12 : if let Some(mut children) = later.remove(&timeline_id) {
3908 4 : now.append(&mut children);
3909 8 : }
3910 : }
3911 :
3912 : // All timelines should be visited now. Unless there were timelines with missing ancestors.
3913 452 : if !later.is_empty() {
3914 0 : for (missing_id, orphan_ids) in later {
3915 0 : for (orphan_id, _) in orphan_ids {
3916 0 : error!(
3917 0 : "could not load timeline {orphan_id} because its ancestor timeline {missing_id} could not be loaded"
3918 : );
3919 : }
3920 : }
3921 0 : bail!("could not load tenant because some timelines are missing ancestors");
3922 452 : }
3923 452 :
3924 452 : Ok(result)
3925 452 : }
3926 :
3927 : enum ActivateTimelineArgs {
3928 : Yes {
3929 : broker_client: storage_broker::BrokerClientChannel,
3930 : },
3931 : No,
3932 : }
3933 :
3934 : impl Tenant {
3935 0 : pub fn tenant_specific_overrides(&self) -> pageserver_api::models::TenantConfig {
3936 0 : self.tenant_conf.load().tenant_conf.clone()
3937 0 : }
3938 :
3939 0 : pub fn effective_config(&self) -> pageserver_api::config::TenantConfigToml {
3940 0 : self.tenant_specific_overrides()
3941 0 : .merge(self.conf.default_tenant_conf.clone())
3942 0 : }
3943 :
3944 0 : pub fn get_checkpoint_distance(&self) -> u64 {
3945 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
3946 0 : tenant_conf
3947 0 : .checkpoint_distance
3948 0 : .unwrap_or(self.conf.default_tenant_conf.checkpoint_distance)
3949 0 : }
3950 :
3951 0 : pub fn get_checkpoint_timeout(&self) -> Duration {
3952 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
3953 0 : tenant_conf
3954 0 : .checkpoint_timeout
3955 0 : .unwrap_or(self.conf.default_tenant_conf.checkpoint_timeout)
3956 0 : }
3957 :
3958 0 : pub fn get_compaction_target_size(&self) -> u64 {
3959 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
3960 0 : tenant_conf
3961 0 : .compaction_target_size
3962 0 : .unwrap_or(self.conf.default_tenant_conf.compaction_target_size)
3963 0 : }
3964 :
3965 0 : pub fn get_compaction_period(&self) -> Duration {
3966 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
3967 0 : tenant_conf
3968 0 : .compaction_period
3969 0 : .unwrap_or(self.conf.default_tenant_conf.compaction_period)
3970 0 : }
3971 :
3972 0 : pub fn get_compaction_threshold(&self) -> usize {
3973 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
3974 0 : tenant_conf
3975 0 : .compaction_threshold
3976 0 : .unwrap_or(self.conf.default_tenant_conf.compaction_threshold)
3977 0 : }
3978 :
3979 0 : pub fn get_rel_size_v2_enabled(&self) -> bool {
3980 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
3981 0 : tenant_conf
3982 0 : .rel_size_v2_enabled
3983 0 : .unwrap_or(self.conf.default_tenant_conf.rel_size_v2_enabled)
3984 0 : }
3985 :
3986 0 : pub fn get_compaction_upper_limit(&self) -> usize {
3987 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
3988 0 : tenant_conf
3989 0 : .compaction_upper_limit
3990 0 : .unwrap_or(self.conf.default_tenant_conf.compaction_upper_limit)
3991 0 : }
3992 :
3993 0 : pub fn get_compaction_l0_first(&self) -> bool {
3994 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
3995 0 : tenant_conf
3996 0 : .compaction_l0_first
3997 0 : .unwrap_or(self.conf.default_tenant_conf.compaction_l0_first)
3998 0 : }
3999 :
4000 0 : pub fn get_gc_horizon(&self) -> u64 {
4001 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
4002 0 : tenant_conf
4003 0 : .gc_horizon
4004 0 : .unwrap_or(self.conf.default_tenant_conf.gc_horizon)
4005 0 : }
4006 :
4007 0 : pub fn get_gc_period(&self) -> Duration {
4008 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
4009 0 : tenant_conf
4010 0 : .gc_period
4011 0 : .unwrap_or(self.conf.default_tenant_conf.gc_period)
4012 0 : }
4013 :
4014 0 : pub fn get_image_creation_threshold(&self) -> usize {
4015 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
4016 0 : tenant_conf
4017 0 : .image_creation_threshold
4018 0 : .unwrap_or(self.conf.default_tenant_conf.image_creation_threshold)
4019 0 : }
4020 :
4021 0 : pub fn get_pitr_interval(&self) -> Duration {
4022 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
4023 0 : tenant_conf
4024 0 : .pitr_interval
4025 0 : .unwrap_or(self.conf.default_tenant_conf.pitr_interval)
4026 0 : }
4027 :
4028 0 : pub fn get_min_resident_size_override(&self) -> Option<u64> {
4029 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
4030 0 : tenant_conf
4031 0 : .min_resident_size_override
4032 0 : .or(self.conf.default_tenant_conf.min_resident_size_override)
4033 0 : }
4034 :
4035 0 : pub fn get_heatmap_period(&self) -> Option<Duration> {
4036 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
4037 0 : let heatmap_period = tenant_conf
4038 0 : .heatmap_period
4039 0 : .unwrap_or(self.conf.default_tenant_conf.heatmap_period);
4040 0 : if heatmap_period.is_zero() {
4041 0 : None
4042 : } else {
4043 0 : Some(heatmap_period)
4044 : }
4045 0 : }
4046 :
4047 8 : pub fn get_lsn_lease_length(&self) -> Duration {
4048 8 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
4049 8 : tenant_conf
4050 8 : .lsn_lease_length
4051 8 : .unwrap_or(self.conf.default_tenant_conf.lsn_lease_length)
4052 8 : }
4053 :
4054 0 : pub fn get_timeline_offloading_enabled(&self) -> bool {
4055 0 : if self.conf.timeline_offloading {
4056 0 : return true;
4057 0 : }
4058 0 : let tenant_conf = self.tenant_conf.load().tenant_conf.clone();
4059 0 : tenant_conf
4060 0 : .timeline_offloading
4061 0 : .unwrap_or(self.conf.default_tenant_conf.timeline_offloading)
4062 0 : }
4063 :
4064 : /// Generate an up-to-date TenantManifest based on the state of this Tenant.
4065 4 : fn build_tenant_manifest(&self) -> TenantManifest {
4066 4 : let timelines_offloaded = self.timelines_offloaded.lock().unwrap();
4067 4 :
4068 4 : let mut timeline_manifests = timelines_offloaded
4069 4 : .iter()
4070 4 : .map(|(_timeline_id, offloaded)| offloaded.manifest())
4071 4 : .collect::<Vec<_>>();
4072 4 : // Sort the manifests so that our output is deterministic
4073 4 : timeline_manifests.sort_by_key(|timeline_manifest| timeline_manifest.timeline_id);
4074 4 :
4075 4 : TenantManifest {
4076 4 : version: LATEST_TENANT_MANIFEST_VERSION,
4077 4 : offloaded_timelines: timeline_manifests,
4078 4 : }
4079 4 : }
4080 :
4081 0 : pub fn update_tenant_config<
4082 0 : F: Fn(
4083 0 : pageserver_api::models::TenantConfig,
4084 0 : ) -> anyhow::Result<pageserver_api::models::TenantConfig>,
4085 0 : >(
4086 0 : &self,
4087 0 : update: F,
4088 0 : ) -> anyhow::Result<pageserver_api::models::TenantConfig> {
4089 0 : // Use read-copy-update in order to avoid overwriting the location config
4090 0 : // state if this races with [`Tenant::set_new_location_config`]. Note that
4091 0 : // this race is not possible if both request types come from the storage
4092 0 : // controller (as they should!) because an exclusive op lock is required
4093 0 : // on the storage controller side.
4094 0 :
4095 0 : self.tenant_conf
4096 0 : .try_rcu(|attached_conf| -> Result<_, anyhow::Error> {
4097 0 : Ok(Arc::new(AttachedTenantConf {
4098 0 : tenant_conf: update(attached_conf.tenant_conf.clone())?,
4099 0 : location: attached_conf.location,
4100 0 : lsn_lease_deadline: attached_conf.lsn_lease_deadline,
4101 : }))
4102 0 : })?;
4103 :
4104 0 : let updated = self.tenant_conf.load();
4105 0 :
4106 0 : self.tenant_conf_updated(&updated.tenant_conf);
4107 0 : // Don't hold self.timelines.lock() during the notifies.
4108 0 : // There's no risk of deadlock right now, but there could be if we consolidate
4109 0 : // mutexes in struct Timeline in the future.
4110 0 : let timelines = self.list_timelines();
4111 0 : for timeline in timelines {
4112 0 : timeline.tenant_conf_updated(&updated);
4113 0 : }
4114 :
4115 0 : Ok(updated.tenant_conf.clone())
4116 0 : }
4117 :
4118 0 : pub(crate) fn set_new_location_config(&self, new_conf: AttachedTenantConf) {
4119 0 : let new_tenant_conf = new_conf.tenant_conf.clone();
4120 0 :
4121 0 : self.tenant_conf.store(Arc::new(new_conf.clone()));
4122 0 :
4123 0 : self.tenant_conf_updated(&new_tenant_conf);
4124 0 : // Don't hold self.timelines.lock() during the notifies.
4125 0 : // There's no risk of deadlock right now, but there could be if we consolidate
4126 0 : // mutexes in struct Timeline in the future.
4127 0 : let timelines = self.list_timelines();
4128 0 : for timeline in timelines {
4129 0 : timeline.tenant_conf_updated(&new_conf);
4130 0 : }
4131 0 : }
4132 :
4133 452 : fn get_pagestream_throttle_config(
4134 452 : psconf: &'static PageServerConf,
4135 452 : overrides: &pageserver_api::models::TenantConfig,
4136 452 : ) -> throttle::Config {
4137 452 : overrides
4138 452 : .timeline_get_throttle
4139 452 : .clone()
4140 452 : .unwrap_or(psconf.default_tenant_conf.timeline_get_throttle.clone())
4141 452 : }
4142 :
4143 0 : pub(crate) fn tenant_conf_updated(&self, new_conf: &pageserver_api::models::TenantConfig) {
4144 0 : let conf = Self::get_pagestream_throttle_config(self.conf, new_conf);
4145 0 : self.pagestream_throttle.reconfigure(conf)
4146 0 : }
4147 :
4148 : /// Helper function to create a new Timeline struct.
4149 : ///
4150 : /// The returned Timeline is in Loading state. The caller is responsible for
4151 : /// initializing any on-disk state, and for inserting the Timeline to the 'timelines'
4152 : /// map.
4153 : ///
4154 : /// `validate_ancestor == false` is used when a timeline is created for deletion
4155 : /// and we might not have the ancestor present anymore which is fine for to be
4156 : /// deleted timelines.
4157 : #[allow(clippy::too_many_arguments)]
4158 904 : fn create_timeline_struct(
4159 904 : &self,
4160 904 : new_timeline_id: TimelineId,
4161 904 : new_metadata: &TimelineMetadata,
4162 904 : previous_heatmap: Option<PreviousHeatmap>,
4163 904 : ancestor: Option<Arc<Timeline>>,
4164 904 : resources: TimelineResources,
4165 904 : cause: CreateTimelineCause,
4166 904 : create_idempotency: CreateTimelineIdempotency,
4167 904 : gc_compaction_state: Option<GcCompactionState>,
4168 904 : rel_size_v2_status: Option<RelSizeMigration>,
4169 904 : ctx: &RequestContext,
4170 904 : ) -> anyhow::Result<(Arc<Timeline>, RequestContext)> {
4171 904 : let state = match cause {
4172 : CreateTimelineCause::Load => {
4173 904 : let ancestor_id = new_metadata.ancestor_timeline();
4174 904 : anyhow::ensure!(
4175 904 : ancestor_id == ancestor.as_ref().map(|t| t.timeline_id),
4176 0 : "Timeline's {new_timeline_id} ancestor {ancestor_id:?} was not found"
4177 : );
4178 904 : TimelineState::Loading
4179 : }
4180 0 : CreateTimelineCause::Delete => TimelineState::Stopping,
4181 : };
4182 :
4183 904 : let pg_version = new_metadata.pg_version();
4184 904 :
4185 904 : let timeline = Timeline::new(
4186 904 : self.conf,
4187 904 : Arc::clone(&self.tenant_conf),
4188 904 : new_metadata,
4189 904 : previous_heatmap,
4190 904 : ancestor,
4191 904 : new_timeline_id,
4192 904 : self.tenant_shard_id,
4193 904 : self.generation,
4194 904 : self.shard_identity,
4195 904 : self.walredo_mgr.clone(),
4196 904 : resources,
4197 904 : pg_version,
4198 904 : state,
4199 904 : self.attach_wal_lag_cooldown.clone(),
4200 904 : create_idempotency,
4201 904 : gc_compaction_state,
4202 904 : rel_size_v2_status,
4203 904 : self.cancel.child_token(),
4204 904 : );
4205 904 :
4206 904 : let timeline_ctx = RequestContextBuilder::extend(ctx)
4207 904 : .scope(context::Scope::new_timeline(&timeline))
4208 904 : .build();
4209 904 :
4210 904 : Ok((timeline, timeline_ctx))
4211 904 : }
4212 :
4213 : /// [`Tenant::shutdown`] must be called before dropping the returned [`Tenant`] object
4214 : /// to ensure proper cleanup of background tasks and metrics.
4215 : //
4216 : // Allow too_many_arguments because a constructor's argument list naturally grows with the
4217 : // number of attributes in the struct: breaking these out into a builder wouldn't be helpful.
4218 : #[allow(clippy::too_many_arguments)]
4219 452 : fn new(
4220 452 : state: TenantState,
4221 452 : conf: &'static PageServerConf,
4222 452 : attached_conf: AttachedTenantConf,
4223 452 : shard_identity: ShardIdentity,
4224 452 : walredo_mgr: Option<Arc<WalRedoManager>>,
4225 452 : tenant_shard_id: TenantShardId,
4226 452 : remote_storage: GenericRemoteStorage,
4227 452 : deletion_queue_client: DeletionQueueClient,
4228 452 : l0_flush_global_state: L0FlushGlobalState,
4229 452 : ) -> Tenant {
4230 452 : debug_assert!(
4231 452 : !attached_conf.location.generation.is_none() || conf.control_plane_api.is_none()
4232 : );
4233 :
4234 452 : let (state, mut rx) = watch::channel(state);
4235 452 :
4236 452 : tokio::spawn(async move {
4237 452 : // reflect tenant state in metrics:
4238 452 : // - global per tenant state: TENANT_STATE_METRIC
4239 452 : // - "set" of broken tenants: BROKEN_TENANTS_SET
4240 452 : //
4241 452 : // set of broken tenants should not have zero counts so that it remains accessible for
4242 452 : // alerting.
4243 452 :
4244 452 : let tid = tenant_shard_id.to_string();
4245 452 : let shard_id = tenant_shard_id.shard_slug().to_string();
4246 452 : let set_key = &[tid.as_str(), shard_id.as_str()][..];
4247 :
4248 904 : fn inspect_state(state: &TenantState) -> ([&'static str; 1], bool) {
4249 904 : ([state.into()], matches!(state, TenantState::Broken { .. }))
4250 904 : }
4251 :
4252 452 : let mut tuple = inspect_state(&rx.borrow_and_update());
4253 452 :
4254 452 : let is_broken = tuple.1;
4255 452 : let mut counted_broken = if is_broken {
4256 : // add the id to the set right away, there should not be any updates on the channel
4257 : // after before tenant is removed, if ever
4258 0 : BROKEN_TENANTS_SET.with_label_values(set_key).set(1);
4259 0 : true
4260 : } else {
4261 452 : false
4262 : };
4263 :
4264 : loop {
4265 904 : let labels = &tuple.0;
4266 904 : let current = TENANT_STATE_METRIC.with_label_values(labels);
4267 904 : current.inc();
4268 904 :
4269 904 : if rx.changed().await.is_err() {
4270 : // tenant has been dropped
4271 28 : current.dec();
4272 28 : drop(BROKEN_TENANTS_SET.remove_label_values(set_key));
4273 28 : break;
4274 452 : }
4275 452 :
4276 452 : current.dec();
4277 452 : tuple = inspect_state(&rx.borrow_and_update());
4278 452 :
4279 452 : let is_broken = tuple.1;
4280 452 : if is_broken && !counted_broken {
4281 0 : counted_broken = true;
4282 0 : // insert the tenant_id (back) into the set while avoiding needless counter
4283 0 : // access
4284 0 : BROKEN_TENANTS_SET.with_label_values(set_key).set(1);
4285 452 : }
4286 : }
4287 452 : });
4288 452 :
4289 452 : Tenant {
4290 452 : tenant_shard_id,
4291 452 : shard_identity,
4292 452 : generation: attached_conf.location.generation,
4293 452 : conf,
4294 452 : // using now here is good enough approximation to catch tenants with really long
4295 452 : // activation times.
4296 452 : constructed_at: Instant::now(),
4297 452 : timelines: Mutex::new(HashMap::new()),
4298 452 : timelines_creating: Mutex::new(HashSet::new()),
4299 452 : timelines_offloaded: Mutex::new(HashMap::new()),
4300 452 : tenant_manifest_upload: Default::default(),
4301 452 : gc_cs: tokio::sync::Mutex::new(()),
4302 452 : walredo_mgr,
4303 452 : remote_storage,
4304 452 : deletion_queue_client,
4305 452 : state,
4306 452 : cached_logical_sizes: tokio::sync::Mutex::new(HashMap::new()),
4307 452 : cached_synthetic_tenant_size: Arc::new(AtomicU64::new(0)),
4308 452 : eviction_task_tenant_state: tokio::sync::Mutex::new(EvictionTaskTenantState::default()),
4309 452 : compaction_circuit_breaker: std::sync::Mutex::new(CircuitBreaker::new(
4310 452 : format!("compaction-{tenant_shard_id}"),
4311 452 : 5,
4312 452 : // Compaction can be a very expensive operation, and might leak disk space. It also ought
4313 452 : // to be infallible, as long as remote storage is available. So if it repeatedly fails,
4314 452 : // use an extremely long backoff.
4315 452 : Some(Duration::from_secs(3600 * 24)),
4316 452 : )),
4317 452 : l0_compaction_trigger: Arc::new(Notify::new()),
4318 452 : scheduled_compaction_tasks: Mutex::new(Default::default()),
4319 452 : activate_now_sem: tokio::sync::Semaphore::new(0),
4320 452 : attach_wal_lag_cooldown: Arc::new(std::sync::OnceLock::new()),
4321 452 : cancel: CancellationToken::default(),
4322 452 : gate: Gate::default(),
4323 452 : pagestream_throttle: Arc::new(throttle::Throttle::new(
4324 452 : Tenant::get_pagestream_throttle_config(conf, &attached_conf.tenant_conf),
4325 452 : )),
4326 452 : pagestream_throttle_metrics: Arc::new(
4327 452 : crate::metrics::tenant_throttling::Pagestream::new(&tenant_shard_id),
4328 452 : ),
4329 452 : tenant_conf: Arc::new(ArcSwap::from_pointee(attached_conf)),
4330 452 : ongoing_timeline_detach: std::sync::Mutex::default(),
4331 452 : gc_block: Default::default(),
4332 452 : l0_flush_global_state,
4333 452 : }
4334 452 : }
4335 :
4336 : /// Locate and load config
4337 0 : pub(super) fn load_tenant_config(
4338 0 : conf: &'static PageServerConf,
4339 0 : tenant_shard_id: &TenantShardId,
4340 0 : ) -> Result<LocationConf, LoadConfigError> {
4341 0 : let config_path = conf.tenant_location_config_path(tenant_shard_id);
4342 0 :
4343 0 : info!("loading tenant configuration from {config_path}");
4344 :
4345 : // load and parse file
4346 0 : let config = fs::read_to_string(&config_path).map_err(|e| {
4347 0 : match e.kind() {
4348 : std::io::ErrorKind::NotFound => {
4349 : // The config should almost always exist for a tenant directory:
4350 : // - When attaching a tenant, the config is the first thing we write
4351 : // - When detaching a tenant, we atomically move the directory to a tmp location
4352 : // before deleting contents.
4353 : //
4354 : // The very rare edge case that can result in a missing config is if we crash during attach
4355 : // between creating directory and writing config. Callers should handle that as if the
4356 : // directory didn't exist.
4357 :
4358 0 : LoadConfigError::NotFound(config_path)
4359 : }
4360 : _ => {
4361 : // No IO errors except NotFound are acceptable here: other kinds of error indicate local storage or permissions issues
4362 : // that we cannot cleanly recover
4363 0 : crate::virtual_file::on_fatal_io_error(&e, "Reading tenant config file")
4364 : }
4365 : }
4366 0 : })?;
4367 :
4368 0 : Ok(toml_edit::de::from_str::<LocationConf>(&config)?)
4369 0 : }
4370 :
4371 : #[tracing::instrument(skip_all, fields(tenant_id=%tenant_shard_id.tenant_id, shard_id=%tenant_shard_id.shard_slug()))]
4372 : pub(super) async fn persist_tenant_config(
4373 : conf: &'static PageServerConf,
4374 : tenant_shard_id: &TenantShardId,
4375 : location_conf: &LocationConf,
4376 : ) -> std::io::Result<()> {
4377 : let config_path = conf.tenant_location_config_path(tenant_shard_id);
4378 :
4379 : Self::persist_tenant_config_at(tenant_shard_id, &config_path, location_conf).await
4380 : }
4381 :
4382 : #[tracing::instrument(skip_all, fields(tenant_id=%tenant_shard_id.tenant_id, shard_id=%tenant_shard_id.shard_slug()))]
4383 : pub(super) async fn persist_tenant_config_at(
4384 : tenant_shard_id: &TenantShardId,
4385 : config_path: &Utf8Path,
4386 : location_conf: &LocationConf,
4387 : ) -> std::io::Result<()> {
4388 : debug!("persisting tenantconf to {config_path}");
4389 :
4390 : let mut conf_content = r#"# This file contains a specific per-tenant's config.
4391 : # It is read in case of pageserver restart.
4392 : "#
4393 : .to_string();
4394 :
4395 0 : fail::fail_point!("tenant-config-before-write", |_| {
4396 0 : Err(std::io::Error::new(
4397 0 : std::io::ErrorKind::Other,
4398 0 : "tenant-config-before-write",
4399 0 : ))
4400 0 : });
4401 :
4402 : // Convert the config to a toml file.
4403 : conf_content +=
4404 : &toml_edit::ser::to_string_pretty(&location_conf).expect("Config serialization failed");
4405 :
4406 : let temp_path = path_with_suffix_extension(config_path, TEMP_FILE_SUFFIX);
4407 :
4408 : let conf_content = conf_content.into_bytes();
4409 : VirtualFile::crashsafe_overwrite(config_path.to_owned(), temp_path, conf_content).await
4410 : }
4411 :
4412 : //
4413 : // How garbage collection works:
4414 : //
4415 : // +--bar------------->
4416 : // /
4417 : // +----+-----foo---------------->
4418 : // /
4419 : // ----main--+-------------------------->
4420 : // \
4421 : // +-----baz-------->
4422 : //
4423 : //
4424 : // 1. Grab 'gc_cs' mutex to prevent new timelines from being created while Timeline's
4425 : // `gc_infos` are being refreshed
4426 : // 2. Scan collected timelines, and on each timeline, make note of the
4427 : // all the points where other timelines have been branched off.
4428 : // We will refrain from removing page versions at those LSNs.
4429 : // 3. For each timeline, scan all layer files on the timeline.
4430 : // Remove all files for which a newer file exists and which
4431 : // don't cover any branch point LSNs.
4432 : //
4433 : // TODO:
4434 : // - if a relation has a non-incremental persistent layer on a child branch, then we
4435 : // don't need to keep that in the parent anymore. But currently
4436 : // we do.
4437 8 : async fn gc_iteration_internal(
4438 8 : &self,
4439 8 : target_timeline_id: Option<TimelineId>,
4440 8 : horizon: u64,
4441 8 : pitr: Duration,
4442 8 : cancel: &CancellationToken,
4443 8 : ctx: &RequestContext,
4444 8 : ) -> Result<GcResult, GcError> {
4445 8 : let mut totals: GcResult = Default::default();
4446 8 : let now = Instant::now();
4447 :
4448 8 : let gc_timelines = self
4449 8 : .refresh_gc_info_internal(target_timeline_id, horizon, pitr, cancel, ctx)
4450 8 : .await?;
4451 :
4452 8 : failpoint_support::sleep_millis_async!("gc_iteration_internal_after_getting_gc_timelines");
4453 :
4454 : // If there is nothing to GC, we don't want any messages in the INFO log.
4455 8 : if !gc_timelines.is_empty() {
4456 8 : info!("{} timelines need GC", gc_timelines.len());
4457 : } else {
4458 0 : debug!("{} timelines need GC", gc_timelines.len());
4459 : }
4460 :
4461 : // Perform GC for each timeline.
4462 : //
4463 : // Note that we don't hold the `Tenant::gc_cs` lock here because we don't want to delay the
4464 : // branch creation task, which requires the GC lock. A GC iteration can run concurrently
4465 : // with branch creation.
4466 : //
4467 : // See comments in [`Tenant::branch_timeline`] for more information about why branch
4468 : // creation task can run concurrently with timeline's GC iteration.
4469 16 : for timeline in gc_timelines {
4470 8 : if cancel.is_cancelled() {
4471 : // We were requested to shut down. Stop and return with the progress we
4472 : // made.
4473 0 : break;
4474 8 : }
4475 8 : let result = match timeline.gc().await {
4476 : Err(GcError::TimelineCancelled) => {
4477 0 : if target_timeline_id.is_some() {
4478 : // If we were targetting this specific timeline, surface cancellation to caller
4479 0 : return Err(GcError::TimelineCancelled);
4480 : } else {
4481 : // A timeline may be shutting down independently of the tenant's lifecycle: we should
4482 : // skip past this and proceed to try GC on other timelines.
4483 0 : continue;
4484 : }
4485 : }
4486 8 : r => r?,
4487 : };
4488 8 : totals += result;
4489 : }
4490 :
4491 8 : totals.elapsed = now.elapsed();
4492 8 : Ok(totals)
4493 8 : }
4494 :
4495 : /// Refreshes the Timeline::gc_info for all timelines, returning the
4496 : /// vector of timelines which have [`Timeline::get_last_record_lsn`] past
4497 : /// [`Tenant::get_gc_horizon`].
4498 : ///
4499 : /// This is usually executed as part of periodic gc, but can now be triggered more often.
4500 0 : pub(crate) async fn refresh_gc_info(
4501 0 : &self,
4502 0 : cancel: &CancellationToken,
4503 0 : ctx: &RequestContext,
4504 0 : ) -> Result<Vec<Arc<Timeline>>, GcError> {
4505 0 : // since this method can now be called at different rates than the configured gc loop, it
4506 0 : // might be that these configuration values get applied faster than what it was previously,
4507 0 : // since these were only read from the gc task.
4508 0 : let horizon = self.get_gc_horizon();
4509 0 : let pitr = self.get_pitr_interval();
4510 0 :
4511 0 : // refresh all timelines
4512 0 : let target_timeline_id = None;
4513 0 :
4514 0 : self.refresh_gc_info_internal(target_timeline_id, horizon, pitr, cancel, ctx)
4515 0 : .await
4516 0 : }
4517 :
4518 : /// Populate all Timelines' `GcInfo` with information about their children. We do not set the
4519 : /// PITR cutoffs here, because that requires I/O: this is done later, before GC, by [`Self::refresh_gc_info_internal`]
4520 : ///
4521 : /// Subsequently, parent-child relationships are updated incrementally inside [`Timeline::new`] and [`Timeline::drop`].
4522 0 : fn initialize_gc_info(
4523 0 : &self,
4524 0 : timelines: &std::sync::MutexGuard<HashMap<TimelineId, Arc<Timeline>>>,
4525 0 : timelines_offloaded: &std::sync::MutexGuard<HashMap<TimelineId, Arc<OffloadedTimeline>>>,
4526 0 : restrict_to_timeline: Option<TimelineId>,
4527 0 : ) {
4528 0 : if restrict_to_timeline.is_none() {
4529 : // This function must be called before activation: after activation timeline create/delete operations
4530 : // might happen, and this function is not safe to run concurrently with those.
4531 0 : assert!(!self.is_active());
4532 0 : }
4533 :
4534 : // Scan all timelines. For each timeline, remember the timeline ID and
4535 : // the branch point where it was created.
4536 0 : let mut all_branchpoints: BTreeMap<TimelineId, Vec<(Lsn, TimelineId, MaybeOffloaded)>> =
4537 0 : BTreeMap::new();
4538 0 : timelines.iter().for_each(|(timeline_id, timeline_entry)| {
4539 0 : if let Some(ancestor_timeline_id) = &timeline_entry.get_ancestor_timeline_id() {
4540 0 : let ancestor_children = all_branchpoints.entry(*ancestor_timeline_id).or_default();
4541 0 : ancestor_children.push((
4542 0 : timeline_entry.get_ancestor_lsn(),
4543 0 : *timeline_id,
4544 0 : MaybeOffloaded::No,
4545 0 : ));
4546 0 : }
4547 0 : });
4548 0 : timelines_offloaded
4549 0 : .iter()
4550 0 : .for_each(|(timeline_id, timeline_entry)| {
4551 0 : let Some(ancestor_timeline_id) = &timeline_entry.ancestor_timeline_id else {
4552 0 : return;
4553 : };
4554 0 : let Some(retain_lsn) = timeline_entry.ancestor_retain_lsn else {
4555 0 : return;
4556 : };
4557 0 : let ancestor_children = all_branchpoints.entry(*ancestor_timeline_id).or_default();
4558 0 : ancestor_children.push((retain_lsn, *timeline_id, MaybeOffloaded::Yes));
4559 0 : });
4560 0 :
4561 0 : // The number of bytes we always keep, irrespective of PITR: this is a constant across timelines
4562 0 : let horizon = self.get_gc_horizon();
4563 :
4564 : // Populate each timeline's GcInfo with information about its child branches
4565 0 : let timelines_to_write = if let Some(timeline_id) = restrict_to_timeline {
4566 0 : itertools::Either::Left(timelines.get(&timeline_id).into_iter())
4567 : } else {
4568 0 : itertools::Either::Right(timelines.values())
4569 : };
4570 0 : for timeline in timelines_to_write {
4571 0 : let mut branchpoints: Vec<(Lsn, TimelineId, MaybeOffloaded)> = all_branchpoints
4572 0 : .remove(&timeline.timeline_id)
4573 0 : .unwrap_or_default();
4574 0 :
4575 0 : branchpoints.sort_by_key(|b| b.0);
4576 0 :
4577 0 : let mut target = timeline.gc_info.write().unwrap();
4578 0 :
4579 0 : target.retain_lsns = branchpoints;
4580 0 :
4581 0 : let space_cutoff = timeline
4582 0 : .get_last_record_lsn()
4583 0 : .checked_sub(horizon)
4584 0 : .unwrap_or(Lsn(0));
4585 0 :
4586 0 : target.cutoffs = GcCutoffs {
4587 0 : space: space_cutoff,
4588 0 : time: Lsn::INVALID,
4589 0 : };
4590 0 : }
4591 0 : }
4592 :
4593 8 : async fn refresh_gc_info_internal(
4594 8 : &self,
4595 8 : target_timeline_id: Option<TimelineId>,
4596 8 : horizon: u64,
4597 8 : pitr: Duration,
4598 8 : cancel: &CancellationToken,
4599 8 : ctx: &RequestContext,
4600 8 : ) -> Result<Vec<Arc<Timeline>>, GcError> {
4601 8 : // before taking the gc_cs lock, do the heavier weight finding of gc_cutoff points for
4602 8 : // currently visible timelines.
4603 8 : let timelines = self
4604 8 : .timelines
4605 8 : .lock()
4606 8 : .unwrap()
4607 8 : .values()
4608 8 : .filter(|tl| match target_timeline_id.as_ref() {
4609 8 : Some(target) => &tl.timeline_id == target,
4610 0 : None => true,
4611 8 : })
4612 8 : .cloned()
4613 8 : .collect::<Vec<_>>();
4614 8 :
4615 8 : if target_timeline_id.is_some() && timelines.is_empty() {
4616 : // We were to act on a particular timeline and it wasn't found
4617 0 : return Err(GcError::TimelineNotFound);
4618 8 : }
4619 8 :
4620 8 : let mut gc_cutoffs: HashMap<TimelineId, GcCutoffs> =
4621 8 : HashMap::with_capacity(timelines.len());
4622 8 :
4623 8 : // Ensures all timelines use the same start time when computing the time cutoff.
4624 8 : let now_ts_for_pitr_calc = SystemTime::now();
4625 8 : for timeline in timelines.iter() {
4626 8 : let ctx = &ctx.with_scope_timeline(timeline);
4627 8 : let cutoff = timeline
4628 8 : .get_last_record_lsn()
4629 8 : .checked_sub(horizon)
4630 8 : .unwrap_or(Lsn(0));
4631 :
4632 8 : let cutoffs = timeline
4633 8 : .find_gc_cutoffs(now_ts_for_pitr_calc, cutoff, pitr, cancel, ctx)
4634 8 : .await?;
4635 8 : let old = gc_cutoffs.insert(timeline.timeline_id, cutoffs);
4636 8 : assert!(old.is_none());
4637 : }
4638 :
4639 8 : if !self.is_active() || self.cancel.is_cancelled() {
4640 0 : return Err(GcError::TenantCancelled);
4641 8 : }
4642 :
4643 : // grab mutex to prevent new timelines from being created here; avoid doing long operations
4644 : // because that will stall branch creation.
4645 8 : let gc_cs = self.gc_cs.lock().await;
4646 :
4647 : // Ok, we now know all the branch points.
4648 : // Update the GC information for each timeline.
4649 8 : let mut gc_timelines = Vec::with_capacity(timelines.len());
4650 16 : for timeline in timelines {
4651 : // We filtered the timeline list above
4652 8 : if let Some(target_timeline_id) = target_timeline_id {
4653 8 : assert_eq!(target_timeline_id, timeline.timeline_id);
4654 0 : }
4655 :
4656 : {
4657 8 : let mut target = timeline.gc_info.write().unwrap();
4658 8 :
4659 8 : // Cull any expired leases
4660 8 : let now = SystemTime::now();
4661 12 : target.leases.retain(|_, lease| !lease.is_expired(&now));
4662 8 :
4663 8 : timeline
4664 8 : .metrics
4665 8 : .valid_lsn_lease_count_gauge
4666 8 : .set(target.leases.len() as u64);
4667 :
4668 : // Look up parent's PITR cutoff to update the child's knowledge of whether it is within parent's PITR
4669 8 : if let Some(ancestor_id) = timeline.get_ancestor_timeline_id() {
4670 0 : if let Some(ancestor_gc_cutoffs) = gc_cutoffs.get(&ancestor_id) {
4671 0 : target.within_ancestor_pitr =
4672 0 : timeline.get_ancestor_lsn() >= ancestor_gc_cutoffs.time;
4673 0 : }
4674 8 : }
4675 :
4676 : // Update metrics that depend on GC state
4677 8 : timeline
4678 8 : .metrics
4679 8 : .archival_size
4680 8 : .set(if target.within_ancestor_pitr {
4681 0 : timeline.metrics.current_logical_size_gauge.get()
4682 : } else {
4683 8 : 0
4684 : });
4685 8 : timeline.metrics.pitr_history_size.set(
4686 8 : timeline
4687 8 : .get_last_record_lsn()
4688 8 : .checked_sub(target.cutoffs.time)
4689 8 : .unwrap_or(Lsn(0))
4690 8 : .0,
4691 8 : );
4692 :
4693 : // Apply the cutoffs we found to the Timeline's GcInfo. Why might we _not_ have cutoffs for a timeline?
4694 : // - this timeline was created while we were finding cutoffs
4695 : // - lsn for timestamp search fails for this timeline repeatedly
4696 8 : if let Some(cutoffs) = gc_cutoffs.get(&timeline.timeline_id) {
4697 8 : let original_cutoffs = target.cutoffs.clone();
4698 8 : // GC cutoffs should never go back
4699 8 : target.cutoffs = GcCutoffs {
4700 8 : space: Lsn(cutoffs.space.0.max(original_cutoffs.space.0)),
4701 8 : time: Lsn(cutoffs.time.0.max(original_cutoffs.time.0)),
4702 8 : }
4703 0 : }
4704 : }
4705 :
4706 8 : gc_timelines.push(timeline);
4707 : }
4708 8 : drop(gc_cs);
4709 8 : Ok(gc_timelines)
4710 8 : }
4711 :
4712 : /// A substitute for `branch_timeline` for use in unit tests.
4713 : /// The returned timeline will have state value `Active` to make various `anyhow::ensure!()`
4714 : /// calls pass, but, we do not actually call `.activate()` under the hood. So, none of the
4715 : /// timeline background tasks are launched, except the flush loop.
4716 : #[cfg(test)]
4717 464 : async fn branch_timeline_test(
4718 464 : self: &Arc<Self>,
4719 464 : src_timeline: &Arc<Timeline>,
4720 464 : dst_id: TimelineId,
4721 464 : ancestor_lsn: Option<Lsn>,
4722 464 : ctx: &RequestContext,
4723 464 : ) -> Result<Arc<Timeline>, CreateTimelineError> {
4724 464 : let tl = self
4725 464 : .branch_timeline_impl(src_timeline, dst_id, ancestor_lsn, ctx)
4726 464 : .await?
4727 456 : .into_timeline_for_test();
4728 456 : tl.set_state(TimelineState::Active);
4729 456 : Ok(tl)
4730 464 : }
4731 :
4732 : /// Helper for unit tests to branch a timeline with some pre-loaded states.
4733 : #[cfg(test)]
4734 : #[allow(clippy::too_many_arguments)]
4735 12 : pub async fn branch_timeline_test_with_layers(
4736 12 : self: &Arc<Self>,
4737 12 : src_timeline: &Arc<Timeline>,
4738 12 : dst_id: TimelineId,
4739 12 : ancestor_lsn: Option<Lsn>,
4740 12 : ctx: &RequestContext,
4741 12 : delta_layer_desc: Vec<timeline::DeltaLayerTestDesc>,
4742 12 : image_layer_desc: Vec<(Lsn, Vec<(pageserver_api::key::Key, bytes::Bytes)>)>,
4743 12 : end_lsn: Lsn,
4744 12 : ) -> anyhow::Result<Arc<Timeline>> {
4745 : use checks::check_valid_layermap;
4746 : use itertools::Itertools;
4747 :
4748 12 : let tline = self
4749 12 : .branch_timeline_test(src_timeline, dst_id, ancestor_lsn, ctx)
4750 12 : .await?;
4751 12 : let ancestor_lsn = if let Some(ancestor_lsn) = ancestor_lsn {
4752 12 : ancestor_lsn
4753 : } else {
4754 0 : tline.get_last_record_lsn()
4755 : };
4756 12 : assert!(end_lsn >= ancestor_lsn);
4757 12 : tline.force_advance_lsn(end_lsn);
4758 24 : for deltas in delta_layer_desc {
4759 12 : tline
4760 12 : .force_create_delta_layer(deltas, Some(ancestor_lsn), ctx)
4761 12 : .await?;
4762 : }
4763 20 : for (lsn, images) in image_layer_desc {
4764 8 : tline
4765 8 : .force_create_image_layer(lsn, images, Some(ancestor_lsn), ctx)
4766 8 : .await?;
4767 : }
4768 12 : let layer_names = tline
4769 12 : .layers
4770 12 : .read()
4771 12 : .await
4772 12 : .layer_map()
4773 12 : .unwrap()
4774 12 : .iter_historic_layers()
4775 20 : .map(|layer| layer.layer_name())
4776 12 : .collect_vec();
4777 12 : if let Some(err) = check_valid_layermap(&layer_names) {
4778 0 : bail!("invalid layermap: {err}");
4779 12 : }
4780 12 : Ok(tline)
4781 12 : }
4782 :
4783 : /// Branch an existing timeline.
4784 0 : async fn branch_timeline(
4785 0 : self: &Arc<Self>,
4786 0 : src_timeline: &Arc<Timeline>,
4787 0 : dst_id: TimelineId,
4788 0 : start_lsn: Option<Lsn>,
4789 0 : ctx: &RequestContext,
4790 0 : ) -> Result<CreateTimelineResult, CreateTimelineError> {
4791 0 : self.branch_timeline_impl(src_timeline, dst_id, start_lsn, ctx)
4792 0 : .await
4793 0 : }
4794 :
4795 464 : async fn branch_timeline_impl(
4796 464 : self: &Arc<Self>,
4797 464 : src_timeline: &Arc<Timeline>,
4798 464 : dst_id: TimelineId,
4799 464 : start_lsn: Option<Lsn>,
4800 464 : ctx: &RequestContext,
4801 464 : ) -> Result<CreateTimelineResult, CreateTimelineError> {
4802 464 : let src_id = src_timeline.timeline_id;
4803 :
4804 : // We will validate our ancestor LSN in this function. Acquire the GC lock so that
4805 : // this check cannot race with GC, and the ancestor LSN is guaranteed to remain
4806 : // valid while we are creating the branch.
4807 464 : let _gc_cs = self.gc_cs.lock().await;
4808 :
4809 : // If no start LSN is specified, we branch the new timeline from the source timeline's last record LSN
4810 464 : let start_lsn = start_lsn.unwrap_or_else(|| {
4811 4 : let lsn = src_timeline.get_last_record_lsn();
4812 4 : info!("branching timeline {dst_id} from timeline {src_id} at last record LSN: {lsn}");
4813 4 : lsn
4814 464 : });
4815 :
4816 : // we finally have determined the ancestor_start_lsn, so we can get claim exclusivity now
4817 464 : let timeline_create_guard = match self
4818 464 : .start_creating_timeline(
4819 464 : dst_id,
4820 464 : CreateTimelineIdempotency::Branch {
4821 464 : ancestor_timeline_id: src_timeline.timeline_id,
4822 464 : ancestor_start_lsn: start_lsn,
4823 464 : },
4824 464 : )
4825 464 : .await?
4826 : {
4827 464 : StartCreatingTimelineResult::CreateGuard(guard) => guard,
4828 0 : StartCreatingTimelineResult::Idempotent(timeline) => {
4829 0 : return Ok(CreateTimelineResult::Idempotent(timeline));
4830 : }
4831 : };
4832 :
4833 : // Ensure that `start_lsn` is valid, i.e. the LSN is within the PITR
4834 : // horizon on the source timeline
4835 : //
4836 : // We check it against both the planned GC cutoff stored in 'gc_info',
4837 : // and the 'latest_gc_cutoff' of the last GC that was performed. The
4838 : // planned GC cutoff in 'gc_info' is normally larger than
4839 : // 'applied_gc_cutoff_lsn', but beware of corner cases like if you just
4840 : // changed the GC settings for the tenant to make the PITR window
4841 : // larger, but some of the data was already removed by an earlier GC
4842 : // iteration.
4843 :
4844 : // check against last actual 'latest_gc_cutoff' first
4845 464 : let applied_gc_cutoff_lsn = src_timeline.get_applied_gc_cutoff_lsn();
4846 464 : {
4847 464 : let gc_info = src_timeline.gc_info.read().unwrap();
4848 464 : let planned_cutoff = gc_info.min_cutoff();
4849 464 : if gc_info.lsn_covered_by_lease(start_lsn) {
4850 0 : tracing::info!(
4851 0 : "skipping comparison of {start_lsn} with gc cutoff {} and planned gc cutoff {planned_cutoff} due to lsn lease",
4852 0 : *applied_gc_cutoff_lsn
4853 : );
4854 : } else {
4855 464 : src_timeline
4856 464 : .check_lsn_is_in_scope(start_lsn, &applied_gc_cutoff_lsn)
4857 464 : .context(format!(
4858 464 : "invalid branch start lsn: less than latest GC cutoff {}",
4859 464 : *applied_gc_cutoff_lsn,
4860 464 : ))
4861 464 : .map_err(CreateTimelineError::AncestorLsn)?;
4862 :
4863 : // and then the planned GC cutoff
4864 456 : if start_lsn < planned_cutoff {
4865 0 : return Err(CreateTimelineError::AncestorLsn(anyhow::anyhow!(
4866 0 : "invalid branch start lsn: less than planned GC cutoff {planned_cutoff}"
4867 0 : )));
4868 456 : }
4869 : }
4870 : }
4871 :
4872 : //
4873 : // The branch point is valid, and we are still holding the 'gc_cs' lock
4874 : // so that GC cannot advance the GC cutoff until we are finished.
4875 : // Proceed with the branch creation.
4876 : //
4877 :
4878 : // Determine prev-LSN for the new timeline. We can only determine it if
4879 : // the timeline was branched at the current end of the source timeline.
4880 : let RecordLsn {
4881 456 : last: src_last,
4882 456 : prev: src_prev,
4883 456 : } = src_timeline.get_last_record_rlsn();
4884 456 : let dst_prev = if src_last == start_lsn {
4885 432 : Some(src_prev)
4886 : } else {
4887 24 : None
4888 : };
4889 :
4890 : // Create the metadata file, noting the ancestor of the new timeline.
4891 : // There is initially no data in it, but all the read-calls know to look
4892 : // into the ancestor.
4893 456 : let metadata = TimelineMetadata::new(
4894 456 : start_lsn,
4895 456 : dst_prev,
4896 456 : Some(src_id),
4897 456 : start_lsn,
4898 456 : *src_timeline.applied_gc_cutoff_lsn.read(), // FIXME: should we hold onto this guard longer?
4899 456 : src_timeline.initdb_lsn,
4900 456 : src_timeline.pg_version,
4901 456 : );
4902 :
4903 456 : let (uninitialized_timeline, _timeline_ctx) = self
4904 456 : .prepare_new_timeline(
4905 456 : dst_id,
4906 456 : &metadata,
4907 456 : timeline_create_guard,
4908 456 : start_lsn + 1,
4909 456 : Some(Arc::clone(src_timeline)),
4910 456 : Some(src_timeline.get_rel_size_v2_status()),
4911 456 : ctx,
4912 456 : )
4913 456 : .await?;
4914 :
4915 456 : let new_timeline = uninitialized_timeline.finish_creation().await?;
4916 :
4917 : // Root timeline gets its layers during creation and uploads them along with the metadata.
4918 : // A branch timeline though, when created, can get no writes for some time, hence won't get any layers created.
4919 : // We still need to upload its metadata eagerly: if other nodes `attach` the tenant and miss this timeline, their GC
4920 : // could get incorrect information and remove more layers, than needed.
4921 : // See also https://github.com/neondatabase/neon/issues/3865
4922 456 : new_timeline
4923 456 : .remote_client
4924 456 : .schedule_index_upload_for_full_metadata_update(&metadata)
4925 456 : .context("branch initial metadata upload")?;
4926 :
4927 : // Callers are responsible to wait for uploads to complete and for activating the timeline.
4928 :
4929 456 : Ok(CreateTimelineResult::Created(new_timeline))
4930 464 : }
4931 :
4932 : /// For unit tests, make this visible so that other modules can directly create timelines
4933 : #[cfg(test)]
4934 : #[tracing::instrument(skip_all, fields(tenant_id=%self.tenant_shard_id.tenant_id, shard_id=%self.tenant_shard_id.shard_slug(), %timeline_id))]
4935 : pub(crate) async fn bootstrap_timeline_test(
4936 : self: &Arc<Self>,
4937 : timeline_id: TimelineId,
4938 : pg_version: u32,
4939 : load_existing_initdb: Option<TimelineId>,
4940 : ctx: &RequestContext,
4941 : ) -> anyhow::Result<Arc<Timeline>> {
4942 : self.bootstrap_timeline(timeline_id, pg_version, load_existing_initdb, ctx)
4943 : .await
4944 : .map_err(anyhow::Error::new)
4945 4 : .map(|r| r.into_timeline_for_test())
4946 : }
4947 :
4948 : /// Get exclusive access to the timeline ID for creation.
4949 : ///
4950 : /// Timeline-creating code paths must use this function before making changes
4951 : /// to in-memory or persistent state.
4952 : ///
4953 : /// The `state` parameter is a description of the timeline creation operation
4954 : /// we intend to perform.
4955 : /// If the timeline was already created in the meantime, we check whether this
4956 : /// request conflicts or is idempotent , based on `state`.
4957 904 : async fn start_creating_timeline(
4958 904 : self: &Arc<Self>,
4959 904 : new_timeline_id: TimelineId,
4960 904 : idempotency: CreateTimelineIdempotency,
4961 904 : ) -> Result<StartCreatingTimelineResult, CreateTimelineError> {
4962 904 : let allow_offloaded = false;
4963 904 : match self.create_timeline_create_guard(new_timeline_id, idempotency, allow_offloaded) {
4964 900 : Ok(create_guard) => {
4965 900 : pausable_failpoint!("timeline-creation-after-uninit");
4966 900 : Ok(StartCreatingTimelineResult::CreateGuard(create_guard))
4967 : }
4968 0 : Err(TimelineExclusionError::ShuttingDown) => Err(CreateTimelineError::ShuttingDown),
4969 : Err(TimelineExclusionError::AlreadyCreating) => {
4970 : // Creation is in progress, we cannot create it again, and we cannot
4971 : // check if this request matches the existing one, so caller must try
4972 : // again later.
4973 0 : Err(CreateTimelineError::AlreadyCreating)
4974 : }
4975 0 : Err(TimelineExclusionError::Other(e)) => Err(CreateTimelineError::Other(e)),
4976 : Err(TimelineExclusionError::AlreadyExists {
4977 0 : existing: TimelineOrOffloaded::Offloaded(_existing),
4978 0 : ..
4979 0 : }) => {
4980 0 : info!("timeline already exists but is offloaded");
4981 0 : Err(CreateTimelineError::Conflict)
4982 : }
4983 : Err(TimelineExclusionError::AlreadyExists {
4984 4 : existing: TimelineOrOffloaded::Timeline(existing),
4985 4 : arg,
4986 4 : }) => {
4987 4 : {
4988 4 : let existing = &existing.create_idempotency;
4989 4 : let _span = info_span!("idempotency_check", ?existing, ?arg).entered();
4990 4 : debug!("timeline already exists");
4991 :
4992 4 : match (existing, &arg) {
4993 : // FailWithConflict => no idempotency check
4994 : (CreateTimelineIdempotency::FailWithConflict, _)
4995 : | (_, CreateTimelineIdempotency::FailWithConflict) => {
4996 4 : warn!("timeline already exists, failing request");
4997 4 : return Err(CreateTimelineError::Conflict);
4998 : }
4999 : // Idempotent <=> CreateTimelineIdempotency is identical
5000 0 : (x, y) if x == y => {
5001 0 : info!(
5002 0 : "timeline already exists and idempotency matches, succeeding request"
5003 : );
5004 : // fallthrough
5005 : }
5006 : (_, _) => {
5007 0 : warn!("idempotency conflict, failing request");
5008 0 : return Err(CreateTimelineError::Conflict);
5009 : }
5010 : }
5011 : }
5012 :
5013 0 : Ok(StartCreatingTimelineResult::Idempotent(existing))
5014 : }
5015 : }
5016 904 : }
5017 :
5018 0 : async fn upload_initdb(
5019 0 : &self,
5020 0 : timelines_path: &Utf8PathBuf,
5021 0 : pgdata_path: &Utf8PathBuf,
5022 0 : timeline_id: &TimelineId,
5023 0 : ) -> anyhow::Result<()> {
5024 0 : let temp_path = timelines_path.join(format!(
5025 0 : "{INITDB_PATH}.upload-{timeline_id}.{TEMP_FILE_SUFFIX}"
5026 0 : ));
5027 0 :
5028 0 : scopeguard::defer! {
5029 0 : if let Err(e) = fs::remove_file(&temp_path) {
5030 0 : error!("Failed to remove temporary initdb archive '{temp_path}': {e}");
5031 0 : }
5032 0 : }
5033 :
5034 0 : let (pgdata_zstd, tar_zst_size) = create_zst_tarball(pgdata_path, &temp_path).await?;
5035 : const INITDB_TAR_ZST_WARN_LIMIT: u64 = 2 * 1024 * 1024;
5036 0 : if tar_zst_size > INITDB_TAR_ZST_WARN_LIMIT {
5037 0 : warn!(
5038 0 : "compressed {temp_path} size of {tar_zst_size} is above limit {INITDB_TAR_ZST_WARN_LIMIT}."
5039 : );
5040 0 : }
5041 :
5042 0 : pausable_failpoint!("before-initdb-upload");
5043 :
5044 0 : backoff::retry(
5045 0 : || async {
5046 0 : self::remote_timeline_client::upload_initdb_dir(
5047 0 : &self.remote_storage,
5048 0 : &self.tenant_shard_id.tenant_id,
5049 0 : timeline_id,
5050 0 : pgdata_zstd.try_clone().await?,
5051 0 : tar_zst_size,
5052 0 : &self.cancel,
5053 0 : )
5054 0 : .await
5055 0 : },
5056 0 : |_| false,
5057 0 : 3,
5058 0 : u32::MAX,
5059 0 : "persist_initdb_tar_zst",
5060 0 : &self.cancel,
5061 0 : )
5062 0 : .await
5063 0 : .ok_or_else(|| anyhow::Error::new(TimeoutOrCancel::Cancel))
5064 0 : .and_then(|x| x)
5065 0 : }
5066 :
5067 : /// - run initdb to init temporary instance and get bootstrap data
5068 : /// - after initialization completes, tar up the temp dir and upload it to S3.
5069 4 : async fn bootstrap_timeline(
5070 4 : self: &Arc<Self>,
5071 4 : timeline_id: TimelineId,
5072 4 : pg_version: u32,
5073 4 : load_existing_initdb: Option<TimelineId>,
5074 4 : ctx: &RequestContext,
5075 4 : ) -> Result<CreateTimelineResult, CreateTimelineError> {
5076 4 : let timeline_create_guard = match self
5077 4 : .start_creating_timeline(
5078 4 : timeline_id,
5079 4 : CreateTimelineIdempotency::Bootstrap { pg_version },
5080 4 : )
5081 4 : .await?
5082 : {
5083 4 : StartCreatingTimelineResult::CreateGuard(guard) => guard,
5084 0 : StartCreatingTimelineResult::Idempotent(timeline) => {
5085 0 : return Ok(CreateTimelineResult::Idempotent(timeline));
5086 : }
5087 : };
5088 :
5089 : // create a `tenant/{tenant_id}/timelines/basebackup-{timeline_id}.{TEMP_FILE_SUFFIX}/`
5090 : // temporary directory for basebackup files for the given timeline.
5091 :
5092 4 : let timelines_path = self.conf.timelines_path(&self.tenant_shard_id);
5093 4 : let pgdata_path = path_with_suffix_extension(
5094 4 : timelines_path.join(format!("basebackup-{timeline_id}")),
5095 4 : TEMP_FILE_SUFFIX,
5096 4 : );
5097 4 :
5098 4 : // Remove whatever was left from the previous runs: safe because TimelineCreateGuard guarantees
5099 4 : // we won't race with other creations or existent timelines with the same path.
5100 4 : if pgdata_path.exists() {
5101 0 : fs::remove_dir_all(&pgdata_path).with_context(|| {
5102 0 : format!("Failed to remove already existing initdb directory: {pgdata_path}")
5103 0 : })?;
5104 0 : tracing::info!("removed previous attempt's temporary initdb directory '{pgdata_path}'");
5105 4 : }
5106 :
5107 : // this new directory is very temporary, set to remove it immediately after bootstrap, we don't need it
5108 4 : let pgdata_path_deferred = pgdata_path.clone();
5109 4 : scopeguard::defer! {
5110 4 : if let Err(e) = fs::remove_dir_all(&pgdata_path_deferred).or_else(fs_ext::ignore_not_found) {
5111 4 : // this is unlikely, but we will remove the directory on pageserver restart or another bootstrap call
5112 4 : error!("Failed to remove temporary initdb directory '{pgdata_path_deferred}': {e}");
5113 4 : } else {
5114 4 : tracing::info!("removed temporary initdb directory '{pgdata_path_deferred}'");
5115 4 : }
5116 4 : }
5117 4 : if let Some(existing_initdb_timeline_id) = load_existing_initdb {
5118 4 : if existing_initdb_timeline_id != timeline_id {
5119 0 : let source_path = &remote_initdb_archive_path(
5120 0 : &self.tenant_shard_id.tenant_id,
5121 0 : &existing_initdb_timeline_id,
5122 0 : );
5123 0 : let dest_path =
5124 0 : &remote_initdb_archive_path(&self.tenant_shard_id.tenant_id, &timeline_id);
5125 0 :
5126 0 : // if this fails, it will get retried by retried control plane requests
5127 0 : self.remote_storage
5128 0 : .copy_object(source_path, dest_path, &self.cancel)
5129 0 : .await
5130 0 : .context("copy initdb tar")?;
5131 4 : }
5132 4 : let (initdb_tar_zst_path, initdb_tar_zst) =
5133 4 : self::remote_timeline_client::download_initdb_tar_zst(
5134 4 : self.conf,
5135 4 : &self.remote_storage,
5136 4 : &self.tenant_shard_id,
5137 4 : &existing_initdb_timeline_id,
5138 4 : &self.cancel,
5139 4 : )
5140 4 : .await
5141 4 : .context("download initdb tar")?;
5142 :
5143 4 : scopeguard::defer! {
5144 4 : if let Err(e) = fs::remove_file(&initdb_tar_zst_path) {
5145 4 : error!("Failed to remove temporary initdb archive '{initdb_tar_zst_path}': {e}");
5146 4 : }
5147 4 : }
5148 4 :
5149 4 : let buf_read =
5150 4 : BufReader::with_capacity(remote_timeline_client::BUFFER_SIZE, initdb_tar_zst);
5151 4 : extract_zst_tarball(&pgdata_path, buf_read)
5152 4 : .await
5153 4 : .context("extract initdb tar")?;
5154 : } else {
5155 : // Init temporarily repo to get bootstrap data, this creates a directory in the `pgdata_path` path
5156 0 : run_initdb(self.conf, &pgdata_path, pg_version, &self.cancel)
5157 0 : .await
5158 0 : .context("run initdb")?;
5159 :
5160 : // Upload the created data dir to S3
5161 0 : if self.tenant_shard_id().is_shard_zero() {
5162 0 : self.upload_initdb(&timelines_path, &pgdata_path, &timeline_id)
5163 0 : .await?;
5164 0 : }
5165 : }
5166 4 : let pgdata_lsn = import_datadir::get_lsn_from_controlfile(&pgdata_path)?.align();
5167 4 :
5168 4 : // Import the contents of the data directory at the initial checkpoint
5169 4 : // LSN, and any WAL after that.
5170 4 : // Initdb lsn will be equal to last_record_lsn which will be set after import.
5171 4 : // Because we know it upfront avoid having an option or dummy zero value by passing it to the metadata.
5172 4 : let new_metadata = TimelineMetadata::new(
5173 4 : Lsn(0),
5174 4 : None,
5175 4 : None,
5176 4 : Lsn(0),
5177 4 : pgdata_lsn,
5178 4 : pgdata_lsn,
5179 4 : pg_version,
5180 4 : );
5181 4 : let (mut raw_timeline, timeline_ctx) = self
5182 4 : .prepare_new_timeline(
5183 4 : timeline_id,
5184 4 : &new_metadata,
5185 4 : timeline_create_guard,
5186 4 : pgdata_lsn,
5187 4 : None,
5188 4 : None,
5189 4 : ctx,
5190 4 : )
5191 4 : .await?;
5192 :
5193 4 : let tenant_shard_id = raw_timeline.owning_tenant.tenant_shard_id;
5194 4 : raw_timeline
5195 4 : .write(|unfinished_timeline| async move {
5196 4 : import_datadir::import_timeline_from_postgres_datadir(
5197 4 : &unfinished_timeline,
5198 4 : &pgdata_path,
5199 4 : pgdata_lsn,
5200 4 : &timeline_ctx,
5201 4 : )
5202 4 : .await
5203 4 : .with_context(|| {
5204 0 : format!(
5205 0 : "Failed to import pgdatadir for timeline {tenant_shard_id}/{timeline_id}"
5206 0 : )
5207 4 : })?;
5208 :
5209 4 : fail::fail_point!("before-checkpoint-new-timeline", |_| {
5210 0 : Err(CreateTimelineError::Other(anyhow::anyhow!(
5211 0 : "failpoint before-checkpoint-new-timeline"
5212 0 : )))
5213 4 : });
5214 :
5215 4 : Ok(())
5216 8 : })
5217 4 : .await?;
5218 :
5219 : // All done!
5220 4 : let timeline = raw_timeline.finish_creation().await?;
5221 :
5222 : // Callers are responsible to wait for uploads to complete and for activating the timeline.
5223 :
5224 4 : Ok(CreateTimelineResult::Created(timeline))
5225 4 : }
5226 :
5227 892 : fn build_timeline_remote_client(&self, timeline_id: TimelineId) -> RemoteTimelineClient {
5228 892 : RemoteTimelineClient::new(
5229 892 : self.remote_storage.clone(),
5230 892 : self.deletion_queue_client.clone(),
5231 892 : self.conf,
5232 892 : self.tenant_shard_id,
5233 892 : timeline_id,
5234 892 : self.generation,
5235 892 : &self.tenant_conf.load().location,
5236 892 : )
5237 892 : }
5238 :
5239 : /// Builds required resources for a new timeline.
5240 892 : fn build_timeline_resources(&self, timeline_id: TimelineId) -> TimelineResources {
5241 892 : let remote_client = self.build_timeline_remote_client(timeline_id);
5242 892 : self.get_timeline_resources_for(remote_client)
5243 892 : }
5244 :
5245 : /// Builds timeline resources for the given remote client.
5246 904 : fn get_timeline_resources_for(&self, remote_client: RemoteTimelineClient) -> TimelineResources {
5247 904 : TimelineResources {
5248 904 : remote_client,
5249 904 : pagestream_throttle: self.pagestream_throttle.clone(),
5250 904 : pagestream_throttle_metrics: self.pagestream_throttle_metrics.clone(),
5251 904 : l0_compaction_trigger: self.l0_compaction_trigger.clone(),
5252 904 : l0_flush_global_state: self.l0_flush_global_state.clone(),
5253 904 : }
5254 904 : }
5255 :
5256 : /// Creates intermediate timeline structure and its files.
5257 : ///
5258 : /// An empty layer map is initialized, and new data and WAL can be imported starting
5259 : /// at 'disk_consistent_lsn'. After any initial data has been imported, call
5260 : /// `finish_creation` to insert the Timeline into the timelines map.
5261 : #[allow(clippy::too_many_arguments)]
5262 892 : async fn prepare_new_timeline<'a>(
5263 892 : &'a self,
5264 892 : new_timeline_id: TimelineId,
5265 892 : new_metadata: &TimelineMetadata,
5266 892 : create_guard: TimelineCreateGuard,
5267 892 : start_lsn: Lsn,
5268 892 : ancestor: Option<Arc<Timeline>>,
5269 892 : rel_size_v2_status: Option<RelSizeMigration>,
5270 892 : ctx: &RequestContext,
5271 892 : ) -> anyhow::Result<(UninitializedTimeline<'a>, RequestContext)> {
5272 892 : let tenant_shard_id = self.tenant_shard_id;
5273 892 :
5274 892 : let resources = self.build_timeline_resources(new_timeline_id);
5275 892 : resources
5276 892 : .remote_client
5277 892 : .init_upload_queue_for_empty_remote(new_metadata, rel_size_v2_status.clone())?;
5278 :
5279 892 : let (timeline_struct, timeline_ctx) = self
5280 892 : .create_timeline_struct(
5281 892 : new_timeline_id,
5282 892 : new_metadata,
5283 892 : None,
5284 892 : ancestor,
5285 892 : resources,
5286 892 : CreateTimelineCause::Load,
5287 892 : create_guard.idempotency.clone(),
5288 892 : None,
5289 892 : rel_size_v2_status,
5290 892 : ctx,
5291 892 : )
5292 892 : .context("Failed to create timeline data structure")?;
5293 :
5294 892 : timeline_struct.init_empty_layer_map(start_lsn);
5295 :
5296 892 : if let Err(e) = self
5297 892 : .create_timeline_files(&create_guard.timeline_path)
5298 892 : .await
5299 : {
5300 0 : error!(
5301 0 : "Failed to create initial files for timeline {tenant_shard_id}/{new_timeline_id}, cleaning up: {e:?}"
5302 : );
5303 0 : cleanup_timeline_directory(create_guard);
5304 0 : return Err(e);
5305 892 : }
5306 892 :
5307 892 : debug!(
5308 0 : "Successfully created initial files for timeline {tenant_shard_id}/{new_timeline_id}"
5309 : );
5310 :
5311 892 : Ok((
5312 892 : UninitializedTimeline::new(
5313 892 : self,
5314 892 : new_timeline_id,
5315 892 : Some((timeline_struct, create_guard)),
5316 892 : ),
5317 892 : timeline_ctx,
5318 892 : ))
5319 892 : }
5320 :
5321 892 : async fn create_timeline_files(&self, timeline_path: &Utf8Path) -> anyhow::Result<()> {
5322 892 : crashsafe::create_dir(timeline_path).context("Failed to create timeline directory")?;
5323 :
5324 892 : fail::fail_point!("after-timeline-dir-creation", |_| {
5325 0 : anyhow::bail!("failpoint after-timeline-dir-creation");
5326 892 : });
5327 :
5328 892 : Ok(())
5329 892 : }
5330 :
5331 : /// Get a guard that provides exclusive access to the timeline directory, preventing
5332 : /// concurrent attempts to create the same timeline.
5333 : ///
5334 : /// The `allow_offloaded` parameter controls whether to tolerate the existence of
5335 : /// offloaded timelines or not.
5336 904 : fn create_timeline_create_guard(
5337 904 : self: &Arc<Self>,
5338 904 : timeline_id: TimelineId,
5339 904 : idempotency: CreateTimelineIdempotency,
5340 904 : allow_offloaded: bool,
5341 904 : ) -> Result<TimelineCreateGuard, TimelineExclusionError> {
5342 904 : let tenant_shard_id = self.tenant_shard_id;
5343 904 :
5344 904 : let timeline_path = self.conf.timeline_path(&tenant_shard_id, &timeline_id);
5345 :
5346 904 : let create_guard = TimelineCreateGuard::new(
5347 904 : self,
5348 904 : timeline_id,
5349 904 : timeline_path.clone(),
5350 904 : idempotency,
5351 904 : allow_offloaded,
5352 904 : )?;
5353 :
5354 : // At this stage, we have got exclusive access to in-memory state for this timeline ID
5355 : // for creation.
5356 : // A timeline directory should never exist on disk already:
5357 : // - a previous failed creation would have cleaned up after itself
5358 : // - a pageserver restart would clean up timeline directories that don't have valid remote state
5359 : //
5360 : // Therefore it is an unexpected internal error to encounter a timeline directory already existing here,
5361 : // this error may indicate a bug in cleanup on failed creations.
5362 900 : if timeline_path.exists() {
5363 0 : return Err(TimelineExclusionError::Other(anyhow::anyhow!(
5364 0 : "Timeline directory already exists! This is a bug."
5365 0 : )));
5366 900 : }
5367 900 :
5368 900 : Ok(create_guard)
5369 904 : }
5370 :
5371 : /// Gathers inputs from all of the timelines to produce a sizing model input.
5372 : ///
5373 : /// Future is cancellation safe. Only one calculation can be running at once per tenant.
5374 : #[instrument(skip_all, fields(tenant_id=%self.tenant_shard_id.tenant_id, shard_id=%self.tenant_shard_id.shard_slug()))]
5375 : pub async fn gather_size_inputs(
5376 : &self,
5377 : // `max_retention_period` overrides the cutoff that is used to calculate the size
5378 : // (only if it is shorter than the real cutoff).
5379 : max_retention_period: Option<u64>,
5380 : cause: LogicalSizeCalculationCause,
5381 : cancel: &CancellationToken,
5382 : ctx: &RequestContext,
5383 : ) -> Result<size::ModelInputs, size::CalculateSyntheticSizeError> {
5384 : let logical_sizes_at_once = self
5385 : .conf
5386 : .concurrent_tenant_size_logical_size_queries
5387 : .inner();
5388 :
5389 : // TODO: Having a single mutex block concurrent reads is not great for performance.
5390 : //
5391 : // But the only case where we need to run multiple of these at once is when we
5392 : // request a size for a tenant manually via API, while another background calculation
5393 : // is in progress (which is not a common case).
5394 : //
5395 : // See more for on the issue #2748 condenced out of the initial PR review.
5396 : let mut shared_cache = tokio::select! {
5397 : locked = self.cached_logical_sizes.lock() => locked,
5398 : _ = cancel.cancelled() => return Err(size::CalculateSyntheticSizeError::Cancelled),
5399 : _ = self.cancel.cancelled() => return Err(size::CalculateSyntheticSizeError::Cancelled),
5400 : };
5401 :
5402 : size::gather_inputs(
5403 : self,
5404 : logical_sizes_at_once,
5405 : max_retention_period,
5406 : &mut shared_cache,
5407 : cause,
5408 : cancel,
5409 : ctx,
5410 : )
5411 : .await
5412 : }
5413 :
5414 : /// Calculate synthetic tenant size and cache the result.
5415 : /// This is periodically called by background worker.
5416 : /// result is cached in tenant struct
5417 : #[instrument(skip_all, fields(tenant_id=%self.tenant_shard_id.tenant_id, shard_id=%self.tenant_shard_id.shard_slug()))]
5418 : pub async fn calculate_synthetic_size(
5419 : &self,
5420 : cause: LogicalSizeCalculationCause,
5421 : cancel: &CancellationToken,
5422 : ctx: &RequestContext,
5423 : ) -> Result<u64, size::CalculateSyntheticSizeError> {
5424 : let inputs = self.gather_size_inputs(None, cause, cancel, ctx).await?;
5425 :
5426 : let size = inputs.calculate();
5427 :
5428 : self.set_cached_synthetic_size(size);
5429 :
5430 : Ok(size)
5431 : }
5432 :
5433 : /// Cache given synthetic size and update the metric value
5434 0 : pub fn set_cached_synthetic_size(&self, size: u64) {
5435 0 : self.cached_synthetic_tenant_size
5436 0 : .store(size, Ordering::Relaxed);
5437 0 :
5438 0 : // Only shard zero should be calculating synthetic sizes
5439 0 : debug_assert!(self.shard_identity.is_shard_zero());
5440 :
5441 0 : TENANT_SYNTHETIC_SIZE_METRIC
5442 0 : .get_metric_with_label_values(&[&self.tenant_shard_id.tenant_id.to_string()])
5443 0 : .unwrap()
5444 0 : .set(size);
5445 0 : }
5446 :
5447 0 : pub fn cached_synthetic_size(&self) -> u64 {
5448 0 : self.cached_synthetic_tenant_size.load(Ordering::Relaxed)
5449 0 : }
5450 :
5451 : /// Flush any in-progress layers, schedule uploads, and wait for uploads to complete.
5452 : ///
5453 : /// This function can take a long time: callers should wrap it in a timeout if calling
5454 : /// from an external API handler.
5455 : ///
5456 : /// Cancel-safety: cancelling this function may leave I/O running, but such I/O is
5457 : /// still bounded by tenant/timeline shutdown.
5458 : #[tracing::instrument(skip_all)]
5459 : pub(crate) async fn flush_remote(&self) -> anyhow::Result<()> {
5460 : let timelines = self.timelines.lock().unwrap().clone();
5461 :
5462 0 : async fn flush_timeline(_gate: GateGuard, timeline: Arc<Timeline>) -> anyhow::Result<()> {
5463 0 : tracing::info!(timeline_id=%timeline.timeline_id, "Flushing...");
5464 0 : timeline.freeze_and_flush().await?;
5465 0 : tracing::info!(timeline_id=%timeline.timeline_id, "Waiting for uploads...");
5466 0 : timeline.remote_client.wait_completion().await?;
5467 :
5468 0 : Ok(())
5469 0 : }
5470 :
5471 : // We do not use a JoinSet for these tasks, because we don't want them to be
5472 : // aborted when this function's future is cancelled: they should stay alive
5473 : // holding their GateGuard until they complete, to ensure their I/Os complete
5474 : // before Timeline shutdown completes.
5475 : let mut results = FuturesUnordered::new();
5476 :
5477 : for (_timeline_id, timeline) in timelines {
5478 : // Run each timeline's flush in a task holding the timeline's gate: this
5479 : // means that if this function's future is cancelled, the Timeline shutdown
5480 : // will still wait for any I/O in here to complete.
5481 : let Ok(gate) = timeline.gate.enter() else {
5482 : continue;
5483 : };
5484 0 : let jh = tokio::task::spawn(async move { flush_timeline(gate, timeline).await });
5485 : results.push(jh);
5486 : }
5487 :
5488 : while let Some(r) = results.next().await {
5489 : if let Err(e) = r {
5490 : if !e.is_cancelled() && !e.is_panic() {
5491 : tracing::error!("unexpected join error: {e:?}");
5492 : }
5493 : }
5494 : }
5495 :
5496 : // The flushes we did above were just writes, but the Tenant might have had
5497 : // pending deletions as well from recent compaction/gc: we want to flush those
5498 : // as well. This requires flushing the global delete queue. This is cheap
5499 : // because it's typically a no-op.
5500 : match self.deletion_queue_client.flush_execute().await {
5501 : Ok(_) => {}
5502 : Err(DeletionQueueError::ShuttingDown) => {}
5503 : }
5504 :
5505 : Ok(())
5506 : }
5507 :
5508 0 : pub(crate) fn get_tenant_conf(&self) -> pageserver_api::models::TenantConfig {
5509 0 : self.tenant_conf.load().tenant_conf.clone()
5510 0 : }
5511 :
5512 : /// How much local storage would this tenant like to have? It can cope with
5513 : /// less than this (via eviction and on-demand downloads), but this function enables
5514 : /// the Tenant to advertise how much storage it would prefer to have to provide fast I/O
5515 : /// by keeping important things on local disk.
5516 : ///
5517 : /// This is a heuristic, not a guarantee: tenants that are long-idle will actually use less
5518 : /// than they report here, due to layer eviction. Tenants with many active branches may
5519 : /// actually use more than they report here.
5520 0 : pub(crate) fn local_storage_wanted(&self) -> u64 {
5521 0 : let timelines = self.timelines.lock().unwrap();
5522 0 :
5523 0 : // Heuristic: we use the max() of the timelines' visible sizes, rather than the sum. This
5524 0 : // reflects the observation that on tenants with multiple large branches, typically only one
5525 0 : // of them is used actively enough to occupy space on disk.
5526 0 : timelines
5527 0 : .values()
5528 0 : .map(|t| t.metrics.visible_physical_size_gauge.get())
5529 0 : .max()
5530 0 : .unwrap_or(0)
5531 0 : }
5532 :
5533 : /// Serialize and write the latest TenantManifest to remote storage.
5534 4 : pub(crate) async fn store_tenant_manifest(&self) -> Result<(), TenantManifestError> {
5535 : // Only one manifest write may be done at at time, and the contents of the manifest
5536 : // must be loaded while holding this lock. This makes it safe to call this function
5537 : // from anywhere without worrying about colliding updates.
5538 4 : let mut guard = tokio::select! {
5539 4 : g = self.tenant_manifest_upload.lock() => {
5540 4 : g
5541 : },
5542 4 : _ = self.cancel.cancelled() => {
5543 0 : return Err(TenantManifestError::Cancelled);
5544 : }
5545 : };
5546 :
5547 4 : let manifest = self.build_tenant_manifest();
5548 4 : if Some(&manifest) == (*guard).as_ref() {
5549 : // Optimisation: skip uploads that don't change anything.
5550 0 : return Ok(());
5551 4 : }
5552 4 :
5553 4 : // Remote storage does no retries internally, so wrap it
5554 4 : match backoff::retry(
5555 4 : || async {
5556 4 : upload_tenant_manifest(
5557 4 : &self.remote_storage,
5558 4 : &self.tenant_shard_id,
5559 4 : self.generation,
5560 4 : &manifest,
5561 4 : &self.cancel,
5562 4 : )
5563 4 : .await
5564 8 : },
5565 4 : |_e| self.cancel.is_cancelled(),
5566 4 : FAILED_UPLOAD_WARN_THRESHOLD,
5567 4 : FAILED_REMOTE_OP_RETRIES,
5568 4 : "uploading tenant manifest",
5569 4 : &self.cancel,
5570 4 : )
5571 4 : .await
5572 : {
5573 0 : None => Err(TenantManifestError::Cancelled),
5574 0 : Some(Err(_)) if self.cancel.is_cancelled() => Err(TenantManifestError::Cancelled),
5575 0 : Some(Err(e)) => Err(TenantManifestError::RemoteStorage(e)),
5576 : Some(Ok(_)) => {
5577 : // Store the successfully uploaded manifest, so that future callers can avoid
5578 : // re-uploading the same thing.
5579 4 : *guard = Some(manifest);
5580 4 :
5581 4 : Ok(())
5582 : }
5583 : }
5584 4 : }
5585 : }
5586 :
5587 : /// Create the cluster temporarily in 'initdbpath' directory inside the repository
5588 : /// to get bootstrap data for timeline initialization.
5589 0 : async fn run_initdb(
5590 0 : conf: &'static PageServerConf,
5591 0 : initdb_target_dir: &Utf8Path,
5592 0 : pg_version: u32,
5593 0 : cancel: &CancellationToken,
5594 0 : ) -> Result<(), InitdbError> {
5595 0 : let initdb_bin_path = conf
5596 0 : .pg_bin_dir(pg_version)
5597 0 : .map_err(InitdbError::Other)?
5598 0 : .join("initdb");
5599 0 : let initdb_lib_dir = conf.pg_lib_dir(pg_version).map_err(InitdbError::Other)?;
5600 0 : info!(
5601 0 : "running {} in {}, libdir: {}",
5602 : initdb_bin_path, initdb_target_dir, initdb_lib_dir,
5603 : );
5604 :
5605 0 : let _permit = {
5606 0 : let _timer = INITDB_SEMAPHORE_ACQUISITION_TIME.start_timer();
5607 0 : INIT_DB_SEMAPHORE.acquire().await
5608 : };
5609 :
5610 0 : CONCURRENT_INITDBS.inc();
5611 0 : scopeguard::defer! {
5612 0 : CONCURRENT_INITDBS.dec();
5613 0 : }
5614 0 :
5615 0 : let _timer = INITDB_RUN_TIME.start_timer();
5616 0 : let res = postgres_initdb::do_run_initdb(postgres_initdb::RunInitdbArgs {
5617 0 : superuser: &conf.superuser,
5618 0 : locale: &conf.locale,
5619 0 : initdb_bin: &initdb_bin_path,
5620 0 : pg_version,
5621 0 : library_search_path: &initdb_lib_dir,
5622 0 : pgdata: initdb_target_dir,
5623 0 : })
5624 0 : .await
5625 0 : .map_err(InitdbError::Inner);
5626 0 :
5627 0 : // This isn't true cancellation support, see above. Still return an error to
5628 0 : // excercise the cancellation code path.
5629 0 : if cancel.is_cancelled() {
5630 0 : return Err(InitdbError::Cancelled);
5631 0 : }
5632 0 :
5633 0 : res
5634 0 : }
5635 :
5636 : /// Dump contents of a layer file to stdout.
5637 0 : pub async fn dump_layerfile_from_path(
5638 0 : path: &Utf8Path,
5639 0 : verbose: bool,
5640 0 : ctx: &RequestContext,
5641 0 : ) -> anyhow::Result<()> {
5642 : use std::os::unix::fs::FileExt;
5643 :
5644 : // All layer files start with a two-byte "magic" value, to identify the kind of
5645 : // file.
5646 0 : let file = File::open(path)?;
5647 0 : let mut header_buf = [0u8; 2];
5648 0 : file.read_exact_at(&mut header_buf, 0)?;
5649 :
5650 0 : match u16::from_be_bytes(header_buf) {
5651 : crate::IMAGE_FILE_MAGIC => {
5652 0 : ImageLayer::new_for_path(path, file)?
5653 0 : .dump(verbose, ctx)
5654 0 : .await?
5655 : }
5656 : crate::DELTA_FILE_MAGIC => {
5657 0 : DeltaLayer::new_for_path(path, file)?
5658 0 : .dump(verbose, ctx)
5659 0 : .await?
5660 : }
5661 0 : magic => bail!("unrecognized magic identifier: {:?}", magic),
5662 : }
5663 :
5664 0 : Ok(())
5665 0 : }
5666 :
5667 : #[cfg(test)]
5668 : pub(crate) mod harness {
5669 : use bytes::{Bytes, BytesMut};
5670 : use hex_literal::hex;
5671 : use once_cell::sync::OnceCell;
5672 : use pageserver_api::key::Key;
5673 : use pageserver_api::models::ShardParameters;
5674 : use pageserver_api::record::NeonWalRecord;
5675 : use pageserver_api::shard::ShardIndex;
5676 : use utils::id::TenantId;
5677 : use utils::logging;
5678 :
5679 : use super::*;
5680 : use crate::deletion_queue::mock::MockDeletionQueue;
5681 : use crate::l0_flush::L0FlushConfig;
5682 : use crate::walredo::apply_neon;
5683 :
5684 : pub const TIMELINE_ID: TimelineId =
5685 : TimelineId::from_array(hex!("11223344556677881122334455667788"));
5686 : pub const NEW_TIMELINE_ID: TimelineId =
5687 : TimelineId::from_array(hex!("AA223344556677881122334455667788"));
5688 :
5689 : /// Convenience function to create a page image with given string as the only content
5690 10057596 : pub fn test_img(s: &str) -> Bytes {
5691 10057596 : let mut buf = BytesMut::new();
5692 10057596 : buf.extend_from_slice(s.as_bytes());
5693 10057596 : buf.resize(64, 0);
5694 10057596 :
5695 10057596 : buf.freeze()
5696 10057596 : }
5697 :
5698 : pub struct TenantHarness {
5699 : pub conf: &'static PageServerConf,
5700 : pub tenant_conf: pageserver_api::models::TenantConfig,
5701 : pub tenant_shard_id: TenantShardId,
5702 : pub generation: Generation,
5703 : pub shard: ShardIndex,
5704 : pub remote_storage: GenericRemoteStorage,
5705 : pub remote_fs_dir: Utf8PathBuf,
5706 : pub deletion_queue: MockDeletionQueue,
5707 : }
5708 :
5709 : static LOG_HANDLE: OnceCell<()> = OnceCell::new();
5710 :
5711 500 : pub(crate) fn setup_logging() {
5712 500 : LOG_HANDLE.get_or_init(|| {
5713 476 : logging::init(
5714 476 : logging::LogFormat::Test,
5715 476 : // enable it in case the tests exercise code paths that use
5716 476 : // debug_assert_current_span_has_tenant_and_timeline_id
5717 476 : logging::TracingErrorLayerEnablement::EnableWithRustLogFilter,
5718 476 : logging::Output::Stdout,
5719 476 : )
5720 476 : .expect("Failed to init test logging");
5721 500 : });
5722 500 : }
5723 :
5724 : impl TenantHarness {
5725 452 : pub async fn create_custom(
5726 452 : test_name: &'static str,
5727 452 : tenant_conf: pageserver_api::models::TenantConfig,
5728 452 : tenant_id: TenantId,
5729 452 : shard_identity: ShardIdentity,
5730 452 : generation: Generation,
5731 452 : ) -> anyhow::Result<Self> {
5732 452 : setup_logging();
5733 452 :
5734 452 : let repo_dir = PageServerConf::test_repo_dir(test_name);
5735 452 : let _ = fs::remove_dir_all(&repo_dir);
5736 452 : fs::create_dir_all(&repo_dir)?;
5737 :
5738 452 : let conf = PageServerConf::dummy_conf(repo_dir);
5739 452 : // Make a static copy of the config. This can never be free'd, but that's
5740 452 : // OK in a test.
5741 452 : let conf: &'static PageServerConf = Box::leak(Box::new(conf));
5742 452 :
5743 452 : let shard = shard_identity.shard_index();
5744 452 : let tenant_shard_id = TenantShardId {
5745 452 : tenant_id,
5746 452 : shard_number: shard.shard_number,
5747 452 : shard_count: shard.shard_count,
5748 452 : };
5749 452 : fs::create_dir_all(conf.tenant_path(&tenant_shard_id))?;
5750 452 : fs::create_dir_all(conf.timelines_path(&tenant_shard_id))?;
5751 :
5752 : use remote_storage::{RemoteStorageConfig, RemoteStorageKind};
5753 452 : let remote_fs_dir = conf.workdir.join("localfs");
5754 452 : std::fs::create_dir_all(&remote_fs_dir).unwrap();
5755 452 : let config = RemoteStorageConfig {
5756 452 : storage: RemoteStorageKind::LocalFs {
5757 452 : local_path: remote_fs_dir.clone(),
5758 452 : },
5759 452 : timeout: RemoteStorageConfig::DEFAULT_TIMEOUT,
5760 452 : small_timeout: RemoteStorageConfig::DEFAULT_SMALL_TIMEOUT,
5761 452 : };
5762 452 : let remote_storage = GenericRemoteStorage::from_config(&config).await.unwrap();
5763 452 : let deletion_queue = MockDeletionQueue::new(Some(remote_storage.clone()));
5764 452 :
5765 452 : Ok(Self {
5766 452 : conf,
5767 452 : tenant_conf,
5768 452 : tenant_shard_id,
5769 452 : generation,
5770 452 : shard,
5771 452 : remote_storage,
5772 452 : remote_fs_dir,
5773 452 : deletion_queue,
5774 452 : })
5775 452 : }
5776 :
5777 428 : pub async fn create(test_name: &'static str) -> anyhow::Result<Self> {
5778 428 : // Disable automatic GC and compaction to make the unit tests more deterministic.
5779 428 : // The tests perform them manually if needed.
5780 428 : let tenant_conf = pageserver_api::models::TenantConfig {
5781 428 : gc_period: Some(Duration::ZERO),
5782 428 : compaction_period: Some(Duration::ZERO),
5783 428 : ..Default::default()
5784 428 : };
5785 428 : let tenant_id = TenantId::generate();
5786 428 : let shard = ShardIdentity::unsharded();
5787 428 : Self::create_custom(
5788 428 : test_name,
5789 428 : tenant_conf,
5790 428 : tenant_id,
5791 428 : shard,
5792 428 : Generation::new(0xdeadbeef),
5793 428 : )
5794 428 : .await
5795 428 : }
5796 :
5797 40 : pub fn span(&self) -> tracing::Span {
5798 40 : info_span!("TenantHarness", tenant_id=%self.tenant_shard_id.tenant_id, shard_id=%self.tenant_shard_id.shard_slug())
5799 40 : }
5800 :
5801 452 : pub(crate) async fn load(&self) -> (Arc<Tenant>, RequestContext) {
5802 452 : let ctx = RequestContext::new(TaskKind::UnitTest, DownloadBehavior::Error)
5803 452 : .with_scope_unit_test();
5804 452 : (
5805 452 : self.do_try_load(&ctx)
5806 452 : .await
5807 452 : .expect("failed to load test tenant"),
5808 452 : ctx,
5809 452 : )
5810 452 : }
5811 :
5812 : #[instrument(skip_all, fields(tenant_id=%self.tenant_shard_id.tenant_id, shard_id=%self.tenant_shard_id.shard_slug()))]
5813 : pub(crate) async fn do_try_load(
5814 : &self,
5815 : ctx: &RequestContext,
5816 : ) -> anyhow::Result<Arc<Tenant>> {
5817 : let walredo_mgr = Arc::new(WalRedoManager::from(TestRedoManager));
5818 :
5819 : let tenant = Arc::new(Tenant::new(
5820 : TenantState::Attaching,
5821 : self.conf,
5822 : AttachedTenantConf::try_from(LocationConf::attached_single(
5823 : self.tenant_conf.clone(),
5824 : self.generation,
5825 : &ShardParameters::default(),
5826 : ))
5827 : .unwrap(),
5828 : // This is a legacy/test code path: sharding isn't supported here.
5829 : ShardIdentity::unsharded(),
5830 : Some(walredo_mgr),
5831 : self.tenant_shard_id,
5832 : self.remote_storage.clone(),
5833 : self.deletion_queue.new_client(),
5834 : // TODO: ideally we should run all unit tests with both configs
5835 : L0FlushGlobalState::new(L0FlushConfig::default()),
5836 : ));
5837 :
5838 : let preload = tenant
5839 : .preload(&self.remote_storage, CancellationToken::new())
5840 : .await?;
5841 : tenant.attach(Some(preload), ctx).await?;
5842 :
5843 : tenant.state.send_replace(TenantState::Active);
5844 : for timeline in tenant.timelines.lock().unwrap().values() {
5845 : timeline.set_state(TimelineState::Active);
5846 : }
5847 : Ok(tenant)
5848 : }
5849 :
5850 4 : pub fn timeline_path(&self, timeline_id: &TimelineId) -> Utf8PathBuf {
5851 4 : self.conf.timeline_path(&self.tenant_shard_id, timeline_id)
5852 4 : }
5853 : }
5854 :
5855 : // Mock WAL redo manager that doesn't do much
5856 : pub(crate) struct TestRedoManager;
5857 :
5858 : impl TestRedoManager {
5859 : /// # Cancel-Safety
5860 : ///
5861 : /// This method is cancellation-safe.
5862 1676 : pub async fn request_redo(
5863 1676 : &self,
5864 1676 : key: Key,
5865 1676 : lsn: Lsn,
5866 1676 : base_img: Option<(Lsn, Bytes)>,
5867 1676 : records: Vec<(Lsn, NeonWalRecord)>,
5868 1676 : _pg_version: u32,
5869 1676 : ) -> Result<Bytes, walredo::Error> {
5870 2472 : let records_neon = records.iter().all(|r| apply_neon::can_apply_in_neon(&r.1));
5871 1676 : if records_neon {
5872 : // For Neon wal records, we can decode without spawning postgres, so do so.
5873 1676 : let mut page = match (base_img, records.first()) {
5874 1536 : (Some((_lsn, img)), _) => {
5875 1536 : let mut page = BytesMut::new();
5876 1536 : page.extend_from_slice(&img);
5877 1536 : page
5878 : }
5879 140 : (_, Some((_lsn, rec))) if rec.will_init() => BytesMut::new(),
5880 : _ => {
5881 0 : panic!("Neon WAL redo requires base image or will init record");
5882 : }
5883 : };
5884 :
5885 4148 : for (record_lsn, record) in records {
5886 2472 : apply_neon::apply_in_neon(&record, record_lsn, key, &mut page)?;
5887 : }
5888 1676 : Ok(page.freeze())
5889 : } else {
5890 : // We never spawn a postgres walredo process in unit tests: just log what we might have done.
5891 0 : let s = format!(
5892 0 : "redo for {} to get to {}, with {} and {} records",
5893 0 : key,
5894 0 : lsn,
5895 0 : if base_img.is_some() {
5896 0 : "base image"
5897 : } else {
5898 0 : "no base image"
5899 : },
5900 0 : records.len()
5901 0 : );
5902 0 : println!("{s}");
5903 0 :
5904 0 : Ok(test_img(&s))
5905 : }
5906 1676 : }
5907 : }
5908 : }
5909 :
5910 : #[cfg(test)]
5911 : mod tests {
5912 : use std::collections::{BTreeMap, BTreeSet};
5913 :
5914 : use bytes::{Bytes, BytesMut};
5915 : use hex_literal::hex;
5916 : use itertools::Itertools;
5917 : #[cfg(feature = "testing")]
5918 : use models::CompactLsnRange;
5919 : use pageserver_api::key::{AUX_KEY_PREFIX, Key, NON_INHERITED_RANGE, RELATION_SIZE_PREFIX};
5920 : use pageserver_api::keyspace::KeySpace;
5921 : use pageserver_api::models::{CompactionAlgorithm, CompactionAlgorithmSettings};
5922 : #[cfg(feature = "testing")]
5923 : use pageserver_api::record::NeonWalRecord;
5924 : use pageserver_api::value::Value;
5925 : use pageserver_compaction::helpers::overlaps_with;
5926 : use rand::{Rng, thread_rng};
5927 : use storage_layer::{IoConcurrency, PersistentLayerKey};
5928 : use tests::storage_layer::ValuesReconstructState;
5929 : use tests::timeline::{GetVectoredError, ShutdownMode};
5930 : #[cfg(feature = "testing")]
5931 : use timeline::GcInfo;
5932 : #[cfg(feature = "testing")]
5933 : use timeline::InMemoryLayerTestDesc;
5934 : #[cfg(feature = "testing")]
5935 : use timeline::compaction::{KeyHistoryRetention, KeyLogAtLsn};
5936 : use timeline::{CompactOptions, DeltaLayerTestDesc};
5937 : use utils::id::TenantId;
5938 :
5939 : use super::*;
5940 : use crate::DEFAULT_PG_VERSION;
5941 : use crate::keyspace::KeySpaceAccum;
5942 : use crate::tenant::harness::*;
5943 : use crate::tenant::timeline::CompactFlags;
5944 :
5945 : static TEST_KEY: Lazy<Key> =
5946 36 : Lazy::new(|| Key::from_slice(&hex!("010000000033333333444444445500000001")));
5947 :
5948 : #[tokio::test]
5949 4 : async fn test_basic() -> anyhow::Result<()> {
5950 4 : let (tenant, ctx) = TenantHarness::create("test_basic").await?.load().await;
5951 4 : let tline = tenant
5952 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x08), DEFAULT_PG_VERSION, &ctx)
5953 4 : .await?;
5954 4 :
5955 4 : let mut writer = tline.writer().await;
5956 4 : writer
5957 4 : .put(
5958 4 : *TEST_KEY,
5959 4 : Lsn(0x10),
5960 4 : &Value::Image(test_img("foo at 0x10")),
5961 4 : &ctx,
5962 4 : )
5963 4 : .await?;
5964 4 : writer.finish_write(Lsn(0x10));
5965 4 : drop(writer);
5966 4 :
5967 4 : let mut writer = tline.writer().await;
5968 4 : writer
5969 4 : .put(
5970 4 : *TEST_KEY,
5971 4 : Lsn(0x20),
5972 4 : &Value::Image(test_img("foo at 0x20")),
5973 4 : &ctx,
5974 4 : )
5975 4 : .await?;
5976 4 : writer.finish_write(Lsn(0x20));
5977 4 : drop(writer);
5978 4 :
5979 4 : assert_eq!(
5980 4 : tline.get(*TEST_KEY, Lsn(0x10), &ctx).await?,
5981 4 : test_img("foo at 0x10")
5982 4 : );
5983 4 : assert_eq!(
5984 4 : tline.get(*TEST_KEY, Lsn(0x1f), &ctx).await?,
5985 4 : test_img("foo at 0x10")
5986 4 : );
5987 4 : assert_eq!(
5988 4 : tline.get(*TEST_KEY, Lsn(0x20), &ctx).await?,
5989 4 : test_img("foo at 0x20")
5990 4 : );
5991 4 :
5992 4 : Ok(())
5993 4 : }
5994 :
5995 : #[tokio::test]
5996 4 : async fn no_duplicate_timelines() -> anyhow::Result<()> {
5997 4 : let (tenant, ctx) = TenantHarness::create("no_duplicate_timelines")
5998 4 : .await?
5999 4 : .load()
6000 4 : .await;
6001 4 : let _ = tenant
6002 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
6003 4 : .await?;
6004 4 :
6005 4 : match tenant
6006 4 : .create_empty_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
6007 4 : .await
6008 4 : {
6009 4 : Ok(_) => panic!("duplicate timeline creation should fail"),
6010 4 : Err(e) => assert_eq!(
6011 4 : e.to_string(),
6012 4 : "timeline already exists with different parameters".to_string()
6013 4 : ),
6014 4 : }
6015 4 :
6016 4 : Ok(())
6017 4 : }
6018 :
6019 : /// Convenience function to create a page image with given string as the only content
6020 20 : pub fn test_value(s: &str) -> Value {
6021 20 : let mut buf = BytesMut::new();
6022 20 : buf.extend_from_slice(s.as_bytes());
6023 20 : Value::Image(buf.freeze())
6024 20 : }
6025 :
6026 : ///
6027 : /// Test branch creation
6028 : ///
6029 : #[tokio::test]
6030 4 : async fn test_branch() -> anyhow::Result<()> {
6031 4 : use std::str::from_utf8;
6032 4 :
6033 4 : let (tenant, ctx) = TenantHarness::create("test_branch").await?.load().await;
6034 4 : let tline = tenant
6035 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
6036 4 : .await?;
6037 4 : let mut writer = tline.writer().await;
6038 4 :
6039 4 : #[allow(non_snake_case)]
6040 4 : let TEST_KEY_A: Key = Key::from_hex("110000000033333333444444445500000001").unwrap();
6041 4 : #[allow(non_snake_case)]
6042 4 : let TEST_KEY_B: Key = Key::from_hex("110000000033333333444444445500000002").unwrap();
6043 4 :
6044 4 : // Insert a value on the timeline
6045 4 : writer
6046 4 : .put(TEST_KEY_A, Lsn(0x20), &test_value("foo at 0x20"), &ctx)
6047 4 : .await?;
6048 4 : writer
6049 4 : .put(TEST_KEY_B, Lsn(0x20), &test_value("foobar at 0x20"), &ctx)
6050 4 : .await?;
6051 4 : writer.finish_write(Lsn(0x20));
6052 4 :
6053 4 : writer
6054 4 : .put(TEST_KEY_A, Lsn(0x30), &test_value("foo at 0x30"), &ctx)
6055 4 : .await?;
6056 4 : writer.finish_write(Lsn(0x30));
6057 4 : writer
6058 4 : .put(TEST_KEY_A, Lsn(0x40), &test_value("foo at 0x40"), &ctx)
6059 4 : .await?;
6060 4 : writer.finish_write(Lsn(0x40));
6061 4 :
6062 4 : //assert_current_logical_size(&tline, Lsn(0x40));
6063 4 :
6064 4 : // Branch the history, modify relation differently on the new timeline
6065 4 : tenant
6066 4 : .branch_timeline_test(&tline, NEW_TIMELINE_ID, Some(Lsn(0x30)), &ctx)
6067 4 : .await?;
6068 4 : let newtline = tenant
6069 4 : .get_timeline(NEW_TIMELINE_ID, true)
6070 4 : .expect("Should have a local timeline");
6071 4 : let mut new_writer = newtline.writer().await;
6072 4 : new_writer
6073 4 : .put(TEST_KEY_A, Lsn(0x40), &test_value("bar at 0x40"), &ctx)
6074 4 : .await?;
6075 4 : new_writer.finish_write(Lsn(0x40));
6076 4 :
6077 4 : // Check page contents on both branches
6078 4 : assert_eq!(
6079 4 : from_utf8(&tline.get(TEST_KEY_A, Lsn(0x40), &ctx).await?)?,
6080 4 : "foo at 0x40"
6081 4 : );
6082 4 : assert_eq!(
6083 4 : from_utf8(&newtline.get(TEST_KEY_A, Lsn(0x40), &ctx).await?)?,
6084 4 : "bar at 0x40"
6085 4 : );
6086 4 : assert_eq!(
6087 4 : from_utf8(&newtline.get(TEST_KEY_B, Lsn(0x40), &ctx).await?)?,
6088 4 : "foobar at 0x20"
6089 4 : );
6090 4 :
6091 4 : //assert_current_logical_size(&tline, Lsn(0x40));
6092 4 :
6093 4 : Ok(())
6094 4 : }
6095 :
6096 40 : async fn make_some_layers(
6097 40 : tline: &Timeline,
6098 40 : start_lsn: Lsn,
6099 40 : ctx: &RequestContext,
6100 40 : ) -> anyhow::Result<()> {
6101 40 : let mut lsn = start_lsn;
6102 : {
6103 40 : let mut writer = tline.writer().await;
6104 : // Create a relation on the timeline
6105 40 : writer
6106 40 : .put(
6107 40 : *TEST_KEY,
6108 40 : lsn,
6109 40 : &Value::Image(test_img(&format!("foo at {}", lsn))),
6110 40 : ctx,
6111 40 : )
6112 40 : .await?;
6113 40 : writer.finish_write(lsn);
6114 40 : lsn += 0x10;
6115 40 : writer
6116 40 : .put(
6117 40 : *TEST_KEY,
6118 40 : lsn,
6119 40 : &Value::Image(test_img(&format!("foo at {}", lsn))),
6120 40 : ctx,
6121 40 : )
6122 40 : .await?;
6123 40 : writer.finish_write(lsn);
6124 40 : lsn += 0x10;
6125 40 : }
6126 40 : tline.freeze_and_flush().await?;
6127 : {
6128 40 : let mut writer = tline.writer().await;
6129 40 : writer
6130 40 : .put(
6131 40 : *TEST_KEY,
6132 40 : lsn,
6133 40 : &Value::Image(test_img(&format!("foo at {}", lsn))),
6134 40 : ctx,
6135 40 : )
6136 40 : .await?;
6137 40 : writer.finish_write(lsn);
6138 40 : lsn += 0x10;
6139 40 : writer
6140 40 : .put(
6141 40 : *TEST_KEY,
6142 40 : lsn,
6143 40 : &Value::Image(test_img(&format!("foo at {}", lsn))),
6144 40 : ctx,
6145 40 : )
6146 40 : .await?;
6147 40 : writer.finish_write(lsn);
6148 40 : }
6149 40 : tline.freeze_and_flush().await.map_err(|e| e.into())
6150 40 : }
6151 :
6152 : #[tokio::test(start_paused = true)]
6153 4 : async fn test_prohibit_branch_creation_on_garbage_collected_data() -> anyhow::Result<()> {
6154 4 : let (tenant, ctx) =
6155 4 : TenantHarness::create("test_prohibit_branch_creation_on_garbage_collected_data")
6156 4 : .await?
6157 4 : .load()
6158 4 : .await;
6159 4 : // Advance to the lsn lease deadline so that GC is not blocked by
6160 4 : // initial transition into AttachedSingle.
6161 4 : tokio::time::advance(tenant.get_lsn_lease_length()).await;
6162 4 : tokio::time::resume();
6163 4 : let tline = tenant
6164 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
6165 4 : .await?;
6166 4 : make_some_layers(tline.as_ref(), Lsn(0x20), &ctx).await?;
6167 4 :
6168 4 : // this removes layers before lsn 40 (50 minus 10), so there are two remaining layers, image and delta for 31-50
6169 4 : // FIXME: this doesn't actually remove any layer currently, given how the flushing
6170 4 : // and compaction works. But it does set the 'cutoff' point so that the cross check
6171 4 : // below should fail.
6172 4 : tenant
6173 4 : .gc_iteration(
6174 4 : Some(TIMELINE_ID),
6175 4 : 0x10,
6176 4 : Duration::ZERO,
6177 4 : &CancellationToken::new(),
6178 4 : &ctx,
6179 4 : )
6180 4 : .await?;
6181 4 :
6182 4 : // try to branch at lsn 25, should fail because we already garbage collected the data
6183 4 : match tenant
6184 4 : .branch_timeline_test(&tline, NEW_TIMELINE_ID, Some(Lsn(0x25)), &ctx)
6185 4 : .await
6186 4 : {
6187 4 : Ok(_) => panic!("branching should have failed"),
6188 4 : Err(err) => {
6189 4 : let CreateTimelineError::AncestorLsn(err) = err else {
6190 4 : panic!("wrong error type")
6191 4 : };
6192 4 : assert!(err.to_string().contains("invalid branch start lsn"));
6193 4 : assert!(
6194 4 : err.source()
6195 4 : .unwrap()
6196 4 : .to_string()
6197 4 : .contains("we might've already garbage collected needed data")
6198 4 : )
6199 4 : }
6200 4 : }
6201 4 :
6202 4 : Ok(())
6203 4 : }
6204 :
6205 : #[tokio::test]
6206 4 : async fn test_prohibit_branch_creation_on_pre_initdb_lsn() -> anyhow::Result<()> {
6207 4 : let (tenant, ctx) =
6208 4 : TenantHarness::create("test_prohibit_branch_creation_on_pre_initdb_lsn")
6209 4 : .await?
6210 4 : .load()
6211 4 : .await;
6212 4 :
6213 4 : let tline = tenant
6214 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x50), DEFAULT_PG_VERSION, &ctx)
6215 4 : .await?;
6216 4 : // try to branch at lsn 0x25, should fail because initdb lsn is 0x50
6217 4 : match tenant
6218 4 : .branch_timeline_test(&tline, NEW_TIMELINE_ID, Some(Lsn(0x25)), &ctx)
6219 4 : .await
6220 4 : {
6221 4 : Ok(_) => panic!("branching should have failed"),
6222 4 : Err(err) => {
6223 4 : let CreateTimelineError::AncestorLsn(err) = err else {
6224 4 : panic!("wrong error type");
6225 4 : };
6226 4 : assert!(&err.to_string().contains("invalid branch start lsn"));
6227 4 : assert!(
6228 4 : &err.source()
6229 4 : .unwrap()
6230 4 : .to_string()
6231 4 : .contains("is earlier than latest GC cutoff")
6232 4 : );
6233 4 : }
6234 4 : }
6235 4 :
6236 4 : Ok(())
6237 4 : }
6238 :
6239 : /*
6240 : // FIXME: This currently fails to error out. Calling GC doesn't currently
6241 : // remove the old value, we'd need to work a little harder
6242 : #[tokio::test]
6243 : async fn test_prohibit_get_for_garbage_collected_data() -> anyhow::Result<()> {
6244 : let repo =
6245 : RepoHarness::create("test_prohibit_get_for_garbage_collected_data")?
6246 : .load();
6247 :
6248 : let tline = repo.create_empty_timeline(TIMELINE_ID, Lsn(0), DEFAULT_PG_VERSION)?;
6249 : make_some_layers(tline.as_ref(), Lsn(0x20), &ctx).await?;
6250 :
6251 : repo.gc_iteration(Some(TIMELINE_ID), 0x10, Duration::ZERO)?;
6252 : let applied_gc_cutoff_lsn = tline.get_applied_gc_cutoff_lsn();
6253 : assert!(*applied_gc_cutoff_lsn > Lsn(0x25));
6254 : match tline.get(*TEST_KEY, Lsn(0x25)) {
6255 : Ok(_) => panic!("request for page should have failed"),
6256 : Err(err) => assert!(err.to_string().contains("not found at")),
6257 : }
6258 : Ok(())
6259 : }
6260 : */
6261 :
6262 : #[tokio::test]
6263 4 : async fn test_get_branchpoints_from_an_inactive_timeline() -> anyhow::Result<()> {
6264 4 : let (tenant, ctx) =
6265 4 : TenantHarness::create("test_get_branchpoints_from_an_inactive_timeline")
6266 4 : .await?
6267 4 : .load()
6268 4 : .await;
6269 4 : let tline = tenant
6270 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
6271 4 : .await?;
6272 4 : make_some_layers(tline.as_ref(), Lsn(0x20), &ctx).await?;
6273 4 :
6274 4 : tenant
6275 4 : .branch_timeline_test(&tline, NEW_TIMELINE_ID, Some(Lsn(0x40)), &ctx)
6276 4 : .await?;
6277 4 : let newtline = tenant
6278 4 : .get_timeline(NEW_TIMELINE_ID, true)
6279 4 : .expect("Should have a local timeline");
6280 4 :
6281 4 : make_some_layers(newtline.as_ref(), Lsn(0x60), &ctx).await?;
6282 4 :
6283 4 : tline.set_broken("test".to_owned());
6284 4 :
6285 4 : tenant
6286 4 : .gc_iteration(
6287 4 : Some(TIMELINE_ID),
6288 4 : 0x10,
6289 4 : Duration::ZERO,
6290 4 : &CancellationToken::new(),
6291 4 : &ctx,
6292 4 : )
6293 4 : .await?;
6294 4 :
6295 4 : // The branchpoints should contain all timelines, even ones marked
6296 4 : // as Broken.
6297 4 : {
6298 4 : let branchpoints = &tline.gc_info.read().unwrap().retain_lsns;
6299 4 : assert_eq!(branchpoints.len(), 1);
6300 4 : assert_eq!(
6301 4 : branchpoints[0],
6302 4 : (Lsn(0x40), NEW_TIMELINE_ID, MaybeOffloaded::No)
6303 4 : );
6304 4 : }
6305 4 :
6306 4 : // You can read the key from the child branch even though the parent is
6307 4 : // Broken, as long as you don't need to access data from the parent.
6308 4 : assert_eq!(
6309 4 : newtline.get(*TEST_KEY, Lsn(0x70), &ctx).await?,
6310 4 : test_img(&format!("foo at {}", Lsn(0x70)))
6311 4 : );
6312 4 :
6313 4 : // This needs to traverse to the parent, and fails.
6314 4 : let err = newtline.get(*TEST_KEY, Lsn(0x50), &ctx).await.unwrap_err();
6315 4 : assert!(
6316 4 : err.to_string().starts_with(&format!(
6317 4 : "bad state on timeline {}: Broken",
6318 4 : tline.timeline_id
6319 4 : )),
6320 4 : "{err}"
6321 4 : );
6322 4 :
6323 4 : Ok(())
6324 4 : }
6325 :
6326 : #[tokio::test]
6327 4 : async fn test_retain_data_in_parent_which_is_needed_for_child() -> anyhow::Result<()> {
6328 4 : let (tenant, ctx) =
6329 4 : TenantHarness::create("test_retain_data_in_parent_which_is_needed_for_child")
6330 4 : .await?
6331 4 : .load()
6332 4 : .await;
6333 4 : let tline = tenant
6334 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
6335 4 : .await?;
6336 4 : make_some_layers(tline.as_ref(), Lsn(0x20), &ctx).await?;
6337 4 :
6338 4 : tenant
6339 4 : .branch_timeline_test(&tline, NEW_TIMELINE_ID, Some(Lsn(0x40)), &ctx)
6340 4 : .await?;
6341 4 : let newtline = tenant
6342 4 : .get_timeline(NEW_TIMELINE_ID, true)
6343 4 : .expect("Should have a local timeline");
6344 4 : // this removes layers before lsn 40 (50 minus 10), so there are two remaining layers, image and delta for 31-50
6345 4 : tenant
6346 4 : .gc_iteration(
6347 4 : Some(TIMELINE_ID),
6348 4 : 0x10,
6349 4 : Duration::ZERO,
6350 4 : &CancellationToken::new(),
6351 4 : &ctx,
6352 4 : )
6353 4 : .await?;
6354 4 : assert!(newtline.get(*TEST_KEY, Lsn(0x25), &ctx).await.is_ok());
6355 4 :
6356 4 : Ok(())
6357 4 : }
6358 : #[tokio::test]
6359 4 : async fn test_parent_keeps_data_forever_after_branching() -> anyhow::Result<()> {
6360 4 : let (tenant, ctx) = TenantHarness::create("test_parent_keeps_data_forever_after_branching")
6361 4 : .await?
6362 4 : .load()
6363 4 : .await;
6364 4 : let tline = tenant
6365 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
6366 4 : .await?;
6367 4 : make_some_layers(tline.as_ref(), Lsn(0x20), &ctx).await?;
6368 4 :
6369 4 : tenant
6370 4 : .branch_timeline_test(&tline, NEW_TIMELINE_ID, Some(Lsn(0x40)), &ctx)
6371 4 : .await?;
6372 4 : let newtline = tenant
6373 4 : .get_timeline(NEW_TIMELINE_ID, true)
6374 4 : .expect("Should have a local timeline");
6375 4 :
6376 4 : make_some_layers(newtline.as_ref(), Lsn(0x60), &ctx).await?;
6377 4 :
6378 4 : // run gc on parent
6379 4 : tenant
6380 4 : .gc_iteration(
6381 4 : Some(TIMELINE_ID),
6382 4 : 0x10,
6383 4 : Duration::ZERO,
6384 4 : &CancellationToken::new(),
6385 4 : &ctx,
6386 4 : )
6387 4 : .await?;
6388 4 :
6389 4 : // Check that the data is still accessible on the branch.
6390 4 : assert_eq!(
6391 4 : newtline.get(*TEST_KEY, Lsn(0x50), &ctx).await?,
6392 4 : test_img(&format!("foo at {}", Lsn(0x40)))
6393 4 : );
6394 4 :
6395 4 : Ok(())
6396 4 : }
6397 :
6398 : #[tokio::test]
6399 4 : async fn timeline_load() -> anyhow::Result<()> {
6400 4 : const TEST_NAME: &str = "timeline_load";
6401 4 : let harness = TenantHarness::create(TEST_NAME).await?;
6402 4 : {
6403 4 : let (tenant, ctx) = harness.load().await;
6404 4 : let tline = tenant
6405 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x7000), DEFAULT_PG_VERSION, &ctx)
6406 4 : .await?;
6407 4 : make_some_layers(tline.as_ref(), Lsn(0x8000), &ctx).await?;
6408 4 : // so that all uploads finish & we can call harness.load() below again
6409 4 : tenant
6410 4 : .shutdown(Default::default(), ShutdownMode::FreezeAndFlush)
6411 4 : .instrument(harness.span())
6412 4 : .await
6413 4 : .ok()
6414 4 : .unwrap();
6415 4 : }
6416 4 :
6417 4 : let (tenant, _ctx) = harness.load().await;
6418 4 : tenant
6419 4 : .get_timeline(TIMELINE_ID, true)
6420 4 : .expect("cannot load timeline");
6421 4 :
6422 4 : Ok(())
6423 4 : }
6424 :
6425 : #[tokio::test]
6426 4 : async fn timeline_load_with_ancestor() -> anyhow::Result<()> {
6427 4 : const TEST_NAME: &str = "timeline_load_with_ancestor";
6428 4 : let harness = TenantHarness::create(TEST_NAME).await?;
6429 4 : // create two timelines
6430 4 : {
6431 4 : let (tenant, ctx) = harness.load().await;
6432 4 : let tline = tenant
6433 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
6434 4 : .await?;
6435 4 :
6436 4 : make_some_layers(tline.as_ref(), Lsn(0x20), &ctx).await?;
6437 4 :
6438 4 : let child_tline = tenant
6439 4 : .branch_timeline_test(&tline, NEW_TIMELINE_ID, Some(Lsn(0x40)), &ctx)
6440 4 : .await?;
6441 4 : child_tline.set_state(TimelineState::Active);
6442 4 :
6443 4 : let newtline = tenant
6444 4 : .get_timeline(NEW_TIMELINE_ID, true)
6445 4 : .expect("Should have a local timeline");
6446 4 :
6447 4 : make_some_layers(newtline.as_ref(), Lsn(0x60), &ctx).await?;
6448 4 :
6449 4 : // so that all uploads finish & we can call harness.load() below again
6450 4 : tenant
6451 4 : .shutdown(Default::default(), ShutdownMode::FreezeAndFlush)
6452 4 : .instrument(harness.span())
6453 4 : .await
6454 4 : .ok()
6455 4 : .unwrap();
6456 4 : }
6457 4 :
6458 4 : // check that both of them are initially unloaded
6459 4 : let (tenant, _ctx) = harness.load().await;
6460 4 :
6461 4 : // check that both, child and ancestor are loaded
6462 4 : let _child_tline = tenant
6463 4 : .get_timeline(NEW_TIMELINE_ID, true)
6464 4 : .expect("cannot get child timeline loaded");
6465 4 :
6466 4 : let _ancestor_tline = tenant
6467 4 : .get_timeline(TIMELINE_ID, true)
6468 4 : .expect("cannot get ancestor timeline loaded");
6469 4 :
6470 4 : Ok(())
6471 4 : }
6472 :
6473 : #[tokio::test]
6474 4 : async fn delta_layer_dumping() -> anyhow::Result<()> {
6475 4 : use storage_layer::AsLayerDesc;
6476 4 : let (tenant, ctx) = TenantHarness::create("test_layer_dumping")
6477 4 : .await?
6478 4 : .load()
6479 4 : .await;
6480 4 : let tline = tenant
6481 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
6482 4 : .await?;
6483 4 : make_some_layers(tline.as_ref(), Lsn(0x20), &ctx).await?;
6484 4 :
6485 4 : let layer_map = tline.layers.read().await;
6486 4 : let level0_deltas = layer_map
6487 4 : .layer_map()?
6488 4 : .level0_deltas()
6489 4 : .iter()
6490 8 : .map(|desc| layer_map.get_from_desc(desc))
6491 4 : .collect::<Vec<_>>();
6492 4 :
6493 4 : assert!(!level0_deltas.is_empty());
6494 4 :
6495 12 : for delta in level0_deltas {
6496 4 : // Ensure we are dumping a delta layer here
6497 8 : assert!(delta.layer_desc().is_delta);
6498 8 : delta.dump(true, &ctx).await.unwrap();
6499 4 : }
6500 4 :
6501 4 : Ok(())
6502 4 : }
6503 :
6504 : #[tokio::test]
6505 4 : async fn test_images() -> anyhow::Result<()> {
6506 4 : let (tenant, ctx) = TenantHarness::create("test_images").await?.load().await;
6507 4 : let tline = tenant
6508 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x08), DEFAULT_PG_VERSION, &ctx)
6509 4 : .await?;
6510 4 :
6511 4 : let mut writer = tline.writer().await;
6512 4 : writer
6513 4 : .put(
6514 4 : *TEST_KEY,
6515 4 : Lsn(0x10),
6516 4 : &Value::Image(test_img("foo at 0x10")),
6517 4 : &ctx,
6518 4 : )
6519 4 : .await?;
6520 4 : writer.finish_write(Lsn(0x10));
6521 4 : drop(writer);
6522 4 :
6523 4 : tline.freeze_and_flush().await?;
6524 4 : tline
6525 4 : .compact(
6526 4 : &CancellationToken::new(),
6527 4 : CompactFlags::NoYield.into(),
6528 4 : &ctx,
6529 4 : )
6530 4 : .await?;
6531 4 :
6532 4 : let mut writer = tline.writer().await;
6533 4 : writer
6534 4 : .put(
6535 4 : *TEST_KEY,
6536 4 : Lsn(0x20),
6537 4 : &Value::Image(test_img("foo at 0x20")),
6538 4 : &ctx,
6539 4 : )
6540 4 : .await?;
6541 4 : writer.finish_write(Lsn(0x20));
6542 4 : drop(writer);
6543 4 :
6544 4 : tline.freeze_and_flush().await?;
6545 4 : tline
6546 4 : .compact(
6547 4 : &CancellationToken::new(),
6548 4 : CompactFlags::NoYield.into(),
6549 4 : &ctx,
6550 4 : )
6551 4 : .await?;
6552 4 :
6553 4 : let mut writer = tline.writer().await;
6554 4 : writer
6555 4 : .put(
6556 4 : *TEST_KEY,
6557 4 : Lsn(0x30),
6558 4 : &Value::Image(test_img("foo at 0x30")),
6559 4 : &ctx,
6560 4 : )
6561 4 : .await?;
6562 4 : writer.finish_write(Lsn(0x30));
6563 4 : drop(writer);
6564 4 :
6565 4 : tline.freeze_and_flush().await?;
6566 4 : tline
6567 4 : .compact(
6568 4 : &CancellationToken::new(),
6569 4 : CompactFlags::NoYield.into(),
6570 4 : &ctx,
6571 4 : )
6572 4 : .await?;
6573 4 :
6574 4 : let mut writer = tline.writer().await;
6575 4 : writer
6576 4 : .put(
6577 4 : *TEST_KEY,
6578 4 : Lsn(0x40),
6579 4 : &Value::Image(test_img("foo at 0x40")),
6580 4 : &ctx,
6581 4 : )
6582 4 : .await?;
6583 4 : writer.finish_write(Lsn(0x40));
6584 4 : drop(writer);
6585 4 :
6586 4 : tline.freeze_and_flush().await?;
6587 4 : tline
6588 4 : .compact(
6589 4 : &CancellationToken::new(),
6590 4 : CompactFlags::NoYield.into(),
6591 4 : &ctx,
6592 4 : )
6593 4 : .await?;
6594 4 :
6595 4 : assert_eq!(
6596 4 : tline.get(*TEST_KEY, Lsn(0x10), &ctx).await?,
6597 4 : test_img("foo at 0x10")
6598 4 : );
6599 4 : assert_eq!(
6600 4 : tline.get(*TEST_KEY, Lsn(0x1f), &ctx).await?,
6601 4 : test_img("foo at 0x10")
6602 4 : );
6603 4 : assert_eq!(
6604 4 : tline.get(*TEST_KEY, Lsn(0x20), &ctx).await?,
6605 4 : test_img("foo at 0x20")
6606 4 : );
6607 4 : assert_eq!(
6608 4 : tline.get(*TEST_KEY, Lsn(0x30), &ctx).await?,
6609 4 : test_img("foo at 0x30")
6610 4 : );
6611 4 : assert_eq!(
6612 4 : tline.get(*TEST_KEY, Lsn(0x40), &ctx).await?,
6613 4 : test_img("foo at 0x40")
6614 4 : );
6615 4 :
6616 4 : Ok(())
6617 4 : }
6618 :
6619 8 : async fn bulk_insert_compact_gc(
6620 8 : tenant: &Tenant,
6621 8 : timeline: &Arc<Timeline>,
6622 8 : ctx: &RequestContext,
6623 8 : lsn: Lsn,
6624 8 : repeat: usize,
6625 8 : key_count: usize,
6626 8 : ) -> anyhow::Result<HashMap<Key, BTreeSet<Lsn>>> {
6627 8 : let compact = true;
6628 8 : bulk_insert_maybe_compact_gc(tenant, timeline, ctx, lsn, repeat, key_count, compact).await
6629 8 : }
6630 :
6631 16 : async fn bulk_insert_maybe_compact_gc(
6632 16 : tenant: &Tenant,
6633 16 : timeline: &Arc<Timeline>,
6634 16 : ctx: &RequestContext,
6635 16 : mut lsn: Lsn,
6636 16 : repeat: usize,
6637 16 : key_count: usize,
6638 16 : compact: bool,
6639 16 : ) -> anyhow::Result<HashMap<Key, BTreeSet<Lsn>>> {
6640 16 : let mut inserted: HashMap<Key, BTreeSet<Lsn>> = Default::default();
6641 16 :
6642 16 : let mut test_key = Key::from_hex("010000000033333333444444445500000000").unwrap();
6643 16 : let mut blknum = 0;
6644 16 :
6645 16 : // Enforce that key range is monotonously increasing
6646 16 : let mut keyspace = KeySpaceAccum::new();
6647 16 :
6648 16 : let cancel = CancellationToken::new();
6649 16 :
6650 16 : for _ in 0..repeat {
6651 800 : for _ in 0..key_count {
6652 8000000 : test_key.field6 = blknum;
6653 8000000 : let mut writer = timeline.writer().await;
6654 8000000 : writer
6655 8000000 : .put(
6656 8000000 : test_key,
6657 8000000 : lsn,
6658 8000000 : &Value::Image(test_img(&format!("{} at {}", blknum, lsn))),
6659 8000000 : ctx,
6660 8000000 : )
6661 8000000 : .await?;
6662 8000000 : inserted.entry(test_key).or_default().insert(lsn);
6663 8000000 : writer.finish_write(lsn);
6664 8000000 : drop(writer);
6665 8000000 :
6666 8000000 : keyspace.add_key(test_key);
6667 8000000 :
6668 8000000 : lsn = Lsn(lsn.0 + 0x10);
6669 8000000 : blknum += 1;
6670 : }
6671 :
6672 800 : timeline.freeze_and_flush().await?;
6673 800 : if compact {
6674 : // this requires timeline to be &Arc<Timeline>
6675 400 : timeline
6676 400 : .compact(&cancel, CompactFlags::NoYield.into(), ctx)
6677 400 : .await?;
6678 400 : }
6679 :
6680 : // this doesn't really need to use the timeline_id target, but it is closer to what it
6681 : // originally was.
6682 800 : let res = tenant
6683 800 : .gc_iteration(Some(timeline.timeline_id), 0, Duration::ZERO, &cancel, ctx)
6684 800 : .await?;
6685 :
6686 800 : assert_eq!(res.layers_removed, 0, "this never removes anything");
6687 : }
6688 :
6689 16 : Ok(inserted)
6690 16 : }
6691 :
6692 : //
6693 : // Insert 1000 key-value pairs with increasing keys, flush, compact, GC.
6694 : // Repeat 50 times.
6695 : //
6696 : #[tokio::test]
6697 4 : async fn test_bulk_insert() -> anyhow::Result<()> {
6698 4 : let harness = TenantHarness::create("test_bulk_insert").await?;
6699 4 : let (tenant, ctx) = harness.load().await;
6700 4 : let tline = tenant
6701 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x08), DEFAULT_PG_VERSION, &ctx)
6702 4 : .await?;
6703 4 :
6704 4 : let lsn = Lsn(0x10);
6705 4 : bulk_insert_compact_gc(&tenant, &tline, &ctx, lsn, 50, 10000).await?;
6706 4 :
6707 4 : Ok(())
6708 4 : }
6709 :
6710 : // Test the vectored get real implementation against a simple sequential implementation.
6711 : //
6712 : // The test generates a keyspace by repeatedly flushing the in-memory layer and compacting.
6713 : // Projected to 2D the key space looks like below. Lsn grows upwards on the Y axis and keys
6714 : // grow to the right on the X axis.
6715 : // [Delta]
6716 : // [Delta]
6717 : // [Delta]
6718 : // [Delta]
6719 : // ------------ Image ---------------
6720 : //
6721 : // After layer generation we pick the ranges to query as follows:
6722 : // 1. The beginning of each delta layer
6723 : // 2. At the seam between two adjacent delta layers
6724 : //
6725 : // There's one major downside to this test: delta layers only contains images,
6726 : // so the search can stop at the first delta layer and doesn't traverse any deeper.
6727 : #[tokio::test]
6728 4 : async fn test_get_vectored() -> anyhow::Result<()> {
6729 4 : let harness = TenantHarness::create("test_get_vectored").await?;
6730 4 : let (tenant, ctx) = harness.load().await;
6731 4 : let io_concurrency = IoConcurrency::spawn_for_test();
6732 4 : let tline = tenant
6733 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x08), DEFAULT_PG_VERSION, &ctx)
6734 4 : .await?;
6735 4 :
6736 4 : let lsn = Lsn(0x10);
6737 4 : let inserted = bulk_insert_compact_gc(&tenant, &tline, &ctx, lsn, 50, 10000).await?;
6738 4 :
6739 4 : let guard = tline.layers.read().await;
6740 4 : let lm = guard.layer_map()?;
6741 4 :
6742 4 : lm.dump(true, &ctx).await?;
6743 4 :
6744 4 : let mut reads = Vec::new();
6745 4 : let mut prev = None;
6746 24 : lm.iter_historic_layers().for_each(|desc| {
6747 24 : if !desc.is_delta() {
6748 4 : prev = Some(desc.clone());
6749 4 : return;
6750 20 : }
6751 20 :
6752 20 : let start = desc.key_range.start;
6753 20 : let end = desc
6754 20 : .key_range
6755 20 : .start
6756 20 : .add(Timeline::MAX_GET_VECTORED_KEYS.try_into().unwrap());
6757 20 : reads.push(KeySpace {
6758 20 : ranges: vec![start..end],
6759 20 : });
6760 4 :
6761 20 : if let Some(prev) = &prev {
6762 20 : if !prev.is_delta() {
6763 20 : return;
6764 4 : }
6765 0 :
6766 0 : let first_range = Key {
6767 0 : field6: prev.key_range.end.field6 - 4,
6768 0 : ..prev.key_range.end
6769 0 : }..prev.key_range.end;
6770 0 :
6771 0 : let second_range = desc.key_range.start..Key {
6772 0 : field6: desc.key_range.start.field6 + 4,
6773 0 : ..desc.key_range.start
6774 0 : };
6775 0 :
6776 0 : reads.push(KeySpace {
6777 0 : ranges: vec![first_range, second_range],
6778 0 : });
6779 4 : };
6780 4 :
6781 4 : prev = Some(desc.clone());
6782 24 : });
6783 4 :
6784 4 : drop(guard);
6785 4 :
6786 4 : // Pick a big LSN such that we query over all the changes.
6787 4 : let reads_lsn = Lsn(u64::MAX - 1);
6788 4 :
6789 24 : for read in reads {
6790 20 : info!("Doing vectored read on {:?}", read);
6791 4 :
6792 20 : let vectored_res = tline
6793 20 : .get_vectored_impl(
6794 20 : read.clone(),
6795 20 : reads_lsn,
6796 20 : &mut ValuesReconstructState::new(io_concurrency.clone()),
6797 20 : &ctx,
6798 20 : )
6799 20 : .await;
6800 4 :
6801 20 : let mut expected_lsns: HashMap<Key, Lsn> = Default::default();
6802 20 : let mut expect_missing = false;
6803 20 : let mut key = read.start().unwrap();
6804 660 : while key != read.end().unwrap() {
6805 640 : if let Some(lsns) = inserted.get(&key) {
6806 640 : let expected_lsn = lsns.iter().rfind(|lsn| **lsn <= reads_lsn);
6807 640 : match expected_lsn {
6808 640 : Some(lsn) => {
6809 640 : expected_lsns.insert(key, *lsn);
6810 640 : }
6811 4 : None => {
6812 4 : expect_missing = true;
6813 0 : break;
6814 4 : }
6815 4 : }
6816 4 : } else {
6817 4 : expect_missing = true;
6818 0 : break;
6819 4 : }
6820 4 :
6821 640 : key = key.next();
6822 4 : }
6823 4 :
6824 20 : if expect_missing {
6825 4 : assert!(matches!(vectored_res, Err(GetVectoredError::MissingKey(_))));
6826 4 : } else {
6827 640 : for (key, image) in vectored_res? {
6828 640 : let expected_lsn = expected_lsns.get(&key).expect("determined above");
6829 640 : let expected_image = test_img(&format!("{} at {}", key.field6, expected_lsn));
6830 640 : assert_eq!(image?, expected_image);
6831 4 : }
6832 4 : }
6833 4 : }
6834 4 :
6835 4 : Ok(())
6836 4 : }
6837 :
6838 : #[tokio::test]
6839 4 : async fn test_get_vectored_aux_files() -> anyhow::Result<()> {
6840 4 : let harness = TenantHarness::create("test_get_vectored_aux_files").await?;
6841 4 :
6842 4 : let (tenant, ctx) = harness.load().await;
6843 4 : let io_concurrency = IoConcurrency::spawn_for_test();
6844 4 : let (tline, ctx) = tenant
6845 4 : .create_empty_timeline(TIMELINE_ID, Lsn(0), DEFAULT_PG_VERSION, &ctx)
6846 4 : .await?;
6847 4 : let tline = tline.raw_timeline().unwrap();
6848 4 :
6849 4 : let mut modification = tline.begin_modification(Lsn(0x1000));
6850 4 : modification.put_file("foo/bar1", b"content1", &ctx).await?;
6851 4 : modification.set_lsn(Lsn(0x1008))?;
6852 4 : modification.put_file("foo/bar2", b"content2", &ctx).await?;
6853 4 : modification.commit(&ctx).await?;
6854 4 :
6855 4 : let child_timeline_id = TimelineId::generate();
6856 4 : tenant
6857 4 : .branch_timeline_test(
6858 4 : tline,
6859 4 : child_timeline_id,
6860 4 : Some(tline.get_last_record_lsn()),
6861 4 : &ctx,
6862 4 : )
6863 4 : .await?;
6864 4 :
6865 4 : let child_timeline = tenant
6866 4 : .get_timeline(child_timeline_id, true)
6867 4 : .expect("Should have the branched timeline");
6868 4 :
6869 4 : let aux_keyspace = KeySpace {
6870 4 : ranges: vec![NON_INHERITED_RANGE],
6871 4 : };
6872 4 : let read_lsn = child_timeline.get_last_record_lsn();
6873 4 :
6874 4 : let vectored_res = child_timeline
6875 4 : .get_vectored_impl(
6876 4 : aux_keyspace.clone(),
6877 4 : read_lsn,
6878 4 : &mut ValuesReconstructState::new(io_concurrency.clone()),
6879 4 : &ctx,
6880 4 : )
6881 4 : .await;
6882 4 :
6883 4 : let images = vectored_res?;
6884 4 : assert!(images.is_empty());
6885 4 : Ok(())
6886 4 : }
6887 :
6888 : // Test that vectored get handles layer gaps correctly
6889 : // by advancing into the next ancestor timeline if required.
6890 : //
6891 : // The test generates timelines that look like the diagram below.
6892 : // We leave a gap in one of the L1 layers at `gap_at_key` (`/` in the diagram).
6893 : // The reconstruct data for that key lies in the ancestor timeline (`X` in the diagram).
6894 : //
6895 : // ```
6896 : //-------------------------------+
6897 : // ... |
6898 : // [ L1 ] |
6899 : // [ / L1 ] | Child Timeline
6900 : // ... |
6901 : // ------------------------------+
6902 : // [ X L1 ] | Parent Timeline
6903 : // ------------------------------+
6904 : // ```
6905 : #[tokio::test]
6906 4 : async fn test_get_vectored_key_gap() -> anyhow::Result<()> {
6907 4 : let tenant_conf = pageserver_api::models::TenantConfig {
6908 4 : // Make compaction deterministic
6909 4 : gc_period: Some(Duration::ZERO),
6910 4 : compaction_period: Some(Duration::ZERO),
6911 4 : // Encourage creation of L1 layers
6912 4 : checkpoint_distance: Some(16 * 1024),
6913 4 : compaction_target_size: Some(8 * 1024),
6914 4 : ..Default::default()
6915 4 : };
6916 4 :
6917 4 : let harness = TenantHarness::create_custom(
6918 4 : "test_get_vectored_key_gap",
6919 4 : tenant_conf,
6920 4 : TenantId::generate(),
6921 4 : ShardIdentity::unsharded(),
6922 4 : Generation::new(0xdeadbeef),
6923 4 : )
6924 4 : .await?;
6925 4 : let (tenant, ctx) = harness.load().await;
6926 4 : let io_concurrency = IoConcurrency::spawn_for_test();
6927 4 :
6928 4 : let mut current_key = Key::from_hex("010000000033333333444444445500000000").unwrap();
6929 4 : let gap_at_key = current_key.add(100);
6930 4 : let mut current_lsn = Lsn(0x10);
6931 4 :
6932 4 : const KEY_COUNT: usize = 10_000;
6933 4 :
6934 4 : let timeline_id = TimelineId::generate();
6935 4 : let current_timeline = tenant
6936 4 : .create_test_timeline(timeline_id, current_lsn, DEFAULT_PG_VERSION, &ctx)
6937 4 : .await?;
6938 4 :
6939 4 : current_lsn += 0x100;
6940 4 :
6941 4 : let mut writer = current_timeline.writer().await;
6942 4 : writer
6943 4 : .put(
6944 4 : gap_at_key,
6945 4 : current_lsn,
6946 4 : &Value::Image(test_img(&format!("{} at {}", gap_at_key, current_lsn))),
6947 4 : &ctx,
6948 4 : )
6949 4 : .await?;
6950 4 : writer.finish_write(current_lsn);
6951 4 : drop(writer);
6952 4 :
6953 4 : let mut latest_lsns = HashMap::new();
6954 4 : latest_lsns.insert(gap_at_key, current_lsn);
6955 4 :
6956 4 : current_timeline.freeze_and_flush().await?;
6957 4 :
6958 4 : let child_timeline_id = TimelineId::generate();
6959 4 :
6960 4 : tenant
6961 4 : .branch_timeline_test(
6962 4 : ¤t_timeline,
6963 4 : child_timeline_id,
6964 4 : Some(current_lsn),
6965 4 : &ctx,
6966 4 : )
6967 4 : .await?;
6968 4 : let child_timeline = tenant
6969 4 : .get_timeline(child_timeline_id, true)
6970 4 : .expect("Should have the branched timeline");
6971 4 :
6972 40004 : for i in 0..KEY_COUNT {
6973 40000 : if current_key == gap_at_key {
6974 4 : current_key = current_key.next();
6975 4 : continue;
6976 39996 : }
6977 39996 :
6978 39996 : current_lsn += 0x10;
6979 4 :
6980 39996 : let mut writer = child_timeline.writer().await;
6981 39996 : writer
6982 39996 : .put(
6983 39996 : current_key,
6984 39996 : current_lsn,
6985 39996 : &Value::Image(test_img(&format!("{} at {}", current_key, current_lsn))),
6986 39996 : &ctx,
6987 39996 : )
6988 39996 : .await?;
6989 39996 : writer.finish_write(current_lsn);
6990 39996 : drop(writer);
6991 39996 :
6992 39996 : latest_lsns.insert(current_key, current_lsn);
6993 39996 : current_key = current_key.next();
6994 39996 :
6995 39996 : // Flush every now and then to encourage layer file creation.
6996 39996 : if i % 500 == 0 {
6997 80 : child_timeline.freeze_and_flush().await?;
6998 39916 : }
6999 4 : }
7000 4 :
7001 4 : child_timeline.freeze_and_flush().await?;
7002 4 : let mut flags = EnumSet::new();
7003 4 : flags.insert(CompactFlags::ForceRepartition);
7004 4 : flags.insert(CompactFlags::NoYield);
7005 4 : child_timeline
7006 4 : .compact(&CancellationToken::new(), flags, &ctx)
7007 4 : .await?;
7008 4 :
7009 4 : let key_near_end = {
7010 4 : let mut tmp = current_key;
7011 4 : tmp.field6 -= 10;
7012 4 : tmp
7013 4 : };
7014 4 :
7015 4 : let key_near_gap = {
7016 4 : let mut tmp = gap_at_key;
7017 4 : tmp.field6 -= 10;
7018 4 : tmp
7019 4 : };
7020 4 :
7021 4 : let read = KeySpace {
7022 4 : ranges: vec![key_near_gap..gap_at_key.next(), key_near_end..current_key],
7023 4 : };
7024 4 : let results = child_timeline
7025 4 : .get_vectored_impl(
7026 4 : read.clone(),
7027 4 : current_lsn,
7028 4 : &mut ValuesReconstructState::new(io_concurrency.clone()),
7029 4 : &ctx,
7030 4 : )
7031 4 : .await?;
7032 4 :
7033 88 : for (key, img_res) in results {
7034 84 : let expected = test_img(&format!("{} at {}", key, latest_lsns[&key]));
7035 84 : assert_eq!(img_res?, expected);
7036 4 : }
7037 4 :
7038 4 : Ok(())
7039 4 : }
7040 :
7041 : // Test that vectored get descends into ancestor timelines correctly and
7042 : // does not return an image that's newer than requested.
7043 : //
7044 : // The diagram below ilustrates an interesting case. We have a parent timeline
7045 : // (top of the Lsn range) and a child timeline. The request key cannot be reconstructed
7046 : // from the child timeline, so the parent timeline must be visited. When advacing into
7047 : // the child timeline, the read path needs to remember what the requested Lsn was in
7048 : // order to avoid returning an image that's too new. The test below constructs such
7049 : // a timeline setup and does a few queries around the Lsn of each page image.
7050 : // ```
7051 : // LSN
7052 : // ^
7053 : // |
7054 : // |
7055 : // 500 | --------------------------------------> branch point
7056 : // 400 | X
7057 : // 300 | X
7058 : // 200 | --------------------------------------> requested lsn
7059 : // 100 | X
7060 : // |---------------------------------------> Key
7061 : // |
7062 : // ------> requested key
7063 : //
7064 : // Legend:
7065 : // * X - page images
7066 : // ```
7067 : #[tokio::test]
7068 4 : async fn test_get_vectored_ancestor_descent() -> anyhow::Result<()> {
7069 4 : let harness = TenantHarness::create("test_get_vectored_on_lsn_axis").await?;
7070 4 : let (tenant, ctx) = harness.load().await;
7071 4 : let io_concurrency = IoConcurrency::spawn_for_test();
7072 4 :
7073 4 : let start_key = Key::from_hex("010000000033333333444444445500000000").unwrap();
7074 4 : let end_key = start_key.add(1000);
7075 4 : let child_gap_at_key = start_key.add(500);
7076 4 : let mut parent_gap_lsns: BTreeMap<Lsn, String> = BTreeMap::new();
7077 4 :
7078 4 : let mut current_lsn = Lsn(0x10);
7079 4 :
7080 4 : let timeline_id = TimelineId::generate();
7081 4 : let parent_timeline = tenant
7082 4 : .create_test_timeline(timeline_id, current_lsn, DEFAULT_PG_VERSION, &ctx)
7083 4 : .await?;
7084 4 :
7085 4 : current_lsn += 0x100;
7086 4 :
7087 16 : for _ in 0..3 {
7088 12 : let mut key = start_key;
7089 12012 : while key < end_key {
7090 12000 : current_lsn += 0x10;
7091 12000 :
7092 12000 : let image_value = format!("{} at {}", child_gap_at_key, current_lsn);
7093 4 :
7094 12000 : let mut writer = parent_timeline.writer().await;
7095 12000 : writer
7096 12000 : .put(
7097 12000 : key,
7098 12000 : current_lsn,
7099 12000 : &Value::Image(test_img(&image_value)),
7100 12000 : &ctx,
7101 12000 : )
7102 12000 : .await?;
7103 12000 : writer.finish_write(current_lsn);
7104 12000 :
7105 12000 : if key == child_gap_at_key {
7106 12 : parent_gap_lsns.insert(current_lsn, image_value);
7107 11988 : }
7108 4 :
7109 12000 : key = key.next();
7110 4 : }
7111 4 :
7112 12 : parent_timeline.freeze_and_flush().await?;
7113 4 : }
7114 4 :
7115 4 : let child_timeline_id = TimelineId::generate();
7116 4 :
7117 4 : let child_timeline = tenant
7118 4 : .branch_timeline_test(&parent_timeline, child_timeline_id, Some(current_lsn), &ctx)
7119 4 : .await?;
7120 4 :
7121 4 : let mut key = start_key;
7122 4004 : while key < end_key {
7123 4000 : if key == child_gap_at_key {
7124 4 : key = key.next();
7125 4 : continue;
7126 3996 : }
7127 3996 :
7128 3996 : current_lsn += 0x10;
7129 4 :
7130 3996 : let mut writer = child_timeline.writer().await;
7131 3996 : writer
7132 3996 : .put(
7133 3996 : key,
7134 3996 : current_lsn,
7135 3996 : &Value::Image(test_img(&format!("{} at {}", key, current_lsn))),
7136 3996 : &ctx,
7137 3996 : )
7138 3996 : .await?;
7139 3996 : writer.finish_write(current_lsn);
7140 3996 :
7141 3996 : key = key.next();
7142 4 : }
7143 4 :
7144 4 : child_timeline.freeze_and_flush().await?;
7145 4 :
7146 4 : let lsn_offsets: [i64; 5] = [-10, -1, 0, 1, 10];
7147 4 : let mut query_lsns = Vec::new();
7148 12 : for image_lsn in parent_gap_lsns.keys().rev() {
7149 72 : for offset in lsn_offsets {
7150 60 : query_lsns.push(Lsn(image_lsn
7151 60 : .0
7152 60 : .checked_add_signed(offset)
7153 60 : .expect("Shouldn't overflow")));
7154 60 : }
7155 4 : }
7156 4 :
7157 64 : for query_lsn in query_lsns {
7158 60 : let results = child_timeline
7159 60 : .get_vectored_impl(
7160 60 : KeySpace {
7161 60 : ranges: vec![child_gap_at_key..child_gap_at_key.next()],
7162 60 : },
7163 60 : query_lsn,
7164 60 : &mut ValuesReconstructState::new(io_concurrency.clone()),
7165 60 : &ctx,
7166 60 : )
7167 60 : .await;
7168 4 :
7169 60 : let expected_item = parent_gap_lsns
7170 60 : .iter()
7171 60 : .rev()
7172 136 : .find(|(lsn, _)| **lsn <= query_lsn);
7173 60 :
7174 60 : info!(
7175 4 : "Doing vectored read at LSN {}. Expecting image to be: {:?}",
7176 4 : query_lsn, expected_item
7177 4 : );
7178 4 :
7179 60 : match expected_item {
7180 52 : Some((_, img_value)) => {
7181 52 : let key_results = results.expect("No vectored get error expected");
7182 52 : let key_result = &key_results[&child_gap_at_key];
7183 52 : let returned_img = key_result
7184 52 : .as_ref()
7185 52 : .expect("No page reconstruct error expected");
7186 52 :
7187 52 : info!(
7188 4 : "Vectored read at LSN {} returned image {}",
7189 0 : query_lsn,
7190 0 : std::str::from_utf8(returned_img)?
7191 4 : );
7192 52 : assert_eq!(*returned_img, test_img(img_value));
7193 4 : }
7194 4 : None => {
7195 8 : assert!(matches!(results, Err(GetVectoredError::MissingKey(_))));
7196 4 : }
7197 4 : }
7198 4 : }
7199 4 :
7200 4 : Ok(())
7201 4 : }
7202 :
7203 : #[tokio::test]
7204 4 : async fn test_random_updates() -> anyhow::Result<()> {
7205 4 : let names_algorithms = [
7206 4 : ("test_random_updates_legacy", CompactionAlgorithm::Legacy),
7207 4 : ("test_random_updates_tiered", CompactionAlgorithm::Tiered),
7208 4 : ];
7209 12 : for (name, algorithm) in names_algorithms {
7210 8 : test_random_updates_algorithm(name, algorithm).await?;
7211 4 : }
7212 4 : Ok(())
7213 4 : }
7214 :
7215 8 : async fn test_random_updates_algorithm(
7216 8 : name: &'static str,
7217 8 : compaction_algorithm: CompactionAlgorithm,
7218 8 : ) -> anyhow::Result<()> {
7219 8 : let mut harness = TenantHarness::create(name).await?;
7220 8 : harness.tenant_conf.compaction_algorithm = Some(CompactionAlgorithmSettings {
7221 8 : kind: compaction_algorithm,
7222 8 : });
7223 8 : let (tenant, ctx) = harness.load().await;
7224 8 : let tline = tenant
7225 8 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
7226 8 : .await?;
7227 :
7228 : const NUM_KEYS: usize = 1000;
7229 8 : let cancel = CancellationToken::new();
7230 8 :
7231 8 : let mut test_key = Key::from_hex("010000000033333333444444445500000000").unwrap();
7232 8 : let mut test_key_end = test_key;
7233 8 : test_key_end.field6 = NUM_KEYS as u32;
7234 8 : tline.add_extra_test_dense_keyspace(KeySpace::single(test_key..test_key_end));
7235 8 :
7236 8 : let mut keyspace = KeySpaceAccum::new();
7237 8 :
7238 8 : // Track when each page was last modified. Used to assert that
7239 8 : // a read sees the latest page version.
7240 8 : let mut updated = [Lsn(0); NUM_KEYS];
7241 8 :
7242 8 : let mut lsn = Lsn(0x10);
7243 : #[allow(clippy::needless_range_loop)]
7244 8008 : for blknum in 0..NUM_KEYS {
7245 8000 : lsn = Lsn(lsn.0 + 0x10);
7246 8000 : test_key.field6 = blknum as u32;
7247 8000 : let mut writer = tline.writer().await;
7248 8000 : writer
7249 8000 : .put(
7250 8000 : test_key,
7251 8000 : lsn,
7252 8000 : &Value::Image(test_img(&format!("{} at {}", blknum, lsn))),
7253 8000 : &ctx,
7254 8000 : )
7255 8000 : .await?;
7256 8000 : writer.finish_write(lsn);
7257 8000 : updated[blknum] = lsn;
7258 8000 : drop(writer);
7259 8000 :
7260 8000 : keyspace.add_key(test_key);
7261 : }
7262 :
7263 408 : for _ in 0..50 {
7264 400400 : for _ in 0..NUM_KEYS {
7265 400000 : lsn = Lsn(lsn.0 + 0x10);
7266 400000 : let blknum = thread_rng().gen_range(0..NUM_KEYS);
7267 400000 : test_key.field6 = blknum as u32;
7268 400000 : let mut writer = tline.writer().await;
7269 400000 : writer
7270 400000 : .put(
7271 400000 : test_key,
7272 400000 : lsn,
7273 400000 : &Value::Image(test_img(&format!("{} at {}", blknum, lsn))),
7274 400000 : &ctx,
7275 400000 : )
7276 400000 : .await?;
7277 400000 : writer.finish_write(lsn);
7278 400000 : drop(writer);
7279 400000 : updated[blknum] = lsn;
7280 : }
7281 :
7282 : // Read all the blocks
7283 400000 : for (blknum, last_lsn) in updated.iter().enumerate() {
7284 400000 : test_key.field6 = blknum as u32;
7285 400000 : assert_eq!(
7286 400000 : tline.get(test_key, lsn, &ctx).await?,
7287 400000 : test_img(&format!("{} at {}", blknum, last_lsn))
7288 : );
7289 : }
7290 :
7291 : // Perform a cycle of flush, and GC
7292 400 : tline.freeze_and_flush().await?;
7293 400 : tenant
7294 400 : .gc_iteration(Some(tline.timeline_id), 0, Duration::ZERO, &cancel, &ctx)
7295 400 : .await?;
7296 : }
7297 :
7298 8 : Ok(())
7299 8 : }
7300 :
7301 : #[tokio::test]
7302 4 : async fn test_traverse_branches() -> anyhow::Result<()> {
7303 4 : let (tenant, ctx) = TenantHarness::create("test_traverse_branches")
7304 4 : .await?
7305 4 : .load()
7306 4 : .await;
7307 4 : let mut tline = tenant
7308 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
7309 4 : .await?;
7310 4 :
7311 4 : const NUM_KEYS: usize = 1000;
7312 4 :
7313 4 : let mut test_key = Key::from_hex("010000000033333333444444445500000000").unwrap();
7314 4 :
7315 4 : let mut keyspace = KeySpaceAccum::new();
7316 4 :
7317 4 : let cancel = CancellationToken::new();
7318 4 :
7319 4 : // Track when each page was last modified. Used to assert that
7320 4 : // a read sees the latest page version.
7321 4 : let mut updated = [Lsn(0); NUM_KEYS];
7322 4 :
7323 4 : let mut lsn = Lsn(0x10);
7324 4 : #[allow(clippy::needless_range_loop)]
7325 4004 : for blknum in 0..NUM_KEYS {
7326 4000 : lsn = Lsn(lsn.0 + 0x10);
7327 4000 : test_key.field6 = blknum as u32;
7328 4000 : let mut writer = tline.writer().await;
7329 4000 : writer
7330 4000 : .put(
7331 4000 : test_key,
7332 4000 : lsn,
7333 4000 : &Value::Image(test_img(&format!("{} at {}", blknum, lsn))),
7334 4000 : &ctx,
7335 4000 : )
7336 4000 : .await?;
7337 4000 : writer.finish_write(lsn);
7338 4000 : updated[blknum] = lsn;
7339 4000 : drop(writer);
7340 4000 :
7341 4000 : keyspace.add_key(test_key);
7342 4 : }
7343 4 :
7344 204 : for _ in 0..50 {
7345 200 : let new_tline_id = TimelineId::generate();
7346 200 : tenant
7347 200 : .branch_timeline_test(&tline, new_tline_id, Some(lsn), &ctx)
7348 200 : .await?;
7349 200 : tline = tenant
7350 200 : .get_timeline(new_tline_id, true)
7351 200 : .expect("Should have the branched timeline");
7352 4 :
7353 200200 : for _ in 0..NUM_KEYS {
7354 200000 : lsn = Lsn(lsn.0 + 0x10);
7355 200000 : let blknum = thread_rng().gen_range(0..NUM_KEYS);
7356 200000 : test_key.field6 = blknum as u32;
7357 200000 : let mut writer = tline.writer().await;
7358 200000 : writer
7359 200000 : .put(
7360 200000 : test_key,
7361 200000 : lsn,
7362 200000 : &Value::Image(test_img(&format!("{} at {}", blknum, lsn))),
7363 200000 : &ctx,
7364 200000 : )
7365 200000 : .await?;
7366 200000 : println!("updating {} at {}", blknum, lsn);
7367 200000 : writer.finish_write(lsn);
7368 200000 : drop(writer);
7369 200000 : updated[blknum] = lsn;
7370 4 : }
7371 4 :
7372 4 : // Read all the blocks
7373 200000 : for (blknum, last_lsn) in updated.iter().enumerate() {
7374 200000 : test_key.field6 = blknum as u32;
7375 200000 : assert_eq!(
7376 200000 : tline.get(test_key, lsn, &ctx).await?,
7377 200000 : test_img(&format!("{} at {}", blknum, last_lsn))
7378 4 : );
7379 4 : }
7380 4 :
7381 4 : // Perform a cycle of flush, compact, and GC
7382 200 : tline.freeze_and_flush().await?;
7383 200 : tline
7384 200 : .compact(&cancel, CompactFlags::NoYield.into(), &ctx)
7385 200 : .await?;
7386 200 : tenant
7387 200 : .gc_iteration(Some(tline.timeline_id), 0, Duration::ZERO, &cancel, &ctx)
7388 200 : .await?;
7389 4 : }
7390 4 :
7391 4 : Ok(())
7392 4 : }
7393 :
7394 : #[tokio::test]
7395 4 : async fn test_traverse_ancestors() -> anyhow::Result<()> {
7396 4 : let (tenant, ctx) = TenantHarness::create("test_traverse_ancestors")
7397 4 : .await?
7398 4 : .load()
7399 4 : .await;
7400 4 : let mut tline = tenant
7401 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
7402 4 : .await?;
7403 4 :
7404 4 : const NUM_KEYS: usize = 100;
7405 4 : const NUM_TLINES: usize = 50;
7406 4 :
7407 4 : let mut test_key = Key::from_hex("010000000033333333444444445500000000").unwrap();
7408 4 : // Track page mutation lsns across different timelines.
7409 4 : let mut updated = [[Lsn(0); NUM_KEYS]; NUM_TLINES];
7410 4 :
7411 4 : let mut lsn = Lsn(0x10);
7412 4 :
7413 4 : #[allow(clippy::needless_range_loop)]
7414 204 : for idx in 0..NUM_TLINES {
7415 200 : let new_tline_id = TimelineId::generate();
7416 200 : tenant
7417 200 : .branch_timeline_test(&tline, new_tline_id, Some(lsn), &ctx)
7418 200 : .await?;
7419 200 : tline = tenant
7420 200 : .get_timeline(new_tline_id, true)
7421 200 : .expect("Should have the branched timeline");
7422 4 :
7423 20200 : for _ in 0..NUM_KEYS {
7424 20000 : lsn = Lsn(lsn.0 + 0x10);
7425 20000 : let blknum = thread_rng().gen_range(0..NUM_KEYS);
7426 20000 : test_key.field6 = blknum as u32;
7427 20000 : let mut writer = tline.writer().await;
7428 20000 : writer
7429 20000 : .put(
7430 20000 : test_key,
7431 20000 : lsn,
7432 20000 : &Value::Image(test_img(&format!("{} {} at {}", idx, blknum, lsn))),
7433 20000 : &ctx,
7434 20000 : )
7435 20000 : .await?;
7436 20000 : println!("updating [{}][{}] at {}", idx, blknum, lsn);
7437 20000 : writer.finish_write(lsn);
7438 20000 : drop(writer);
7439 20000 : updated[idx][blknum] = lsn;
7440 4 : }
7441 4 : }
7442 4 :
7443 4 : // Read pages from leaf timeline across all ancestors.
7444 200 : for (idx, lsns) in updated.iter().enumerate() {
7445 20000 : for (blknum, lsn) in lsns.iter().enumerate() {
7446 4 : // Skip empty mutations.
7447 20000 : if lsn.0 == 0 {
7448 7292 : continue;
7449 12708 : }
7450 12708 : println!("checking [{idx}][{blknum}] at {lsn}");
7451 12708 : test_key.field6 = blknum as u32;
7452 12708 : assert_eq!(
7453 12708 : tline.get(test_key, *lsn, &ctx).await?,
7454 12708 : test_img(&format!("{idx} {blknum} at {lsn}"))
7455 4 : );
7456 4 : }
7457 4 : }
7458 4 : Ok(())
7459 4 : }
7460 :
7461 : #[tokio::test]
7462 4 : async fn test_write_at_initdb_lsn_takes_optimization_code_path() -> anyhow::Result<()> {
7463 4 : let (tenant, ctx) = TenantHarness::create("test_empty_test_timeline_is_usable")
7464 4 : .await?
7465 4 : .load()
7466 4 : .await;
7467 4 :
7468 4 : let initdb_lsn = Lsn(0x20);
7469 4 : let (utline, ctx) = tenant
7470 4 : .create_empty_timeline(TIMELINE_ID, initdb_lsn, DEFAULT_PG_VERSION, &ctx)
7471 4 : .await?;
7472 4 : let tline = utline.raw_timeline().unwrap();
7473 4 :
7474 4 : // Spawn flush loop now so that we can set the `expect_initdb_optimization`
7475 4 : tline.maybe_spawn_flush_loop();
7476 4 :
7477 4 : // Make sure the timeline has the minimum set of required keys for operation.
7478 4 : // The only operation you can always do on an empty timeline is to `put` new data.
7479 4 : // Except if you `put` at `initdb_lsn`.
7480 4 : // In that case, there's an optimization to directly create image layers instead of delta layers.
7481 4 : // It uses `repartition()`, which assumes some keys to be present.
7482 4 : // Let's make sure the test timeline can handle that case.
7483 4 : {
7484 4 : let mut state = tline.flush_loop_state.lock().unwrap();
7485 4 : assert_eq!(
7486 4 : timeline::FlushLoopState::Running {
7487 4 : expect_initdb_optimization: false,
7488 4 : initdb_optimization_count: 0,
7489 4 : },
7490 4 : *state
7491 4 : );
7492 4 : *state = timeline::FlushLoopState::Running {
7493 4 : expect_initdb_optimization: true,
7494 4 : initdb_optimization_count: 0,
7495 4 : };
7496 4 : }
7497 4 :
7498 4 : // Make writes at the initdb_lsn. When we flush it below, it should be handled by the optimization.
7499 4 : // As explained above, the optimization requires some keys to be present.
7500 4 : // As per `create_empty_timeline` documentation, use init_empty to set them.
7501 4 : // This is what `create_test_timeline` does, by the way.
7502 4 : let mut modification = tline.begin_modification(initdb_lsn);
7503 4 : modification
7504 4 : .init_empty_test_timeline()
7505 4 : .context("init_empty_test_timeline")?;
7506 4 : modification
7507 4 : .commit(&ctx)
7508 4 : .await
7509 4 : .context("commit init_empty_test_timeline modification")?;
7510 4 :
7511 4 : // Do the flush. The flush code will check the expectations that we set above.
7512 4 : tline.freeze_and_flush().await?;
7513 4 :
7514 4 : // assert freeze_and_flush exercised the initdb optimization
7515 4 : {
7516 4 : let state = tline.flush_loop_state.lock().unwrap();
7517 4 : let timeline::FlushLoopState::Running {
7518 4 : expect_initdb_optimization,
7519 4 : initdb_optimization_count,
7520 4 : } = *state
7521 4 : else {
7522 4 : panic!("unexpected state: {:?}", *state);
7523 4 : };
7524 4 : assert!(expect_initdb_optimization);
7525 4 : assert!(initdb_optimization_count > 0);
7526 4 : }
7527 4 : Ok(())
7528 4 : }
7529 :
7530 : #[tokio::test]
7531 4 : async fn test_create_guard_crash() -> anyhow::Result<()> {
7532 4 : let name = "test_create_guard_crash";
7533 4 : let harness = TenantHarness::create(name).await?;
7534 4 : {
7535 4 : let (tenant, ctx) = harness.load().await;
7536 4 : let (tline, _ctx) = tenant
7537 4 : .create_empty_timeline(TIMELINE_ID, Lsn(0), DEFAULT_PG_VERSION, &ctx)
7538 4 : .await?;
7539 4 : // Leave the timeline ID in [`Tenant::timelines_creating`] to exclude attempting to create it again
7540 4 : let raw_tline = tline.raw_timeline().unwrap();
7541 4 : raw_tline
7542 4 : .shutdown(super::timeline::ShutdownMode::Hard)
7543 4 : .instrument(info_span!("test_shutdown", tenant_id=%raw_tline.tenant_shard_id, shard_id=%raw_tline.tenant_shard_id.shard_slug(), timeline_id=%TIMELINE_ID))
7544 4 : .await;
7545 4 : std::mem::forget(tline);
7546 4 : }
7547 4 :
7548 4 : let (tenant, _) = harness.load().await;
7549 4 : match tenant.get_timeline(TIMELINE_ID, false) {
7550 4 : Ok(_) => panic!("timeline should've been removed during load"),
7551 4 : Err(e) => {
7552 4 : assert_eq!(
7553 4 : e,
7554 4 : GetTimelineError::NotFound {
7555 4 : tenant_id: tenant.tenant_shard_id,
7556 4 : timeline_id: TIMELINE_ID,
7557 4 : }
7558 4 : )
7559 4 : }
7560 4 : }
7561 4 :
7562 4 : assert!(
7563 4 : !harness
7564 4 : .conf
7565 4 : .timeline_path(&tenant.tenant_shard_id, &TIMELINE_ID)
7566 4 : .exists()
7567 4 : );
7568 4 :
7569 4 : Ok(())
7570 4 : }
7571 :
7572 : #[tokio::test]
7573 4 : async fn test_read_at_max_lsn() -> anyhow::Result<()> {
7574 4 : let names_algorithms = [
7575 4 : ("test_read_at_max_lsn_legacy", CompactionAlgorithm::Legacy),
7576 4 : ("test_read_at_max_lsn_tiered", CompactionAlgorithm::Tiered),
7577 4 : ];
7578 12 : for (name, algorithm) in names_algorithms {
7579 8 : test_read_at_max_lsn_algorithm(name, algorithm).await?;
7580 4 : }
7581 4 : Ok(())
7582 4 : }
7583 :
7584 8 : async fn test_read_at_max_lsn_algorithm(
7585 8 : name: &'static str,
7586 8 : compaction_algorithm: CompactionAlgorithm,
7587 8 : ) -> anyhow::Result<()> {
7588 8 : let mut harness = TenantHarness::create(name).await?;
7589 8 : harness.tenant_conf.compaction_algorithm = Some(CompactionAlgorithmSettings {
7590 8 : kind: compaction_algorithm,
7591 8 : });
7592 8 : let (tenant, ctx) = harness.load().await;
7593 8 : let tline = tenant
7594 8 : .create_test_timeline(TIMELINE_ID, Lsn(0x08), DEFAULT_PG_VERSION, &ctx)
7595 8 : .await?;
7596 :
7597 8 : let lsn = Lsn(0x10);
7598 8 : let compact = false;
7599 8 : bulk_insert_maybe_compact_gc(&tenant, &tline, &ctx, lsn, 50, 10000, compact).await?;
7600 :
7601 8 : let test_key = Key::from_hex("010000000033333333444444445500000000").unwrap();
7602 8 : let read_lsn = Lsn(u64::MAX - 1);
7603 :
7604 8 : let result = tline.get(test_key, read_lsn, &ctx).await;
7605 8 : assert!(result.is_ok(), "result is not Ok: {}", result.unwrap_err());
7606 :
7607 8 : Ok(())
7608 8 : }
7609 :
7610 : #[tokio::test]
7611 4 : async fn test_metadata_scan() -> anyhow::Result<()> {
7612 4 : let harness = TenantHarness::create("test_metadata_scan").await?;
7613 4 : let (tenant, ctx) = harness.load().await;
7614 4 : let io_concurrency = IoConcurrency::spawn_for_test();
7615 4 : let tline = tenant
7616 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
7617 4 : .await?;
7618 4 :
7619 4 : const NUM_KEYS: usize = 1000;
7620 4 : const STEP: usize = 10000; // random update + scan base_key + idx * STEP
7621 4 :
7622 4 : let cancel = CancellationToken::new();
7623 4 :
7624 4 : let mut base_key = Key::from_hex("000000000033333333444444445500000000").unwrap();
7625 4 : base_key.field1 = AUX_KEY_PREFIX;
7626 4 : let mut test_key = base_key;
7627 4 :
7628 4 : // Track when each page was last modified. Used to assert that
7629 4 : // a read sees the latest page version.
7630 4 : let mut updated = [Lsn(0); NUM_KEYS];
7631 4 :
7632 4 : let mut lsn = Lsn(0x10);
7633 4 : #[allow(clippy::needless_range_loop)]
7634 4004 : for blknum in 0..NUM_KEYS {
7635 4000 : lsn = Lsn(lsn.0 + 0x10);
7636 4000 : test_key.field6 = (blknum * STEP) as u32;
7637 4000 : let mut writer = tline.writer().await;
7638 4000 : writer
7639 4000 : .put(
7640 4000 : test_key,
7641 4000 : lsn,
7642 4000 : &Value::Image(test_img(&format!("{} at {}", blknum, lsn))),
7643 4000 : &ctx,
7644 4000 : )
7645 4000 : .await?;
7646 4000 : writer.finish_write(lsn);
7647 4000 : updated[blknum] = lsn;
7648 4000 : drop(writer);
7649 4 : }
7650 4 :
7651 4 : let keyspace = KeySpace::single(base_key..base_key.add((NUM_KEYS * STEP) as u32));
7652 4 :
7653 48 : for iter in 0..=10 {
7654 4 : // Read all the blocks
7655 44000 : for (blknum, last_lsn) in updated.iter().enumerate() {
7656 44000 : test_key.field6 = (blknum * STEP) as u32;
7657 44000 : assert_eq!(
7658 44000 : tline.get(test_key, lsn, &ctx).await?,
7659 44000 : test_img(&format!("{} at {}", blknum, last_lsn))
7660 4 : );
7661 4 : }
7662 4 :
7663 44 : let mut cnt = 0;
7664 44000 : for (key, value) in tline
7665 44 : .get_vectored_impl(
7666 44 : keyspace.clone(),
7667 44 : lsn,
7668 44 : &mut ValuesReconstructState::new(io_concurrency.clone()),
7669 44 : &ctx,
7670 44 : )
7671 44 : .await?
7672 4 : {
7673 44000 : let blknum = key.field6 as usize;
7674 44000 : let value = value?;
7675 44000 : assert!(blknum % STEP == 0);
7676 44000 : let blknum = blknum / STEP;
7677 44000 : assert_eq!(
7678 44000 : value,
7679 44000 : test_img(&format!("{} at {}", blknum, updated[blknum]))
7680 44000 : );
7681 44000 : cnt += 1;
7682 4 : }
7683 4 :
7684 44 : assert_eq!(cnt, NUM_KEYS);
7685 4 :
7686 44044 : for _ in 0..NUM_KEYS {
7687 44000 : lsn = Lsn(lsn.0 + 0x10);
7688 44000 : let blknum = thread_rng().gen_range(0..NUM_KEYS);
7689 44000 : test_key.field6 = (blknum * STEP) as u32;
7690 44000 : let mut writer = tline.writer().await;
7691 44000 : writer
7692 44000 : .put(
7693 44000 : test_key,
7694 44000 : lsn,
7695 44000 : &Value::Image(test_img(&format!("{} at {}", blknum, lsn))),
7696 44000 : &ctx,
7697 44000 : )
7698 44000 : .await?;
7699 44000 : writer.finish_write(lsn);
7700 44000 : drop(writer);
7701 44000 : updated[blknum] = lsn;
7702 4 : }
7703 4 :
7704 4 : // Perform two cycles of flush, compact, and GC
7705 132 : for round in 0..2 {
7706 88 : tline.freeze_and_flush().await?;
7707 88 : tline
7708 88 : .compact(
7709 88 : &cancel,
7710 88 : if iter % 5 == 0 && round == 0 {
7711 12 : let mut flags = EnumSet::new();
7712 12 : flags.insert(CompactFlags::ForceImageLayerCreation);
7713 12 : flags.insert(CompactFlags::ForceRepartition);
7714 12 : flags.insert(CompactFlags::NoYield);
7715 12 : flags
7716 4 : } else {
7717 76 : EnumSet::empty()
7718 4 : },
7719 88 : &ctx,
7720 88 : )
7721 88 : .await?;
7722 88 : tenant
7723 88 : .gc_iteration(Some(tline.timeline_id), 0, Duration::ZERO, &cancel, &ctx)
7724 88 : .await?;
7725 4 : }
7726 4 : }
7727 4 :
7728 4 : Ok(())
7729 4 : }
7730 :
7731 : #[tokio::test]
7732 4 : async fn test_metadata_compaction_trigger() -> anyhow::Result<()> {
7733 4 : let harness = TenantHarness::create("test_metadata_compaction_trigger").await?;
7734 4 : let (tenant, ctx) = harness.load().await;
7735 4 : let tline = tenant
7736 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
7737 4 : .await?;
7738 4 :
7739 4 : let cancel = CancellationToken::new();
7740 4 :
7741 4 : let mut base_key = Key::from_hex("000000000033333333444444445500000000").unwrap();
7742 4 : base_key.field1 = AUX_KEY_PREFIX;
7743 4 : let test_key = base_key;
7744 4 : let mut lsn = Lsn(0x10);
7745 4 :
7746 84 : for _ in 0..20 {
7747 80 : lsn = Lsn(lsn.0 + 0x10);
7748 80 : let mut writer = tline.writer().await;
7749 80 : writer
7750 80 : .put(
7751 80 : test_key,
7752 80 : lsn,
7753 80 : &Value::Image(test_img(&format!("{} at {}", 0, lsn))),
7754 80 : &ctx,
7755 80 : )
7756 80 : .await?;
7757 80 : writer.finish_write(lsn);
7758 80 : drop(writer);
7759 80 : tline.freeze_and_flush().await?; // force create a delta layer
7760 4 : }
7761 4 :
7762 4 : let before_num_l0_delta_files =
7763 4 : tline.layers.read().await.layer_map()?.level0_deltas().len();
7764 4 :
7765 4 : tline
7766 4 : .compact(&cancel, CompactFlags::NoYield.into(), &ctx)
7767 4 : .await?;
7768 4 :
7769 4 : let after_num_l0_delta_files = tline.layers.read().await.layer_map()?.level0_deltas().len();
7770 4 :
7771 4 : assert!(
7772 4 : after_num_l0_delta_files < before_num_l0_delta_files,
7773 4 : "after_num_l0_delta_files={after_num_l0_delta_files}, before_num_l0_delta_files={before_num_l0_delta_files}"
7774 4 : );
7775 4 :
7776 4 : assert_eq!(
7777 4 : tline.get(test_key, lsn, &ctx).await?,
7778 4 : test_img(&format!("{} at {}", 0, lsn))
7779 4 : );
7780 4 :
7781 4 : Ok(())
7782 4 : }
7783 :
7784 : #[tokio::test]
7785 4 : async fn test_aux_file_e2e() {
7786 4 : let harness = TenantHarness::create("test_aux_file_e2e").await.unwrap();
7787 4 :
7788 4 : let (tenant, ctx) = harness.load().await;
7789 4 : let io_concurrency = IoConcurrency::spawn_for_test();
7790 4 :
7791 4 : let mut lsn = Lsn(0x08);
7792 4 :
7793 4 : let tline: Arc<Timeline> = tenant
7794 4 : .create_test_timeline(TIMELINE_ID, lsn, DEFAULT_PG_VERSION, &ctx)
7795 4 : .await
7796 4 : .unwrap();
7797 4 :
7798 4 : {
7799 4 : lsn += 8;
7800 4 : let mut modification = tline.begin_modification(lsn);
7801 4 : modification
7802 4 : .put_file("pg_logical/mappings/test1", b"first", &ctx)
7803 4 : .await
7804 4 : .unwrap();
7805 4 : modification.commit(&ctx).await.unwrap();
7806 4 : }
7807 4 :
7808 4 : // we can read everything from the storage
7809 4 : let files = tline
7810 4 : .list_aux_files(lsn, &ctx, io_concurrency.clone())
7811 4 : .await
7812 4 : .unwrap();
7813 4 : assert_eq!(
7814 4 : files.get("pg_logical/mappings/test1"),
7815 4 : Some(&bytes::Bytes::from_static(b"first"))
7816 4 : );
7817 4 :
7818 4 : {
7819 4 : lsn += 8;
7820 4 : let mut modification = tline.begin_modification(lsn);
7821 4 : modification
7822 4 : .put_file("pg_logical/mappings/test2", b"second", &ctx)
7823 4 : .await
7824 4 : .unwrap();
7825 4 : modification.commit(&ctx).await.unwrap();
7826 4 : }
7827 4 :
7828 4 : let files = tline
7829 4 : .list_aux_files(lsn, &ctx, io_concurrency.clone())
7830 4 : .await
7831 4 : .unwrap();
7832 4 : assert_eq!(
7833 4 : files.get("pg_logical/mappings/test2"),
7834 4 : Some(&bytes::Bytes::from_static(b"second"))
7835 4 : );
7836 4 :
7837 4 : let child = tenant
7838 4 : .branch_timeline_test(&tline, NEW_TIMELINE_ID, Some(lsn), &ctx)
7839 4 : .await
7840 4 : .unwrap();
7841 4 :
7842 4 : let files = child
7843 4 : .list_aux_files(lsn, &ctx, io_concurrency.clone())
7844 4 : .await
7845 4 : .unwrap();
7846 4 : assert_eq!(files.get("pg_logical/mappings/test1"), None);
7847 4 : assert_eq!(files.get("pg_logical/mappings/test2"), None);
7848 4 : }
7849 :
7850 : #[tokio::test]
7851 4 : async fn test_metadata_image_creation() -> anyhow::Result<()> {
7852 4 : let harness = TenantHarness::create("test_metadata_image_creation").await?;
7853 4 : let (tenant, ctx) = harness.load().await;
7854 4 : let io_concurrency = IoConcurrency::spawn_for_test();
7855 4 : let tline = tenant
7856 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
7857 4 : .await?;
7858 4 :
7859 4 : const NUM_KEYS: usize = 1000;
7860 4 : const STEP: usize = 10000; // random update + scan base_key + idx * STEP
7861 4 :
7862 4 : let cancel = CancellationToken::new();
7863 4 :
7864 4 : let base_key = Key::from_hex("620000000033333333444444445500000000").unwrap();
7865 4 : assert_eq!(base_key.field1, AUX_KEY_PREFIX); // in case someone accidentally changed the prefix...
7866 4 : let mut test_key = base_key;
7867 4 : let mut lsn = Lsn(0x10);
7868 4 :
7869 16 : async fn scan_with_statistics(
7870 16 : tline: &Timeline,
7871 16 : keyspace: &KeySpace,
7872 16 : lsn: Lsn,
7873 16 : ctx: &RequestContext,
7874 16 : io_concurrency: IoConcurrency,
7875 16 : ) -> anyhow::Result<(BTreeMap<Key, Result<Bytes, PageReconstructError>>, usize)> {
7876 16 : let mut reconstruct_state = ValuesReconstructState::new(io_concurrency);
7877 16 : let res = tline
7878 16 : .get_vectored_impl(keyspace.clone(), lsn, &mut reconstruct_state, ctx)
7879 16 : .await?;
7880 16 : Ok((res, reconstruct_state.get_delta_layers_visited() as usize))
7881 16 : }
7882 4 :
7883 4004 : for blknum in 0..NUM_KEYS {
7884 4000 : lsn = Lsn(lsn.0 + 0x10);
7885 4000 : test_key.field6 = (blknum * STEP) as u32;
7886 4000 : let mut writer = tline.writer().await;
7887 4000 : writer
7888 4000 : .put(
7889 4000 : test_key,
7890 4000 : lsn,
7891 4000 : &Value::Image(test_img(&format!("{} at {}", blknum, lsn))),
7892 4000 : &ctx,
7893 4000 : )
7894 4000 : .await?;
7895 4000 : writer.finish_write(lsn);
7896 4000 : drop(writer);
7897 4 : }
7898 4 :
7899 4 : let keyspace = KeySpace::single(base_key..base_key.add((NUM_KEYS * STEP) as u32));
7900 4 :
7901 44 : for iter in 1..=10 {
7902 40040 : for _ in 0..NUM_KEYS {
7903 40000 : lsn = Lsn(lsn.0 + 0x10);
7904 40000 : let blknum = thread_rng().gen_range(0..NUM_KEYS);
7905 40000 : test_key.field6 = (blknum * STEP) as u32;
7906 40000 : let mut writer = tline.writer().await;
7907 40000 : writer
7908 40000 : .put(
7909 40000 : test_key,
7910 40000 : lsn,
7911 40000 : &Value::Image(test_img(&format!("{} at {}", blknum, lsn))),
7912 40000 : &ctx,
7913 40000 : )
7914 40000 : .await?;
7915 40000 : writer.finish_write(lsn);
7916 40000 : drop(writer);
7917 4 : }
7918 4 :
7919 40 : tline.freeze_and_flush().await?;
7920 4 :
7921 40 : if iter % 5 == 0 {
7922 8 : let (_, before_delta_file_accessed) =
7923 8 : scan_with_statistics(&tline, &keyspace, lsn, &ctx, io_concurrency.clone())
7924 8 : .await?;
7925 8 : tline
7926 8 : .compact(
7927 8 : &cancel,
7928 8 : {
7929 8 : let mut flags = EnumSet::new();
7930 8 : flags.insert(CompactFlags::ForceImageLayerCreation);
7931 8 : flags.insert(CompactFlags::ForceRepartition);
7932 8 : flags.insert(CompactFlags::NoYield);
7933 8 : flags
7934 8 : },
7935 8 : &ctx,
7936 8 : )
7937 8 : .await?;
7938 8 : let (_, after_delta_file_accessed) =
7939 8 : scan_with_statistics(&tline, &keyspace, lsn, &ctx, io_concurrency.clone())
7940 8 : .await?;
7941 8 : assert!(
7942 8 : after_delta_file_accessed < before_delta_file_accessed,
7943 4 : "after_delta_file_accessed={after_delta_file_accessed}, before_delta_file_accessed={before_delta_file_accessed}"
7944 4 : );
7945 4 : // Given that we already produced an image layer, there should be no delta layer needed for the scan, but still setting a low threshold there for unforeseen circumstances.
7946 8 : assert!(
7947 8 : after_delta_file_accessed <= 2,
7948 4 : "after_delta_file_accessed={after_delta_file_accessed}"
7949 4 : );
7950 32 : }
7951 4 : }
7952 4 :
7953 4 : Ok(())
7954 4 : }
7955 :
7956 : #[tokio::test]
7957 4 : async fn test_vectored_missing_data_key_reads() -> anyhow::Result<()> {
7958 4 : let harness = TenantHarness::create("test_vectored_missing_data_key_reads").await?;
7959 4 : let (tenant, ctx) = harness.load().await;
7960 4 :
7961 4 : let base_key = Key::from_hex("000000000033333333444444445500000000").unwrap();
7962 4 : let base_key_child = Key::from_hex("000000000033333333444444445500000001").unwrap();
7963 4 : let base_key_nonexist = Key::from_hex("000000000033333333444444445500000002").unwrap();
7964 4 :
7965 4 : let tline = tenant
7966 4 : .create_test_timeline_with_layers(
7967 4 : TIMELINE_ID,
7968 4 : Lsn(0x10),
7969 4 : DEFAULT_PG_VERSION,
7970 4 : &ctx,
7971 4 : Vec::new(), // in-memory layers
7972 4 : Vec::new(), // delta layers
7973 4 : vec![(Lsn(0x20), vec![(base_key, test_img("data key 1"))])], // image layers
7974 4 : Lsn(0x20), // it's fine to not advance LSN to 0x30 while using 0x30 to get below because `get_vectored_impl` does not wait for LSN
7975 4 : )
7976 4 : .await?;
7977 4 : tline.add_extra_test_dense_keyspace(KeySpace::single(base_key..(base_key_nonexist.next())));
7978 4 :
7979 4 : let child = tenant
7980 4 : .branch_timeline_test_with_layers(
7981 4 : &tline,
7982 4 : NEW_TIMELINE_ID,
7983 4 : Some(Lsn(0x20)),
7984 4 : &ctx,
7985 4 : Vec::new(), // delta layers
7986 4 : vec![(Lsn(0x30), vec![(base_key_child, test_img("data key 2"))])], // image layers
7987 4 : Lsn(0x30),
7988 4 : )
7989 4 : .await
7990 4 : .unwrap();
7991 4 :
7992 4 : let lsn = Lsn(0x30);
7993 4 :
7994 4 : // test vectored get on parent timeline
7995 4 : assert_eq!(
7996 4 : get_vectored_impl_wrapper(&tline, base_key, lsn, &ctx).await?,
7997 4 : Some(test_img("data key 1"))
7998 4 : );
7999 4 : assert!(
8000 4 : get_vectored_impl_wrapper(&tline, base_key_child, lsn, &ctx)
8001 4 : .await
8002 4 : .unwrap_err()
8003 4 : .is_missing_key_error()
8004 4 : );
8005 4 : assert!(
8006 4 : get_vectored_impl_wrapper(&tline, base_key_nonexist, lsn, &ctx)
8007 4 : .await
8008 4 : .unwrap_err()
8009 4 : .is_missing_key_error()
8010 4 : );
8011 4 :
8012 4 : // test vectored get on child timeline
8013 4 : assert_eq!(
8014 4 : get_vectored_impl_wrapper(&child, base_key, lsn, &ctx).await?,
8015 4 : Some(test_img("data key 1"))
8016 4 : );
8017 4 : assert_eq!(
8018 4 : get_vectored_impl_wrapper(&child, base_key_child, lsn, &ctx).await?,
8019 4 : Some(test_img("data key 2"))
8020 4 : );
8021 4 : assert!(
8022 4 : get_vectored_impl_wrapper(&child, base_key_nonexist, lsn, &ctx)
8023 4 : .await
8024 4 : .unwrap_err()
8025 4 : .is_missing_key_error()
8026 4 : );
8027 4 :
8028 4 : Ok(())
8029 4 : }
8030 :
8031 : #[tokio::test]
8032 4 : async fn test_vectored_missing_metadata_key_reads() -> anyhow::Result<()> {
8033 4 : let harness = TenantHarness::create("test_vectored_missing_metadata_key_reads").await?;
8034 4 : let (tenant, ctx) = harness.load().await;
8035 4 : let io_concurrency = IoConcurrency::spawn_for_test();
8036 4 :
8037 4 : let base_key = Key::from_hex("620000000033333333444444445500000000").unwrap();
8038 4 : let base_key_child = Key::from_hex("620000000033333333444444445500000001").unwrap();
8039 4 : let base_key_nonexist = Key::from_hex("620000000033333333444444445500000002").unwrap();
8040 4 : let base_key_overwrite = Key::from_hex("620000000033333333444444445500000003").unwrap();
8041 4 :
8042 4 : let base_inherited_key = Key::from_hex("610000000033333333444444445500000000").unwrap();
8043 4 : let base_inherited_key_child =
8044 4 : Key::from_hex("610000000033333333444444445500000001").unwrap();
8045 4 : let base_inherited_key_nonexist =
8046 4 : Key::from_hex("610000000033333333444444445500000002").unwrap();
8047 4 : let base_inherited_key_overwrite =
8048 4 : Key::from_hex("610000000033333333444444445500000003").unwrap();
8049 4 :
8050 4 : assert_eq!(base_key.field1, AUX_KEY_PREFIX); // in case someone accidentally changed the prefix...
8051 4 : assert_eq!(base_inherited_key.field1, RELATION_SIZE_PREFIX);
8052 4 :
8053 4 : let tline = tenant
8054 4 : .create_test_timeline_with_layers(
8055 4 : TIMELINE_ID,
8056 4 : Lsn(0x10),
8057 4 : DEFAULT_PG_VERSION,
8058 4 : &ctx,
8059 4 : Vec::new(), // in-memory layers
8060 4 : Vec::new(), // delta layers
8061 4 : vec![(
8062 4 : Lsn(0x20),
8063 4 : vec![
8064 4 : (base_inherited_key, test_img("metadata inherited key 1")),
8065 4 : (
8066 4 : base_inherited_key_overwrite,
8067 4 : test_img("metadata key overwrite 1a"),
8068 4 : ),
8069 4 : (base_key, test_img("metadata key 1")),
8070 4 : (base_key_overwrite, test_img("metadata key overwrite 1b")),
8071 4 : ],
8072 4 : )], // image layers
8073 4 : Lsn(0x20), // it's fine to not advance LSN to 0x30 while using 0x30 to get below because `get_vectored_impl` does not wait for LSN
8074 4 : )
8075 4 : .await?;
8076 4 :
8077 4 : let child = tenant
8078 4 : .branch_timeline_test_with_layers(
8079 4 : &tline,
8080 4 : NEW_TIMELINE_ID,
8081 4 : Some(Lsn(0x20)),
8082 4 : &ctx,
8083 4 : Vec::new(), // delta layers
8084 4 : vec![(
8085 4 : Lsn(0x30),
8086 4 : vec![
8087 4 : (
8088 4 : base_inherited_key_child,
8089 4 : test_img("metadata inherited key 2"),
8090 4 : ),
8091 4 : (
8092 4 : base_inherited_key_overwrite,
8093 4 : test_img("metadata key overwrite 2a"),
8094 4 : ),
8095 4 : (base_key_child, test_img("metadata key 2")),
8096 4 : (base_key_overwrite, test_img("metadata key overwrite 2b")),
8097 4 : ],
8098 4 : )], // image layers
8099 4 : Lsn(0x30),
8100 4 : )
8101 4 : .await
8102 4 : .unwrap();
8103 4 :
8104 4 : let lsn = Lsn(0x30);
8105 4 :
8106 4 : // test vectored get on parent timeline
8107 4 : assert_eq!(
8108 4 : get_vectored_impl_wrapper(&tline, base_key, lsn, &ctx).await?,
8109 4 : Some(test_img("metadata key 1"))
8110 4 : );
8111 4 : assert_eq!(
8112 4 : get_vectored_impl_wrapper(&tline, base_key_child, lsn, &ctx).await?,
8113 4 : None
8114 4 : );
8115 4 : assert_eq!(
8116 4 : get_vectored_impl_wrapper(&tline, base_key_nonexist, lsn, &ctx).await?,
8117 4 : None
8118 4 : );
8119 4 : assert_eq!(
8120 4 : get_vectored_impl_wrapper(&tline, base_key_overwrite, lsn, &ctx).await?,
8121 4 : Some(test_img("metadata key overwrite 1b"))
8122 4 : );
8123 4 : assert_eq!(
8124 4 : get_vectored_impl_wrapper(&tline, base_inherited_key, lsn, &ctx).await?,
8125 4 : Some(test_img("metadata inherited key 1"))
8126 4 : );
8127 4 : assert_eq!(
8128 4 : get_vectored_impl_wrapper(&tline, base_inherited_key_child, lsn, &ctx).await?,
8129 4 : None
8130 4 : );
8131 4 : assert_eq!(
8132 4 : get_vectored_impl_wrapper(&tline, base_inherited_key_nonexist, lsn, &ctx).await?,
8133 4 : None
8134 4 : );
8135 4 : assert_eq!(
8136 4 : get_vectored_impl_wrapper(&tline, base_inherited_key_overwrite, lsn, &ctx).await?,
8137 4 : Some(test_img("metadata key overwrite 1a"))
8138 4 : );
8139 4 :
8140 4 : // test vectored get on child timeline
8141 4 : assert_eq!(
8142 4 : get_vectored_impl_wrapper(&child, base_key, lsn, &ctx).await?,
8143 4 : None
8144 4 : );
8145 4 : assert_eq!(
8146 4 : get_vectored_impl_wrapper(&child, base_key_child, lsn, &ctx).await?,
8147 4 : Some(test_img("metadata key 2"))
8148 4 : );
8149 4 : assert_eq!(
8150 4 : get_vectored_impl_wrapper(&child, base_key_nonexist, lsn, &ctx).await?,
8151 4 : None
8152 4 : );
8153 4 : assert_eq!(
8154 4 : get_vectored_impl_wrapper(&child, base_inherited_key, lsn, &ctx).await?,
8155 4 : Some(test_img("metadata inherited key 1"))
8156 4 : );
8157 4 : assert_eq!(
8158 4 : get_vectored_impl_wrapper(&child, base_inherited_key_child, lsn, &ctx).await?,
8159 4 : Some(test_img("metadata inherited key 2"))
8160 4 : );
8161 4 : assert_eq!(
8162 4 : get_vectored_impl_wrapper(&child, base_inherited_key_nonexist, lsn, &ctx).await?,
8163 4 : None
8164 4 : );
8165 4 : assert_eq!(
8166 4 : get_vectored_impl_wrapper(&child, base_key_overwrite, lsn, &ctx).await?,
8167 4 : Some(test_img("metadata key overwrite 2b"))
8168 4 : );
8169 4 : assert_eq!(
8170 4 : get_vectored_impl_wrapper(&child, base_inherited_key_overwrite, lsn, &ctx).await?,
8171 4 : Some(test_img("metadata key overwrite 2a"))
8172 4 : );
8173 4 :
8174 4 : // test vectored scan on parent timeline
8175 4 : let mut reconstruct_state = ValuesReconstructState::new(io_concurrency.clone());
8176 4 : let res = tline
8177 4 : .get_vectored_impl(
8178 4 : KeySpace::single(Key::metadata_key_range()),
8179 4 : lsn,
8180 4 : &mut reconstruct_state,
8181 4 : &ctx,
8182 4 : )
8183 4 : .await?;
8184 4 :
8185 4 : assert_eq!(
8186 4 : res.into_iter()
8187 16 : .map(|(k, v)| (k, v.unwrap()))
8188 4 : .collect::<Vec<_>>(),
8189 4 : vec![
8190 4 : (base_inherited_key, test_img("metadata inherited key 1")),
8191 4 : (
8192 4 : base_inherited_key_overwrite,
8193 4 : test_img("metadata key overwrite 1a")
8194 4 : ),
8195 4 : (base_key, test_img("metadata key 1")),
8196 4 : (base_key_overwrite, test_img("metadata key overwrite 1b")),
8197 4 : ]
8198 4 : );
8199 4 :
8200 4 : // test vectored scan on child timeline
8201 4 : let mut reconstruct_state = ValuesReconstructState::new(io_concurrency.clone());
8202 4 : let res = child
8203 4 : .get_vectored_impl(
8204 4 : KeySpace::single(Key::metadata_key_range()),
8205 4 : lsn,
8206 4 : &mut reconstruct_state,
8207 4 : &ctx,
8208 4 : )
8209 4 : .await?;
8210 4 :
8211 4 : assert_eq!(
8212 4 : res.into_iter()
8213 20 : .map(|(k, v)| (k, v.unwrap()))
8214 4 : .collect::<Vec<_>>(),
8215 4 : vec![
8216 4 : (base_inherited_key, test_img("metadata inherited key 1")),
8217 4 : (
8218 4 : base_inherited_key_child,
8219 4 : test_img("metadata inherited key 2")
8220 4 : ),
8221 4 : (
8222 4 : base_inherited_key_overwrite,
8223 4 : test_img("metadata key overwrite 2a")
8224 4 : ),
8225 4 : (base_key_child, test_img("metadata key 2")),
8226 4 : (base_key_overwrite, test_img("metadata key overwrite 2b")),
8227 4 : ]
8228 4 : );
8229 4 :
8230 4 : Ok(())
8231 4 : }
8232 :
8233 112 : async fn get_vectored_impl_wrapper(
8234 112 : tline: &Arc<Timeline>,
8235 112 : key: Key,
8236 112 : lsn: Lsn,
8237 112 : ctx: &RequestContext,
8238 112 : ) -> Result<Option<Bytes>, GetVectoredError> {
8239 112 : let io_concurrency =
8240 112 : IoConcurrency::spawn_from_conf(tline.conf, tline.gate.enter().unwrap());
8241 112 : let mut reconstruct_state = ValuesReconstructState::new(io_concurrency);
8242 112 : let mut res = tline
8243 112 : .get_vectored_impl(
8244 112 : KeySpace::single(key..key.next()),
8245 112 : lsn,
8246 112 : &mut reconstruct_state,
8247 112 : ctx,
8248 112 : )
8249 112 : .await?;
8250 100 : Ok(res.pop_last().map(|(k, v)| {
8251 64 : assert_eq!(k, key);
8252 64 : v.unwrap()
8253 100 : }))
8254 112 : }
8255 :
8256 : #[tokio::test]
8257 4 : async fn test_metadata_tombstone_reads() -> anyhow::Result<()> {
8258 4 : let harness = TenantHarness::create("test_metadata_tombstone_reads").await?;
8259 4 : let (tenant, ctx) = harness.load().await;
8260 4 : let key0 = Key::from_hex("620000000033333333444444445500000000").unwrap();
8261 4 : let key1 = Key::from_hex("620000000033333333444444445500000001").unwrap();
8262 4 : let key2 = Key::from_hex("620000000033333333444444445500000002").unwrap();
8263 4 : let key3 = Key::from_hex("620000000033333333444444445500000003").unwrap();
8264 4 :
8265 4 : // We emulate the situation that the compaction algorithm creates an image layer that removes the tombstones
8266 4 : // Lsn 0x30 key0, key3, no key1+key2
8267 4 : // Lsn 0x20 key1+key2 tomestones
8268 4 : // Lsn 0x10 key1 in image, key2 in delta
8269 4 : let tline = tenant
8270 4 : .create_test_timeline_with_layers(
8271 4 : TIMELINE_ID,
8272 4 : Lsn(0x10),
8273 4 : DEFAULT_PG_VERSION,
8274 4 : &ctx,
8275 4 : Vec::new(), // in-memory layers
8276 4 : // delta layers
8277 4 : vec![
8278 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
8279 4 : Lsn(0x10)..Lsn(0x20),
8280 4 : vec![(key2, Lsn(0x10), Value::Image(test_img("metadata key 2")))],
8281 4 : ),
8282 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
8283 4 : Lsn(0x20)..Lsn(0x30),
8284 4 : vec![(key1, Lsn(0x20), Value::Image(Bytes::new()))],
8285 4 : ),
8286 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
8287 4 : Lsn(0x20)..Lsn(0x30),
8288 4 : vec![(key2, Lsn(0x20), Value::Image(Bytes::new()))],
8289 4 : ),
8290 4 : ],
8291 4 : // image layers
8292 4 : vec![
8293 4 : (Lsn(0x10), vec![(key1, test_img("metadata key 1"))]),
8294 4 : (
8295 4 : Lsn(0x30),
8296 4 : vec![
8297 4 : (key0, test_img("metadata key 0")),
8298 4 : (key3, test_img("metadata key 3")),
8299 4 : ],
8300 4 : ),
8301 4 : ],
8302 4 : Lsn(0x30),
8303 4 : )
8304 4 : .await?;
8305 4 :
8306 4 : let lsn = Lsn(0x30);
8307 4 : let old_lsn = Lsn(0x20);
8308 4 :
8309 4 : assert_eq!(
8310 4 : get_vectored_impl_wrapper(&tline, key0, lsn, &ctx).await?,
8311 4 : Some(test_img("metadata key 0"))
8312 4 : );
8313 4 : assert_eq!(
8314 4 : get_vectored_impl_wrapper(&tline, key1, lsn, &ctx).await?,
8315 4 : None,
8316 4 : );
8317 4 : assert_eq!(
8318 4 : get_vectored_impl_wrapper(&tline, key2, lsn, &ctx).await?,
8319 4 : None,
8320 4 : );
8321 4 : assert_eq!(
8322 4 : get_vectored_impl_wrapper(&tline, key1, old_lsn, &ctx).await?,
8323 4 : Some(Bytes::new()),
8324 4 : );
8325 4 : assert_eq!(
8326 4 : get_vectored_impl_wrapper(&tline, key2, old_lsn, &ctx).await?,
8327 4 : Some(Bytes::new()),
8328 4 : );
8329 4 : assert_eq!(
8330 4 : get_vectored_impl_wrapper(&tline, key3, lsn, &ctx).await?,
8331 4 : Some(test_img("metadata key 3"))
8332 4 : );
8333 4 :
8334 4 : Ok(())
8335 4 : }
8336 :
8337 : #[tokio::test]
8338 4 : async fn test_metadata_tombstone_image_creation() {
8339 4 : let harness = TenantHarness::create("test_metadata_tombstone_image_creation")
8340 4 : .await
8341 4 : .unwrap();
8342 4 : let (tenant, ctx) = harness.load().await;
8343 4 : let io_concurrency = IoConcurrency::spawn_for_test();
8344 4 :
8345 4 : let key0 = Key::from_hex("620000000033333333444444445500000000").unwrap();
8346 4 : let key1 = Key::from_hex("620000000033333333444444445500000001").unwrap();
8347 4 : let key2 = Key::from_hex("620000000033333333444444445500000002").unwrap();
8348 4 : let key3 = Key::from_hex("620000000033333333444444445500000003").unwrap();
8349 4 :
8350 4 : let tline = tenant
8351 4 : .create_test_timeline_with_layers(
8352 4 : TIMELINE_ID,
8353 4 : Lsn(0x10),
8354 4 : DEFAULT_PG_VERSION,
8355 4 : &ctx,
8356 4 : Vec::new(), // in-memory layers
8357 4 : // delta layers
8358 4 : vec![
8359 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
8360 4 : Lsn(0x10)..Lsn(0x20),
8361 4 : vec![(key2, Lsn(0x10), Value::Image(test_img("metadata key 2")))],
8362 4 : ),
8363 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
8364 4 : Lsn(0x20)..Lsn(0x30),
8365 4 : vec![(key1, Lsn(0x20), Value::Image(Bytes::new()))],
8366 4 : ),
8367 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
8368 4 : Lsn(0x20)..Lsn(0x30),
8369 4 : vec![(key2, Lsn(0x20), Value::Image(Bytes::new()))],
8370 4 : ),
8371 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
8372 4 : Lsn(0x30)..Lsn(0x40),
8373 4 : vec![
8374 4 : (key0, Lsn(0x30), Value::Image(test_img("metadata key 0"))),
8375 4 : (key3, Lsn(0x30), Value::Image(test_img("metadata key 3"))),
8376 4 : ],
8377 4 : ),
8378 4 : ],
8379 4 : // image layers
8380 4 : vec![(Lsn(0x10), vec![(key1, test_img("metadata key 1"))])],
8381 4 : Lsn(0x40),
8382 4 : )
8383 4 : .await
8384 4 : .unwrap();
8385 4 :
8386 4 : let cancel = CancellationToken::new();
8387 4 :
8388 4 : tline
8389 4 : .compact(
8390 4 : &cancel,
8391 4 : {
8392 4 : let mut flags = EnumSet::new();
8393 4 : flags.insert(CompactFlags::ForceImageLayerCreation);
8394 4 : flags.insert(CompactFlags::ForceRepartition);
8395 4 : flags.insert(CompactFlags::NoYield);
8396 4 : flags
8397 4 : },
8398 4 : &ctx,
8399 4 : )
8400 4 : .await
8401 4 : .unwrap();
8402 4 :
8403 4 : // Image layers are created at last_record_lsn
8404 4 : let images = tline
8405 4 : .inspect_image_layers(Lsn(0x40), &ctx, io_concurrency.clone())
8406 4 : .await
8407 4 : .unwrap()
8408 4 : .into_iter()
8409 36 : .filter(|(k, _)| k.is_metadata_key())
8410 4 : .collect::<Vec<_>>();
8411 4 : assert_eq!(images.len(), 2); // the image layer should only contain two existing keys, tombstones should be removed.
8412 4 : }
8413 :
8414 : #[tokio::test]
8415 4 : async fn test_metadata_tombstone_empty_image_creation() {
8416 4 : let harness = TenantHarness::create("test_metadata_tombstone_empty_image_creation")
8417 4 : .await
8418 4 : .unwrap();
8419 4 : let (tenant, ctx) = harness.load().await;
8420 4 : let io_concurrency = IoConcurrency::spawn_for_test();
8421 4 :
8422 4 : let key1 = Key::from_hex("620000000033333333444444445500000001").unwrap();
8423 4 : let key2 = Key::from_hex("620000000033333333444444445500000002").unwrap();
8424 4 :
8425 4 : let tline = tenant
8426 4 : .create_test_timeline_with_layers(
8427 4 : TIMELINE_ID,
8428 4 : Lsn(0x10),
8429 4 : DEFAULT_PG_VERSION,
8430 4 : &ctx,
8431 4 : Vec::new(), // in-memory layers
8432 4 : // delta layers
8433 4 : vec![
8434 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
8435 4 : Lsn(0x10)..Lsn(0x20),
8436 4 : vec![(key2, Lsn(0x10), Value::Image(test_img("metadata key 2")))],
8437 4 : ),
8438 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
8439 4 : Lsn(0x20)..Lsn(0x30),
8440 4 : vec![(key1, Lsn(0x20), Value::Image(Bytes::new()))],
8441 4 : ),
8442 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
8443 4 : Lsn(0x20)..Lsn(0x30),
8444 4 : vec![(key2, Lsn(0x20), Value::Image(Bytes::new()))],
8445 4 : ),
8446 4 : ],
8447 4 : // image layers
8448 4 : vec![(Lsn(0x10), vec![(key1, test_img("metadata key 1"))])],
8449 4 : Lsn(0x30),
8450 4 : )
8451 4 : .await
8452 4 : .unwrap();
8453 4 :
8454 4 : let cancel = CancellationToken::new();
8455 4 :
8456 4 : tline
8457 4 : .compact(
8458 4 : &cancel,
8459 4 : {
8460 4 : let mut flags = EnumSet::new();
8461 4 : flags.insert(CompactFlags::ForceImageLayerCreation);
8462 4 : flags.insert(CompactFlags::ForceRepartition);
8463 4 : flags.insert(CompactFlags::NoYield);
8464 4 : flags
8465 4 : },
8466 4 : &ctx,
8467 4 : )
8468 4 : .await
8469 4 : .unwrap();
8470 4 :
8471 4 : // Image layers are created at last_record_lsn
8472 4 : let images = tline
8473 4 : .inspect_image_layers(Lsn(0x30), &ctx, io_concurrency.clone())
8474 4 : .await
8475 4 : .unwrap()
8476 4 : .into_iter()
8477 28 : .filter(|(k, _)| k.is_metadata_key())
8478 4 : .collect::<Vec<_>>();
8479 4 : assert_eq!(images.len(), 0); // the image layer should not contain tombstones, or it is not created
8480 4 : }
8481 :
8482 : #[tokio::test]
8483 4 : async fn test_simple_bottom_most_compaction_images() -> anyhow::Result<()> {
8484 4 : let harness = TenantHarness::create("test_simple_bottom_most_compaction_images").await?;
8485 4 : let (tenant, ctx) = harness.load().await;
8486 4 : let io_concurrency = IoConcurrency::spawn_for_test();
8487 4 :
8488 204 : fn get_key(id: u32) -> Key {
8489 204 : // using aux key here b/c they are guaranteed to be inside `collect_keyspace`.
8490 204 : let mut key = Key::from_hex("620000000033333333444444445500000000").unwrap();
8491 204 : key.field6 = id;
8492 204 : key
8493 204 : }
8494 4 :
8495 4 : // We create
8496 4 : // - one bottom-most image layer,
8497 4 : // - a delta layer D1 crossing the GC horizon with data below and above the horizon,
8498 4 : // - a delta layer D2 crossing the GC horizon with data only below the horizon,
8499 4 : // - a delta layer D3 above the horizon.
8500 4 : //
8501 4 : // | D3 |
8502 4 : // | D1 |
8503 4 : // -| |-- gc horizon -----------------
8504 4 : // | | | D2 |
8505 4 : // --------- img layer ------------------
8506 4 : //
8507 4 : // What we should expact from this compaction is:
8508 4 : // | D3 |
8509 4 : // | Part of D1 |
8510 4 : // --------- img layer with D1+D2 at GC horizon------------------
8511 4 :
8512 4 : // img layer at 0x10
8513 4 : let img_layer = (0..10)
8514 40 : .map(|id| (get_key(id), Bytes::from(format!("value {id}@0x10"))))
8515 4 : .collect_vec();
8516 4 :
8517 4 : let delta1 = vec![
8518 4 : (
8519 4 : get_key(1),
8520 4 : Lsn(0x20),
8521 4 : Value::Image(Bytes::from("value 1@0x20")),
8522 4 : ),
8523 4 : (
8524 4 : get_key(2),
8525 4 : Lsn(0x30),
8526 4 : Value::Image(Bytes::from("value 2@0x30")),
8527 4 : ),
8528 4 : (
8529 4 : get_key(3),
8530 4 : Lsn(0x40),
8531 4 : Value::Image(Bytes::from("value 3@0x40")),
8532 4 : ),
8533 4 : ];
8534 4 : let delta2 = vec![
8535 4 : (
8536 4 : get_key(5),
8537 4 : Lsn(0x20),
8538 4 : Value::Image(Bytes::from("value 5@0x20")),
8539 4 : ),
8540 4 : (
8541 4 : get_key(6),
8542 4 : Lsn(0x20),
8543 4 : Value::Image(Bytes::from("value 6@0x20")),
8544 4 : ),
8545 4 : ];
8546 4 : let delta3 = vec![
8547 4 : (
8548 4 : get_key(8),
8549 4 : Lsn(0x48),
8550 4 : Value::Image(Bytes::from("value 8@0x48")),
8551 4 : ),
8552 4 : (
8553 4 : get_key(9),
8554 4 : Lsn(0x48),
8555 4 : Value::Image(Bytes::from("value 9@0x48")),
8556 4 : ),
8557 4 : ];
8558 4 :
8559 4 : let tline = tenant
8560 4 : .create_test_timeline_with_layers(
8561 4 : TIMELINE_ID,
8562 4 : Lsn(0x10),
8563 4 : DEFAULT_PG_VERSION,
8564 4 : &ctx,
8565 4 : Vec::new(), // in-memory layers
8566 4 : vec![
8567 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x20)..Lsn(0x48), delta1),
8568 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x20)..Lsn(0x48), delta2),
8569 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x48)..Lsn(0x50), delta3),
8570 4 : ], // delta layers
8571 4 : vec![(Lsn(0x10), img_layer)], // image layers
8572 4 : Lsn(0x50),
8573 4 : )
8574 4 : .await?;
8575 4 : {
8576 4 : tline
8577 4 : .applied_gc_cutoff_lsn
8578 4 : .lock_for_write()
8579 4 : .store_and_unlock(Lsn(0x30))
8580 4 : .wait()
8581 4 : .await;
8582 4 : // Update GC info
8583 4 : let mut guard = tline.gc_info.write().unwrap();
8584 4 : guard.cutoffs.time = Lsn(0x30);
8585 4 : guard.cutoffs.space = Lsn(0x30);
8586 4 : }
8587 4 :
8588 4 : let expected_result = [
8589 4 : Bytes::from_static(b"value 0@0x10"),
8590 4 : Bytes::from_static(b"value 1@0x20"),
8591 4 : Bytes::from_static(b"value 2@0x30"),
8592 4 : Bytes::from_static(b"value 3@0x40"),
8593 4 : Bytes::from_static(b"value 4@0x10"),
8594 4 : Bytes::from_static(b"value 5@0x20"),
8595 4 : Bytes::from_static(b"value 6@0x20"),
8596 4 : Bytes::from_static(b"value 7@0x10"),
8597 4 : Bytes::from_static(b"value 8@0x48"),
8598 4 : Bytes::from_static(b"value 9@0x48"),
8599 4 : ];
8600 4 :
8601 40 : for (idx, expected) in expected_result.iter().enumerate() {
8602 40 : assert_eq!(
8603 40 : tline
8604 40 : .get(get_key(idx as u32), Lsn(0x50), &ctx)
8605 40 : .await
8606 40 : .unwrap(),
8607 4 : expected
8608 4 : );
8609 4 : }
8610 4 :
8611 4 : let cancel = CancellationToken::new();
8612 4 : tline
8613 4 : .compact_with_gc(&cancel, CompactOptions::default(), &ctx)
8614 4 : .await
8615 4 : .unwrap();
8616 4 :
8617 40 : for (idx, expected) in expected_result.iter().enumerate() {
8618 40 : assert_eq!(
8619 40 : tline
8620 40 : .get(get_key(idx as u32), Lsn(0x50), &ctx)
8621 40 : .await
8622 40 : .unwrap(),
8623 4 : expected
8624 4 : );
8625 4 : }
8626 4 :
8627 4 : // Check if the image layer at the GC horizon contains exactly what we want
8628 4 : let image_at_gc_horizon = tline
8629 4 : .inspect_image_layers(Lsn(0x30), &ctx, io_concurrency.clone())
8630 4 : .await
8631 4 : .unwrap()
8632 4 : .into_iter()
8633 68 : .filter(|(k, _)| k.is_metadata_key())
8634 4 : .collect::<Vec<_>>();
8635 4 :
8636 4 : assert_eq!(image_at_gc_horizon.len(), 10);
8637 4 : let expected_result = [
8638 4 : Bytes::from_static(b"value 0@0x10"),
8639 4 : Bytes::from_static(b"value 1@0x20"),
8640 4 : Bytes::from_static(b"value 2@0x30"),
8641 4 : Bytes::from_static(b"value 3@0x10"),
8642 4 : Bytes::from_static(b"value 4@0x10"),
8643 4 : Bytes::from_static(b"value 5@0x20"),
8644 4 : Bytes::from_static(b"value 6@0x20"),
8645 4 : Bytes::from_static(b"value 7@0x10"),
8646 4 : Bytes::from_static(b"value 8@0x10"),
8647 4 : Bytes::from_static(b"value 9@0x10"),
8648 4 : ];
8649 44 : for idx in 0..10 {
8650 40 : assert_eq!(
8651 40 : image_at_gc_horizon[idx],
8652 40 : (get_key(idx as u32), expected_result[idx].clone())
8653 40 : );
8654 4 : }
8655 4 :
8656 4 : // Check if old layers are removed / new layers have the expected LSN
8657 4 : let all_layers = inspect_and_sort(&tline, None).await;
8658 4 : assert_eq!(
8659 4 : all_layers,
8660 4 : vec![
8661 4 : // Image layer at GC horizon
8662 4 : PersistentLayerKey {
8663 4 : key_range: Key::MIN..Key::MAX,
8664 4 : lsn_range: Lsn(0x30)..Lsn(0x31),
8665 4 : is_delta: false
8666 4 : },
8667 4 : // The delta layer below the horizon
8668 4 : PersistentLayerKey {
8669 4 : key_range: get_key(3)..get_key(4),
8670 4 : lsn_range: Lsn(0x30)..Lsn(0x48),
8671 4 : is_delta: true
8672 4 : },
8673 4 : // The delta3 layer that should not be picked for the compaction
8674 4 : PersistentLayerKey {
8675 4 : key_range: get_key(8)..get_key(10),
8676 4 : lsn_range: Lsn(0x48)..Lsn(0x50),
8677 4 : is_delta: true
8678 4 : }
8679 4 : ]
8680 4 : );
8681 4 :
8682 4 : // increase GC horizon and compact again
8683 4 : {
8684 4 : tline
8685 4 : .applied_gc_cutoff_lsn
8686 4 : .lock_for_write()
8687 4 : .store_and_unlock(Lsn(0x40))
8688 4 : .wait()
8689 4 : .await;
8690 4 : // Update GC info
8691 4 : let mut guard = tline.gc_info.write().unwrap();
8692 4 : guard.cutoffs.time = Lsn(0x40);
8693 4 : guard.cutoffs.space = Lsn(0x40);
8694 4 : }
8695 4 : tline
8696 4 : .compact_with_gc(&cancel, CompactOptions::default(), &ctx)
8697 4 : .await
8698 4 : .unwrap();
8699 4 :
8700 4 : Ok(())
8701 4 : }
8702 :
8703 : #[cfg(feature = "testing")]
8704 : #[tokio::test]
8705 4 : async fn test_neon_test_record() -> anyhow::Result<()> {
8706 4 : let harness = TenantHarness::create("test_neon_test_record").await?;
8707 4 : let (tenant, ctx) = harness.load().await;
8708 4 :
8709 48 : fn get_key(id: u32) -> Key {
8710 48 : // using aux key here b/c they are guaranteed to be inside `collect_keyspace`.
8711 48 : let mut key = Key::from_hex("620000000033333333444444445500000000").unwrap();
8712 48 : key.field6 = id;
8713 48 : key
8714 48 : }
8715 4 :
8716 4 : let delta1 = vec![
8717 4 : (
8718 4 : get_key(1),
8719 4 : Lsn(0x20),
8720 4 : Value::WalRecord(NeonWalRecord::wal_append(",0x20")),
8721 4 : ),
8722 4 : (
8723 4 : get_key(1),
8724 4 : Lsn(0x30),
8725 4 : Value::WalRecord(NeonWalRecord::wal_append(",0x30")),
8726 4 : ),
8727 4 : (get_key(2), Lsn(0x10), Value::Image("0x10".into())),
8728 4 : (
8729 4 : get_key(2),
8730 4 : Lsn(0x20),
8731 4 : Value::WalRecord(NeonWalRecord::wal_append(",0x20")),
8732 4 : ),
8733 4 : (
8734 4 : get_key(2),
8735 4 : Lsn(0x30),
8736 4 : Value::WalRecord(NeonWalRecord::wal_append(",0x30")),
8737 4 : ),
8738 4 : (get_key(3), Lsn(0x10), Value::Image("0x10".into())),
8739 4 : (
8740 4 : get_key(3),
8741 4 : Lsn(0x20),
8742 4 : Value::WalRecord(NeonWalRecord::wal_clear("c")),
8743 4 : ),
8744 4 : (get_key(4), Lsn(0x10), Value::Image("0x10".into())),
8745 4 : (
8746 4 : get_key(4),
8747 4 : Lsn(0x20),
8748 4 : Value::WalRecord(NeonWalRecord::wal_init("i")),
8749 4 : ),
8750 4 : ];
8751 4 : let image1 = vec![(get_key(1), "0x10".into())];
8752 4 :
8753 4 : let tline = tenant
8754 4 : .create_test_timeline_with_layers(
8755 4 : TIMELINE_ID,
8756 4 : Lsn(0x10),
8757 4 : DEFAULT_PG_VERSION,
8758 4 : &ctx,
8759 4 : Vec::new(), // in-memory layers
8760 4 : vec![DeltaLayerTestDesc::new_with_inferred_key_range(
8761 4 : Lsn(0x10)..Lsn(0x40),
8762 4 : delta1,
8763 4 : )], // delta layers
8764 4 : vec![(Lsn(0x10), image1)], // image layers
8765 4 : Lsn(0x50),
8766 4 : )
8767 4 : .await?;
8768 4 :
8769 4 : assert_eq!(
8770 4 : tline.get(get_key(1), Lsn(0x50), &ctx).await?,
8771 4 : Bytes::from_static(b"0x10,0x20,0x30")
8772 4 : );
8773 4 : assert_eq!(
8774 4 : tline.get(get_key(2), Lsn(0x50), &ctx).await?,
8775 4 : Bytes::from_static(b"0x10,0x20,0x30")
8776 4 : );
8777 4 :
8778 4 : // Need to remove the limit of "Neon WAL redo requires base image".
8779 4 :
8780 4 : // assert_eq!(tline.get(get_key(3), Lsn(0x50), &ctx).await?, Bytes::new());
8781 4 : // assert_eq!(tline.get(get_key(4), Lsn(0x50), &ctx).await?, Bytes::new());
8782 4 :
8783 4 : Ok(())
8784 4 : }
8785 :
8786 : #[tokio::test(start_paused = true)]
8787 4 : async fn test_lsn_lease() -> anyhow::Result<()> {
8788 4 : let (tenant, ctx) = TenantHarness::create("test_lsn_lease")
8789 4 : .await
8790 4 : .unwrap()
8791 4 : .load()
8792 4 : .await;
8793 4 : // Advance to the lsn lease deadline so that GC is not blocked by
8794 4 : // initial transition into AttachedSingle.
8795 4 : tokio::time::advance(tenant.get_lsn_lease_length()).await;
8796 4 : tokio::time::resume();
8797 4 : let key = Key::from_hex("010000000033333333444444445500000000").unwrap();
8798 4 :
8799 4 : let end_lsn = Lsn(0x100);
8800 4 : let image_layers = (0x20..=0x90)
8801 4 : .step_by(0x10)
8802 32 : .map(|n| {
8803 32 : (
8804 32 : Lsn(n),
8805 32 : vec![(key, test_img(&format!("data key at {:x}", n)))],
8806 32 : )
8807 32 : })
8808 4 : .collect();
8809 4 :
8810 4 : let timeline = tenant
8811 4 : .create_test_timeline_with_layers(
8812 4 : TIMELINE_ID,
8813 4 : Lsn(0x10),
8814 4 : DEFAULT_PG_VERSION,
8815 4 : &ctx,
8816 4 : Vec::new(), // in-memory layers
8817 4 : Vec::new(),
8818 4 : image_layers,
8819 4 : end_lsn,
8820 4 : )
8821 4 : .await?;
8822 4 :
8823 4 : let leased_lsns = [0x30, 0x50, 0x70];
8824 4 : let mut leases = Vec::new();
8825 12 : leased_lsns.iter().for_each(|n| {
8826 12 : leases.push(
8827 12 : timeline
8828 12 : .init_lsn_lease(Lsn(*n), timeline.get_lsn_lease_length(), &ctx)
8829 12 : .expect("lease request should succeed"),
8830 12 : );
8831 12 : });
8832 4 :
8833 4 : let updated_lease_0 = timeline
8834 4 : .renew_lsn_lease(Lsn(leased_lsns[0]), Duration::from_secs(0), &ctx)
8835 4 : .expect("lease renewal should succeed");
8836 4 : assert_eq!(
8837 4 : updated_lease_0.valid_until, leases[0].valid_until,
8838 4 : " Renewing with shorter lease should not change the lease."
8839 4 : );
8840 4 :
8841 4 : let updated_lease_1 = timeline
8842 4 : .renew_lsn_lease(
8843 4 : Lsn(leased_lsns[1]),
8844 4 : timeline.get_lsn_lease_length() * 2,
8845 4 : &ctx,
8846 4 : )
8847 4 : .expect("lease renewal should succeed");
8848 4 : assert!(
8849 4 : updated_lease_1.valid_until > leases[1].valid_until,
8850 4 : "Renewing with a long lease should renew lease with later expiration time."
8851 4 : );
8852 4 :
8853 4 : // Force set disk consistent lsn so we can get the cutoff at `end_lsn`.
8854 4 : info!(
8855 4 : "applied_gc_cutoff_lsn: {}",
8856 0 : *timeline.get_applied_gc_cutoff_lsn()
8857 4 : );
8858 4 : timeline.force_set_disk_consistent_lsn(end_lsn);
8859 4 :
8860 4 : let res = tenant
8861 4 : .gc_iteration(
8862 4 : Some(TIMELINE_ID),
8863 4 : 0,
8864 4 : Duration::ZERO,
8865 4 : &CancellationToken::new(),
8866 4 : &ctx,
8867 4 : )
8868 4 : .await
8869 4 : .unwrap();
8870 4 :
8871 4 : // Keeping everything <= Lsn(0x80) b/c leases:
8872 4 : // 0/10: initdb layer
8873 4 : // (0/20..=0/70).step_by(0x10): image layers added when creating the timeline.
8874 4 : assert_eq!(res.layers_needed_by_leases, 7);
8875 4 : // Keeping 0/90 b/c it is the latest layer.
8876 4 : assert_eq!(res.layers_not_updated, 1);
8877 4 : // Removed 0/80.
8878 4 : assert_eq!(res.layers_removed, 1);
8879 4 :
8880 4 : // Make lease on a already GC-ed LSN.
8881 4 : // 0/80 does not have a valid lease + is below latest_gc_cutoff
8882 4 : assert!(Lsn(0x80) < *timeline.get_applied_gc_cutoff_lsn());
8883 4 : timeline
8884 4 : .init_lsn_lease(Lsn(0x80), timeline.get_lsn_lease_length(), &ctx)
8885 4 : .expect_err("lease request on GC-ed LSN should fail");
8886 4 :
8887 4 : // Should still be able to renew a currently valid lease
8888 4 : // Assumption: original lease to is still valid for 0/50.
8889 4 : // (use `Timeline::init_lsn_lease` for testing so it always does validation)
8890 4 : timeline
8891 4 : .init_lsn_lease(Lsn(leased_lsns[1]), timeline.get_lsn_lease_length(), &ctx)
8892 4 : .expect("lease renewal with validation should succeed");
8893 4 :
8894 4 : Ok(())
8895 4 : }
8896 :
8897 : #[cfg(feature = "testing")]
8898 : #[tokio::test]
8899 4 : async fn test_simple_bottom_most_compaction_deltas_1() -> anyhow::Result<()> {
8900 4 : test_simple_bottom_most_compaction_deltas_helper(
8901 4 : "test_simple_bottom_most_compaction_deltas_1",
8902 4 : false,
8903 4 : )
8904 4 : .await
8905 4 : }
8906 :
8907 : #[cfg(feature = "testing")]
8908 : #[tokio::test]
8909 4 : async fn test_simple_bottom_most_compaction_deltas_2() -> anyhow::Result<()> {
8910 4 : test_simple_bottom_most_compaction_deltas_helper(
8911 4 : "test_simple_bottom_most_compaction_deltas_2",
8912 4 : true,
8913 4 : )
8914 4 : .await
8915 4 : }
8916 :
8917 : #[cfg(feature = "testing")]
8918 8 : async fn test_simple_bottom_most_compaction_deltas_helper(
8919 8 : test_name: &'static str,
8920 8 : use_delta_bottom_layer: bool,
8921 8 : ) -> anyhow::Result<()> {
8922 8 : let harness = TenantHarness::create(test_name).await?;
8923 8 : let (tenant, ctx) = harness.load().await;
8924 :
8925 552 : fn get_key(id: u32) -> Key {
8926 552 : // using aux key here b/c they are guaranteed to be inside `collect_keyspace`.
8927 552 : let mut key = Key::from_hex("620000000033333333444444445500000000").unwrap();
8928 552 : key.field6 = id;
8929 552 : key
8930 552 : }
8931 :
8932 : // We create
8933 : // - one bottom-most image layer,
8934 : // - a delta layer D1 crossing the GC horizon with data below and above the horizon,
8935 : // - a delta layer D2 crossing the GC horizon with data only below the horizon,
8936 : // - a delta layer D3 above the horizon.
8937 : //
8938 : // | D3 |
8939 : // | D1 |
8940 : // -| |-- gc horizon -----------------
8941 : // | | | D2 |
8942 : // --------- img layer ------------------
8943 : //
8944 : // What we should expact from this compaction is:
8945 : // | D3 |
8946 : // | Part of D1 |
8947 : // --------- img layer with D1+D2 at GC horizon------------------
8948 :
8949 : // img layer at 0x10
8950 8 : let img_layer = (0..10)
8951 80 : .map(|id| (get_key(id), Bytes::from(format!("value {id}@0x10"))))
8952 8 : .collect_vec();
8953 8 : // or, delta layer at 0x10 if `use_delta_bottom_layer` is true
8954 8 : let delta4 = (0..10)
8955 80 : .map(|id| {
8956 80 : (
8957 80 : get_key(id),
8958 80 : Lsn(0x08),
8959 80 : Value::WalRecord(NeonWalRecord::wal_init(format!("value {id}@0x10"))),
8960 80 : )
8961 80 : })
8962 8 : .collect_vec();
8963 8 :
8964 8 : let delta1 = vec![
8965 8 : (
8966 8 : get_key(1),
8967 8 : Lsn(0x20),
8968 8 : Value::WalRecord(NeonWalRecord::wal_append("@0x20")),
8969 8 : ),
8970 8 : (
8971 8 : get_key(2),
8972 8 : Lsn(0x30),
8973 8 : Value::WalRecord(NeonWalRecord::wal_append("@0x30")),
8974 8 : ),
8975 8 : (
8976 8 : get_key(3),
8977 8 : Lsn(0x28),
8978 8 : Value::WalRecord(NeonWalRecord::wal_append("@0x28")),
8979 8 : ),
8980 8 : (
8981 8 : get_key(3),
8982 8 : Lsn(0x30),
8983 8 : Value::WalRecord(NeonWalRecord::wal_append("@0x30")),
8984 8 : ),
8985 8 : (
8986 8 : get_key(3),
8987 8 : Lsn(0x40),
8988 8 : Value::WalRecord(NeonWalRecord::wal_append("@0x40")),
8989 8 : ),
8990 8 : ];
8991 8 : let delta2 = vec![
8992 8 : (
8993 8 : get_key(5),
8994 8 : Lsn(0x20),
8995 8 : Value::WalRecord(NeonWalRecord::wal_append("@0x20")),
8996 8 : ),
8997 8 : (
8998 8 : get_key(6),
8999 8 : Lsn(0x20),
9000 8 : Value::WalRecord(NeonWalRecord::wal_append("@0x20")),
9001 8 : ),
9002 8 : ];
9003 8 : let delta3 = vec![
9004 8 : (
9005 8 : get_key(8),
9006 8 : Lsn(0x48),
9007 8 : Value::WalRecord(NeonWalRecord::wal_append("@0x48")),
9008 8 : ),
9009 8 : (
9010 8 : get_key(9),
9011 8 : Lsn(0x48),
9012 8 : Value::WalRecord(NeonWalRecord::wal_append("@0x48")),
9013 8 : ),
9014 8 : ];
9015 :
9016 8 : let tline = if use_delta_bottom_layer {
9017 4 : tenant
9018 4 : .create_test_timeline_with_layers(
9019 4 : TIMELINE_ID,
9020 4 : Lsn(0x08),
9021 4 : DEFAULT_PG_VERSION,
9022 4 : &ctx,
9023 4 : Vec::new(), // in-memory layers
9024 4 : vec![
9025 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
9026 4 : Lsn(0x08)..Lsn(0x10),
9027 4 : delta4,
9028 4 : ),
9029 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
9030 4 : Lsn(0x20)..Lsn(0x48),
9031 4 : delta1,
9032 4 : ),
9033 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
9034 4 : Lsn(0x20)..Lsn(0x48),
9035 4 : delta2,
9036 4 : ),
9037 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
9038 4 : Lsn(0x48)..Lsn(0x50),
9039 4 : delta3,
9040 4 : ),
9041 4 : ], // delta layers
9042 4 : vec![], // image layers
9043 4 : Lsn(0x50),
9044 4 : )
9045 4 : .await?
9046 : } else {
9047 4 : tenant
9048 4 : .create_test_timeline_with_layers(
9049 4 : TIMELINE_ID,
9050 4 : Lsn(0x10),
9051 4 : DEFAULT_PG_VERSION,
9052 4 : &ctx,
9053 4 : Vec::new(), // in-memory layers
9054 4 : vec![
9055 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
9056 4 : Lsn(0x10)..Lsn(0x48),
9057 4 : delta1,
9058 4 : ),
9059 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
9060 4 : Lsn(0x10)..Lsn(0x48),
9061 4 : delta2,
9062 4 : ),
9063 4 : DeltaLayerTestDesc::new_with_inferred_key_range(
9064 4 : Lsn(0x48)..Lsn(0x50),
9065 4 : delta3,
9066 4 : ),
9067 4 : ], // delta layers
9068 4 : vec![(Lsn(0x10), img_layer)], // image layers
9069 4 : Lsn(0x50),
9070 4 : )
9071 4 : .await?
9072 : };
9073 : {
9074 8 : tline
9075 8 : .applied_gc_cutoff_lsn
9076 8 : .lock_for_write()
9077 8 : .store_and_unlock(Lsn(0x30))
9078 8 : .wait()
9079 8 : .await;
9080 : // Update GC info
9081 8 : let mut guard = tline.gc_info.write().unwrap();
9082 8 : *guard = GcInfo {
9083 8 : retain_lsns: vec![],
9084 8 : cutoffs: GcCutoffs {
9085 8 : time: Lsn(0x30),
9086 8 : space: Lsn(0x30),
9087 8 : },
9088 8 : leases: Default::default(),
9089 8 : within_ancestor_pitr: false,
9090 8 : };
9091 8 : }
9092 8 :
9093 8 : let expected_result = [
9094 8 : Bytes::from_static(b"value 0@0x10"),
9095 8 : Bytes::from_static(b"value 1@0x10@0x20"),
9096 8 : Bytes::from_static(b"value 2@0x10@0x30"),
9097 8 : Bytes::from_static(b"value 3@0x10@0x28@0x30@0x40"),
9098 8 : Bytes::from_static(b"value 4@0x10"),
9099 8 : Bytes::from_static(b"value 5@0x10@0x20"),
9100 8 : Bytes::from_static(b"value 6@0x10@0x20"),
9101 8 : Bytes::from_static(b"value 7@0x10"),
9102 8 : Bytes::from_static(b"value 8@0x10@0x48"),
9103 8 : Bytes::from_static(b"value 9@0x10@0x48"),
9104 8 : ];
9105 8 :
9106 8 : let expected_result_at_gc_horizon = [
9107 8 : Bytes::from_static(b"value 0@0x10"),
9108 8 : Bytes::from_static(b"value 1@0x10@0x20"),
9109 8 : Bytes::from_static(b"value 2@0x10@0x30"),
9110 8 : Bytes::from_static(b"value 3@0x10@0x28@0x30"),
9111 8 : Bytes::from_static(b"value 4@0x10"),
9112 8 : Bytes::from_static(b"value 5@0x10@0x20"),
9113 8 : Bytes::from_static(b"value 6@0x10@0x20"),
9114 8 : Bytes::from_static(b"value 7@0x10"),
9115 8 : Bytes::from_static(b"value 8@0x10"),
9116 8 : Bytes::from_static(b"value 9@0x10"),
9117 8 : ];
9118 :
9119 88 : for idx in 0..10 {
9120 80 : assert_eq!(
9121 80 : tline
9122 80 : .get(get_key(idx as u32), Lsn(0x50), &ctx)
9123 80 : .await
9124 80 : .unwrap(),
9125 80 : &expected_result[idx]
9126 : );
9127 80 : assert_eq!(
9128 80 : tline
9129 80 : .get(get_key(idx as u32), Lsn(0x30), &ctx)
9130 80 : .await
9131 80 : .unwrap(),
9132 80 : &expected_result_at_gc_horizon[idx]
9133 : );
9134 : }
9135 :
9136 8 : let cancel = CancellationToken::new();
9137 8 : tline
9138 8 : .compact_with_gc(&cancel, CompactOptions::default(), &ctx)
9139 8 : .await
9140 8 : .unwrap();
9141 :
9142 88 : for idx in 0..10 {
9143 80 : assert_eq!(
9144 80 : tline
9145 80 : .get(get_key(idx as u32), Lsn(0x50), &ctx)
9146 80 : .await
9147 80 : .unwrap(),
9148 80 : &expected_result[idx]
9149 : );
9150 80 : assert_eq!(
9151 80 : tline
9152 80 : .get(get_key(idx as u32), Lsn(0x30), &ctx)
9153 80 : .await
9154 80 : .unwrap(),
9155 80 : &expected_result_at_gc_horizon[idx]
9156 : );
9157 : }
9158 :
9159 : // increase GC horizon and compact again
9160 : {
9161 8 : tline
9162 8 : .applied_gc_cutoff_lsn
9163 8 : .lock_for_write()
9164 8 : .store_and_unlock(Lsn(0x40))
9165 8 : .wait()
9166 8 : .await;
9167 : // Update GC info
9168 8 : let mut guard = tline.gc_info.write().unwrap();
9169 8 : guard.cutoffs.time = Lsn(0x40);
9170 8 : guard.cutoffs.space = Lsn(0x40);
9171 8 : }
9172 8 : tline
9173 8 : .compact_with_gc(&cancel, CompactOptions::default(), &ctx)
9174 8 : .await
9175 8 : .unwrap();
9176 8 :
9177 8 : Ok(())
9178 8 : }
9179 :
9180 : #[cfg(feature = "testing")]
9181 : #[tokio::test]
9182 4 : async fn test_generate_key_retention() -> anyhow::Result<()> {
9183 4 : let harness = TenantHarness::create("test_generate_key_retention").await?;
9184 4 : let (tenant, ctx) = harness.load().await;
9185 4 : let tline = tenant
9186 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
9187 4 : .await?;
9188 4 : tline.force_advance_lsn(Lsn(0x70));
9189 4 : let key = Key::from_hex("010000000033333333444444445500000000").unwrap();
9190 4 : let history = vec![
9191 4 : (
9192 4 : key,
9193 4 : Lsn(0x10),
9194 4 : Value::WalRecord(NeonWalRecord::wal_init("0x10")),
9195 4 : ),
9196 4 : (
9197 4 : key,
9198 4 : Lsn(0x20),
9199 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x20")),
9200 4 : ),
9201 4 : (
9202 4 : key,
9203 4 : Lsn(0x30),
9204 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x30")),
9205 4 : ),
9206 4 : (
9207 4 : key,
9208 4 : Lsn(0x40),
9209 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x40")),
9210 4 : ),
9211 4 : (
9212 4 : key,
9213 4 : Lsn(0x50),
9214 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x50")),
9215 4 : ),
9216 4 : (
9217 4 : key,
9218 4 : Lsn(0x60),
9219 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x60")),
9220 4 : ),
9221 4 : (
9222 4 : key,
9223 4 : Lsn(0x70),
9224 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x70")),
9225 4 : ),
9226 4 : (
9227 4 : key,
9228 4 : Lsn(0x80),
9229 4 : Value::Image(Bytes::copy_from_slice(
9230 4 : b"0x10;0x20;0x30;0x40;0x50;0x60;0x70;0x80",
9231 4 : )),
9232 4 : ),
9233 4 : (
9234 4 : key,
9235 4 : Lsn(0x90),
9236 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x90")),
9237 4 : ),
9238 4 : ];
9239 4 : let res = tline
9240 4 : .generate_key_retention(
9241 4 : key,
9242 4 : &history,
9243 4 : Lsn(0x60),
9244 4 : &[Lsn(0x20), Lsn(0x40), Lsn(0x50)],
9245 4 : 3,
9246 4 : None,
9247 4 : )
9248 4 : .await
9249 4 : .unwrap();
9250 4 : let expected_res = KeyHistoryRetention {
9251 4 : below_horizon: vec![
9252 4 : (
9253 4 : Lsn(0x20),
9254 4 : KeyLogAtLsn(vec![(
9255 4 : Lsn(0x20),
9256 4 : Value::Image(Bytes::from_static(b"0x10;0x20")),
9257 4 : )]),
9258 4 : ),
9259 4 : (
9260 4 : Lsn(0x40),
9261 4 : KeyLogAtLsn(vec![
9262 4 : (
9263 4 : Lsn(0x30),
9264 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x30")),
9265 4 : ),
9266 4 : (
9267 4 : Lsn(0x40),
9268 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x40")),
9269 4 : ),
9270 4 : ]),
9271 4 : ),
9272 4 : (
9273 4 : Lsn(0x50),
9274 4 : KeyLogAtLsn(vec![(
9275 4 : Lsn(0x50),
9276 4 : Value::Image(Bytes::copy_from_slice(b"0x10;0x20;0x30;0x40;0x50")),
9277 4 : )]),
9278 4 : ),
9279 4 : (
9280 4 : Lsn(0x60),
9281 4 : KeyLogAtLsn(vec![(
9282 4 : Lsn(0x60),
9283 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x60")),
9284 4 : )]),
9285 4 : ),
9286 4 : ],
9287 4 : above_horizon: KeyLogAtLsn(vec![
9288 4 : (
9289 4 : Lsn(0x70),
9290 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x70")),
9291 4 : ),
9292 4 : (
9293 4 : Lsn(0x80),
9294 4 : Value::Image(Bytes::copy_from_slice(
9295 4 : b"0x10;0x20;0x30;0x40;0x50;0x60;0x70;0x80",
9296 4 : )),
9297 4 : ),
9298 4 : (
9299 4 : Lsn(0x90),
9300 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x90")),
9301 4 : ),
9302 4 : ]),
9303 4 : };
9304 4 : assert_eq!(res, expected_res);
9305 4 :
9306 4 : // We expect GC-compaction to run with the original GC. This would create a situation that
9307 4 : // the original GC algorithm removes some delta layers b/c there are full image coverage,
9308 4 : // therefore causing some keys to have an incomplete history below the lowest retain LSN.
9309 4 : // For example, we have
9310 4 : // ```plain
9311 4 : // init delta @ 0x10, image @ 0x20, delta @ 0x30 (gc_horizon), image @ 0x40.
9312 4 : // ```
9313 4 : // Now the GC horizon moves up, and we have
9314 4 : // ```plain
9315 4 : // init delta @ 0x10, image @ 0x20, delta @ 0x30, image @ 0x40 (gc_horizon)
9316 4 : // ```
9317 4 : // The original GC algorithm kicks in, and removes delta @ 0x10, image @ 0x20.
9318 4 : // We will end up with
9319 4 : // ```plain
9320 4 : // delta @ 0x30, image @ 0x40 (gc_horizon)
9321 4 : // ```
9322 4 : // Now we run the GC-compaction, and this key does not have a full history.
9323 4 : // We should be able to handle this partial history and drop everything before the
9324 4 : // gc_horizon image.
9325 4 :
9326 4 : let history = vec![
9327 4 : (
9328 4 : key,
9329 4 : Lsn(0x20),
9330 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x20")),
9331 4 : ),
9332 4 : (
9333 4 : key,
9334 4 : Lsn(0x30),
9335 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x30")),
9336 4 : ),
9337 4 : (
9338 4 : key,
9339 4 : Lsn(0x40),
9340 4 : Value::Image(Bytes::copy_from_slice(b"0x10;0x20;0x30;0x40")),
9341 4 : ),
9342 4 : (
9343 4 : key,
9344 4 : Lsn(0x50),
9345 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x50")),
9346 4 : ),
9347 4 : (
9348 4 : key,
9349 4 : Lsn(0x60),
9350 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x60")),
9351 4 : ),
9352 4 : (
9353 4 : key,
9354 4 : Lsn(0x70),
9355 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x70")),
9356 4 : ),
9357 4 : (
9358 4 : key,
9359 4 : Lsn(0x80),
9360 4 : Value::Image(Bytes::copy_from_slice(
9361 4 : b"0x10;0x20;0x30;0x40;0x50;0x60;0x70;0x80",
9362 4 : )),
9363 4 : ),
9364 4 : (
9365 4 : key,
9366 4 : Lsn(0x90),
9367 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x90")),
9368 4 : ),
9369 4 : ];
9370 4 : let res = tline
9371 4 : .generate_key_retention(key, &history, Lsn(0x60), &[Lsn(0x40), Lsn(0x50)], 3, None)
9372 4 : .await
9373 4 : .unwrap();
9374 4 : let expected_res = KeyHistoryRetention {
9375 4 : below_horizon: vec![
9376 4 : (
9377 4 : Lsn(0x40),
9378 4 : KeyLogAtLsn(vec![(
9379 4 : Lsn(0x40),
9380 4 : Value::Image(Bytes::copy_from_slice(b"0x10;0x20;0x30;0x40")),
9381 4 : )]),
9382 4 : ),
9383 4 : (
9384 4 : Lsn(0x50),
9385 4 : KeyLogAtLsn(vec![(
9386 4 : Lsn(0x50),
9387 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x50")),
9388 4 : )]),
9389 4 : ),
9390 4 : (
9391 4 : Lsn(0x60),
9392 4 : KeyLogAtLsn(vec![(
9393 4 : Lsn(0x60),
9394 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x60")),
9395 4 : )]),
9396 4 : ),
9397 4 : ],
9398 4 : above_horizon: KeyLogAtLsn(vec![
9399 4 : (
9400 4 : Lsn(0x70),
9401 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x70")),
9402 4 : ),
9403 4 : (
9404 4 : Lsn(0x80),
9405 4 : Value::Image(Bytes::copy_from_slice(
9406 4 : b"0x10;0x20;0x30;0x40;0x50;0x60;0x70;0x80",
9407 4 : )),
9408 4 : ),
9409 4 : (
9410 4 : Lsn(0x90),
9411 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x90")),
9412 4 : ),
9413 4 : ]),
9414 4 : };
9415 4 : assert_eq!(res, expected_res);
9416 4 :
9417 4 : // In case of branch compaction, the branch itself does not have the full history, and we need to provide
9418 4 : // the ancestor image in the test case.
9419 4 :
9420 4 : let history = vec![
9421 4 : (
9422 4 : key,
9423 4 : Lsn(0x20),
9424 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x20")),
9425 4 : ),
9426 4 : (
9427 4 : key,
9428 4 : Lsn(0x30),
9429 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x30")),
9430 4 : ),
9431 4 : (
9432 4 : key,
9433 4 : Lsn(0x40),
9434 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x40")),
9435 4 : ),
9436 4 : (
9437 4 : key,
9438 4 : Lsn(0x70),
9439 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x70")),
9440 4 : ),
9441 4 : ];
9442 4 : let res = tline
9443 4 : .generate_key_retention(
9444 4 : key,
9445 4 : &history,
9446 4 : Lsn(0x60),
9447 4 : &[],
9448 4 : 3,
9449 4 : Some((key, Lsn(0x10), Bytes::copy_from_slice(b"0x10"))),
9450 4 : )
9451 4 : .await
9452 4 : .unwrap();
9453 4 : let expected_res = KeyHistoryRetention {
9454 4 : below_horizon: vec![(
9455 4 : Lsn(0x60),
9456 4 : KeyLogAtLsn(vec![(
9457 4 : Lsn(0x60),
9458 4 : Value::Image(Bytes::copy_from_slice(b"0x10;0x20;0x30;0x40")), // use the ancestor image to reconstruct the page
9459 4 : )]),
9460 4 : )],
9461 4 : above_horizon: KeyLogAtLsn(vec![(
9462 4 : Lsn(0x70),
9463 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x70")),
9464 4 : )]),
9465 4 : };
9466 4 : assert_eq!(res, expected_res);
9467 4 :
9468 4 : let history = vec![
9469 4 : (
9470 4 : key,
9471 4 : Lsn(0x20),
9472 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x20")),
9473 4 : ),
9474 4 : (
9475 4 : key,
9476 4 : Lsn(0x40),
9477 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x40")),
9478 4 : ),
9479 4 : (
9480 4 : key,
9481 4 : Lsn(0x60),
9482 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x60")),
9483 4 : ),
9484 4 : (
9485 4 : key,
9486 4 : Lsn(0x70),
9487 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x70")),
9488 4 : ),
9489 4 : ];
9490 4 : let res = tline
9491 4 : .generate_key_retention(
9492 4 : key,
9493 4 : &history,
9494 4 : Lsn(0x60),
9495 4 : &[Lsn(0x30)],
9496 4 : 3,
9497 4 : Some((key, Lsn(0x10), Bytes::copy_from_slice(b"0x10"))),
9498 4 : )
9499 4 : .await
9500 4 : .unwrap();
9501 4 : let expected_res = KeyHistoryRetention {
9502 4 : below_horizon: vec![
9503 4 : (
9504 4 : Lsn(0x30),
9505 4 : KeyLogAtLsn(vec![(
9506 4 : Lsn(0x20),
9507 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x20")),
9508 4 : )]),
9509 4 : ),
9510 4 : (
9511 4 : Lsn(0x60),
9512 4 : KeyLogAtLsn(vec![(
9513 4 : Lsn(0x60),
9514 4 : Value::Image(Bytes::copy_from_slice(b"0x10;0x20;0x40;0x60")),
9515 4 : )]),
9516 4 : ),
9517 4 : ],
9518 4 : above_horizon: KeyLogAtLsn(vec![(
9519 4 : Lsn(0x70),
9520 4 : Value::WalRecord(NeonWalRecord::wal_append(";0x70")),
9521 4 : )]),
9522 4 : };
9523 4 : assert_eq!(res, expected_res);
9524 4 :
9525 4 : Ok(())
9526 4 : }
9527 :
9528 : #[cfg(feature = "testing")]
9529 : #[tokio::test]
9530 4 : async fn test_simple_bottom_most_compaction_with_retain_lsns() -> anyhow::Result<()> {
9531 4 : let harness =
9532 4 : TenantHarness::create("test_simple_bottom_most_compaction_with_retain_lsns").await?;
9533 4 : let (tenant, ctx) = harness.load().await;
9534 4 :
9535 1036 : fn get_key(id: u32) -> Key {
9536 1036 : // using aux key here b/c they are guaranteed to be inside `collect_keyspace`.
9537 1036 : let mut key = Key::from_hex("620000000033333333444444445500000000").unwrap();
9538 1036 : key.field6 = id;
9539 1036 : key
9540 1036 : }
9541 4 :
9542 4 : let img_layer = (0..10)
9543 40 : .map(|id| (get_key(id), Bytes::from(format!("value {id}@0x10"))))
9544 4 : .collect_vec();
9545 4 :
9546 4 : let delta1 = vec![
9547 4 : (
9548 4 : get_key(1),
9549 4 : Lsn(0x20),
9550 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x20")),
9551 4 : ),
9552 4 : (
9553 4 : get_key(2),
9554 4 : Lsn(0x30),
9555 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x30")),
9556 4 : ),
9557 4 : (
9558 4 : get_key(3),
9559 4 : Lsn(0x28),
9560 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x28")),
9561 4 : ),
9562 4 : (
9563 4 : get_key(3),
9564 4 : Lsn(0x30),
9565 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x30")),
9566 4 : ),
9567 4 : (
9568 4 : get_key(3),
9569 4 : Lsn(0x40),
9570 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x40")),
9571 4 : ),
9572 4 : ];
9573 4 : let delta2 = vec![
9574 4 : (
9575 4 : get_key(5),
9576 4 : Lsn(0x20),
9577 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x20")),
9578 4 : ),
9579 4 : (
9580 4 : get_key(6),
9581 4 : Lsn(0x20),
9582 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x20")),
9583 4 : ),
9584 4 : ];
9585 4 : let delta3 = vec![
9586 4 : (
9587 4 : get_key(8),
9588 4 : Lsn(0x48),
9589 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x48")),
9590 4 : ),
9591 4 : (
9592 4 : get_key(9),
9593 4 : Lsn(0x48),
9594 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x48")),
9595 4 : ),
9596 4 : ];
9597 4 :
9598 4 : let tline = tenant
9599 4 : .create_test_timeline_with_layers(
9600 4 : TIMELINE_ID,
9601 4 : Lsn(0x10),
9602 4 : DEFAULT_PG_VERSION,
9603 4 : &ctx,
9604 4 : Vec::new(), // in-memory layers
9605 4 : vec![
9606 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x10)..Lsn(0x48), delta1),
9607 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x10)..Lsn(0x48), delta2),
9608 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x48)..Lsn(0x50), delta3),
9609 4 : ], // delta layers
9610 4 : vec![(Lsn(0x10), img_layer)], // image layers
9611 4 : Lsn(0x50),
9612 4 : )
9613 4 : .await?;
9614 4 : {
9615 4 : tline
9616 4 : .applied_gc_cutoff_lsn
9617 4 : .lock_for_write()
9618 4 : .store_and_unlock(Lsn(0x30))
9619 4 : .wait()
9620 4 : .await;
9621 4 : // Update GC info
9622 4 : let mut guard = tline.gc_info.write().unwrap();
9623 4 : *guard = GcInfo {
9624 4 : retain_lsns: vec![
9625 4 : (Lsn(0x10), tline.timeline_id, MaybeOffloaded::No),
9626 4 : (Lsn(0x20), tline.timeline_id, MaybeOffloaded::No),
9627 4 : ],
9628 4 : cutoffs: GcCutoffs {
9629 4 : time: Lsn(0x30),
9630 4 : space: Lsn(0x30),
9631 4 : },
9632 4 : leases: Default::default(),
9633 4 : within_ancestor_pitr: false,
9634 4 : };
9635 4 : }
9636 4 :
9637 4 : let expected_result = [
9638 4 : Bytes::from_static(b"value 0@0x10"),
9639 4 : Bytes::from_static(b"value 1@0x10@0x20"),
9640 4 : Bytes::from_static(b"value 2@0x10@0x30"),
9641 4 : Bytes::from_static(b"value 3@0x10@0x28@0x30@0x40"),
9642 4 : Bytes::from_static(b"value 4@0x10"),
9643 4 : Bytes::from_static(b"value 5@0x10@0x20"),
9644 4 : Bytes::from_static(b"value 6@0x10@0x20"),
9645 4 : Bytes::from_static(b"value 7@0x10"),
9646 4 : Bytes::from_static(b"value 8@0x10@0x48"),
9647 4 : Bytes::from_static(b"value 9@0x10@0x48"),
9648 4 : ];
9649 4 :
9650 4 : let expected_result_at_gc_horizon = [
9651 4 : Bytes::from_static(b"value 0@0x10"),
9652 4 : Bytes::from_static(b"value 1@0x10@0x20"),
9653 4 : Bytes::from_static(b"value 2@0x10@0x30"),
9654 4 : Bytes::from_static(b"value 3@0x10@0x28@0x30"),
9655 4 : Bytes::from_static(b"value 4@0x10"),
9656 4 : Bytes::from_static(b"value 5@0x10@0x20"),
9657 4 : Bytes::from_static(b"value 6@0x10@0x20"),
9658 4 : Bytes::from_static(b"value 7@0x10"),
9659 4 : Bytes::from_static(b"value 8@0x10"),
9660 4 : Bytes::from_static(b"value 9@0x10"),
9661 4 : ];
9662 4 :
9663 4 : let expected_result_at_lsn_20 = [
9664 4 : Bytes::from_static(b"value 0@0x10"),
9665 4 : Bytes::from_static(b"value 1@0x10@0x20"),
9666 4 : Bytes::from_static(b"value 2@0x10"),
9667 4 : Bytes::from_static(b"value 3@0x10"),
9668 4 : Bytes::from_static(b"value 4@0x10"),
9669 4 : Bytes::from_static(b"value 5@0x10@0x20"),
9670 4 : Bytes::from_static(b"value 6@0x10@0x20"),
9671 4 : Bytes::from_static(b"value 7@0x10"),
9672 4 : Bytes::from_static(b"value 8@0x10"),
9673 4 : Bytes::from_static(b"value 9@0x10"),
9674 4 : ];
9675 4 :
9676 4 : let expected_result_at_lsn_10 = [
9677 4 : Bytes::from_static(b"value 0@0x10"),
9678 4 : Bytes::from_static(b"value 1@0x10"),
9679 4 : Bytes::from_static(b"value 2@0x10"),
9680 4 : Bytes::from_static(b"value 3@0x10"),
9681 4 : Bytes::from_static(b"value 4@0x10"),
9682 4 : Bytes::from_static(b"value 5@0x10"),
9683 4 : Bytes::from_static(b"value 6@0x10"),
9684 4 : Bytes::from_static(b"value 7@0x10"),
9685 4 : Bytes::from_static(b"value 8@0x10"),
9686 4 : Bytes::from_static(b"value 9@0x10"),
9687 4 : ];
9688 4 :
9689 24 : let verify_result = || async {
9690 24 : let gc_horizon = {
9691 24 : let gc_info = tline.gc_info.read().unwrap();
9692 24 : gc_info.cutoffs.time
9693 4 : };
9694 264 : for idx in 0..10 {
9695 240 : assert_eq!(
9696 240 : tline
9697 240 : .get(get_key(idx as u32), Lsn(0x50), &ctx)
9698 240 : .await
9699 240 : .unwrap(),
9700 240 : &expected_result[idx]
9701 4 : );
9702 240 : assert_eq!(
9703 240 : tline
9704 240 : .get(get_key(idx as u32), gc_horizon, &ctx)
9705 240 : .await
9706 240 : .unwrap(),
9707 240 : &expected_result_at_gc_horizon[idx]
9708 4 : );
9709 240 : assert_eq!(
9710 240 : tline
9711 240 : .get(get_key(idx as u32), Lsn(0x20), &ctx)
9712 240 : .await
9713 240 : .unwrap(),
9714 240 : &expected_result_at_lsn_20[idx]
9715 4 : );
9716 240 : assert_eq!(
9717 240 : tline
9718 240 : .get(get_key(idx as u32), Lsn(0x10), &ctx)
9719 240 : .await
9720 240 : .unwrap(),
9721 240 : &expected_result_at_lsn_10[idx]
9722 4 : );
9723 4 : }
9724 48 : };
9725 4 :
9726 4 : verify_result().await;
9727 4 :
9728 4 : let cancel = CancellationToken::new();
9729 4 : let mut dryrun_flags = EnumSet::new();
9730 4 : dryrun_flags.insert(CompactFlags::DryRun);
9731 4 :
9732 4 : tline
9733 4 : .compact_with_gc(
9734 4 : &cancel,
9735 4 : CompactOptions {
9736 4 : flags: dryrun_flags,
9737 4 : ..Default::default()
9738 4 : },
9739 4 : &ctx,
9740 4 : )
9741 4 : .await
9742 4 : .unwrap();
9743 4 : // We expect layer map to be the same b/c the dry run flag, but we don't know whether there will be other background jobs
9744 4 : // cleaning things up, and therefore, we don't do sanity checks on the layer map during unit tests.
9745 4 : verify_result().await;
9746 4 :
9747 4 : tline
9748 4 : .compact_with_gc(&cancel, CompactOptions::default(), &ctx)
9749 4 : .await
9750 4 : .unwrap();
9751 4 : verify_result().await;
9752 4 :
9753 4 : // compact again
9754 4 : tline
9755 4 : .compact_with_gc(&cancel, CompactOptions::default(), &ctx)
9756 4 : .await
9757 4 : .unwrap();
9758 4 : verify_result().await;
9759 4 :
9760 4 : // increase GC horizon and compact again
9761 4 : {
9762 4 : tline
9763 4 : .applied_gc_cutoff_lsn
9764 4 : .lock_for_write()
9765 4 : .store_and_unlock(Lsn(0x38))
9766 4 : .wait()
9767 4 : .await;
9768 4 : // Update GC info
9769 4 : let mut guard = tline.gc_info.write().unwrap();
9770 4 : guard.cutoffs.time = Lsn(0x38);
9771 4 : guard.cutoffs.space = Lsn(0x38);
9772 4 : }
9773 4 : tline
9774 4 : .compact_with_gc(&cancel, CompactOptions::default(), &ctx)
9775 4 : .await
9776 4 : .unwrap();
9777 4 : verify_result().await; // no wals between 0x30 and 0x38, so we should obtain the same result
9778 4 :
9779 4 : // not increasing the GC horizon and compact again
9780 4 : tline
9781 4 : .compact_with_gc(&cancel, CompactOptions::default(), &ctx)
9782 4 : .await
9783 4 : .unwrap();
9784 4 : verify_result().await;
9785 4 :
9786 4 : Ok(())
9787 4 : }
9788 :
9789 : #[cfg(feature = "testing")]
9790 : #[tokio::test]
9791 4 : async fn test_simple_bottom_most_compaction_with_retain_lsns_single_key() -> anyhow::Result<()>
9792 4 : {
9793 4 : let harness =
9794 4 : TenantHarness::create("test_simple_bottom_most_compaction_with_retain_lsns_single_key")
9795 4 : .await?;
9796 4 : let (tenant, ctx) = harness.load().await;
9797 4 :
9798 704 : fn get_key(id: u32) -> Key {
9799 704 : // using aux key here b/c they are guaranteed to be inside `collect_keyspace`.
9800 704 : let mut key = Key::from_hex("620000000033333333444444445500000000").unwrap();
9801 704 : key.field6 = id;
9802 704 : key
9803 704 : }
9804 4 :
9805 4 : let img_layer = (0..10)
9806 40 : .map(|id| (get_key(id), Bytes::from(format!("value {id}@0x10"))))
9807 4 : .collect_vec();
9808 4 :
9809 4 : let delta1 = vec![
9810 4 : (
9811 4 : get_key(1),
9812 4 : Lsn(0x20),
9813 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x20")),
9814 4 : ),
9815 4 : (
9816 4 : get_key(1),
9817 4 : Lsn(0x28),
9818 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x28")),
9819 4 : ),
9820 4 : ];
9821 4 : let delta2 = vec![
9822 4 : (
9823 4 : get_key(1),
9824 4 : Lsn(0x30),
9825 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x30")),
9826 4 : ),
9827 4 : (
9828 4 : get_key(1),
9829 4 : Lsn(0x38),
9830 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x38")),
9831 4 : ),
9832 4 : ];
9833 4 : let delta3 = vec![
9834 4 : (
9835 4 : get_key(8),
9836 4 : Lsn(0x48),
9837 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x48")),
9838 4 : ),
9839 4 : (
9840 4 : get_key(9),
9841 4 : Lsn(0x48),
9842 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x48")),
9843 4 : ),
9844 4 : ];
9845 4 :
9846 4 : let tline = tenant
9847 4 : .create_test_timeline_with_layers(
9848 4 : TIMELINE_ID,
9849 4 : Lsn(0x10),
9850 4 : DEFAULT_PG_VERSION,
9851 4 : &ctx,
9852 4 : Vec::new(), // in-memory layers
9853 4 : vec![
9854 4 : // delta1 and delta 2 only contain a single key but multiple updates
9855 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x10)..Lsn(0x30), delta1),
9856 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x30)..Lsn(0x50), delta2),
9857 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x10)..Lsn(0x50), delta3),
9858 4 : ], // delta layers
9859 4 : vec![(Lsn(0x10), img_layer)], // image layers
9860 4 : Lsn(0x50),
9861 4 : )
9862 4 : .await?;
9863 4 : {
9864 4 : tline
9865 4 : .applied_gc_cutoff_lsn
9866 4 : .lock_for_write()
9867 4 : .store_and_unlock(Lsn(0x30))
9868 4 : .wait()
9869 4 : .await;
9870 4 : // Update GC info
9871 4 : let mut guard = tline.gc_info.write().unwrap();
9872 4 : *guard = GcInfo {
9873 4 : retain_lsns: vec![
9874 4 : (Lsn(0x10), tline.timeline_id, MaybeOffloaded::No),
9875 4 : (Lsn(0x20), tline.timeline_id, MaybeOffloaded::No),
9876 4 : ],
9877 4 : cutoffs: GcCutoffs {
9878 4 : time: Lsn(0x30),
9879 4 : space: Lsn(0x30),
9880 4 : },
9881 4 : leases: Default::default(),
9882 4 : within_ancestor_pitr: false,
9883 4 : };
9884 4 : }
9885 4 :
9886 4 : let expected_result = [
9887 4 : Bytes::from_static(b"value 0@0x10"),
9888 4 : Bytes::from_static(b"value 1@0x10@0x20@0x28@0x30@0x38"),
9889 4 : Bytes::from_static(b"value 2@0x10"),
9890 4 : Bytes::from_static(b"value 3@0x10"),
9891 4 : Bytes::from_static(b"value 4@0x10"),
9892 4 : Bytes::from_static(b"value 5@0x10"),
9893 4 : Bytes::from_static(b"value 6@0x10"),
9894 4 : Bytes::from_static(b"value 7@0x10"),
9895 4 : Bytes::from_static(b"value 8@0x10@0x48"),
9896 4 : Bytes::from_static(b"value 9@0x10@0x48"),
9897 4 : ];
9898 4 :
9899 4 : let expected_result_at_gc_horizon = [
9900 4 : Bytes::from_static(b"value 0@0x10"),
9901 4 : Bytes::from_static(b"value 1@0x10@0x20@0x28@0x30"),
9902 4 : Bytes::from_static(b"value 2@0x10"),
9903 4 : Bytes::from_static(b"value 3@0x10"),
9904 4 : Bytes::from_static(b"value 4@0x10"),
9905 4 : Bytes::from_static(b"value 5@0x10"),
9906 4 : Bytes::from_static(b"value 6@0x10"),
9907 4 : Bytes::from_static(b"value 7@0x10"),
9908 4 : Bytes::from_static(b"value 8@0x10"),
9909 4 : Bytes::from_static(b"value 9@0x10"),
9910 4 : ];
9911 4 :
9912 4 : let expected_result_at_lsn_20 = [
9913 4 : Bytes::from_static(b"value 0@0x10"),
9914 4 : Bytes::from_static(b"value 1@0x10@0x20"),
9915 4 : Bytes::from_static(b"value 2@0x10"),
9916 4 : Bytes::from_static(b"value 3@0x10"),
9917 4 : Bytes::from_static(b"value 4@0x10"),
9918 4 : Bytes::from_static(b"value 5@0x10"),
9919 4 : Bytes::from_static(b"value 6@0x10"),
9920 4 : Bytes::from_static(b"value 7@0x10"),
9921 4 : Bytes::from_static(b"value 8@0x10"),
9922 4 : Bytes::from_static(b"value 9@0x10"),
9923 4 : ];
9924 4 :
9925 4 : let expected_result_at_lsn_10 = [
9926 4 : Bytes::from_static(b"value 0@0x10"),
9927 4 : Bytes::from_static(b"value 1@0x10"),
9928 4 : Bytes::from_static(b"value 2@0x10"),
9929 4 : Bytes::from_static(b"value 3@0x10"),
9930 4 : Bytes::from_static(b"value 4@0x10"),
9931 4 : Bytes::from_static(b"value 5@0x10"),
9932 4 : Bytes::from_static(b"value 6@0x10"),
9933 4 : Bytes::from_static(b"value 7@0x10"),
9934 4 : Bytes::from_static(b"value 8@0x10"),
9935 4 : Bytes::from_static(b"value 9@0x10"),
9936 4 : ];
9937 4 :
9938 16 : let verify_result = || async {
9939 16 : let gc_horizon = {
9940 16 : let gc_info = tline.gc_info.read().unwrap();
9941 16 : gc_info.cutoffs.time
9942 4 : };
9943 176 : for idx in 0..10 {
9944 160 : assert_eq!(
9945 160 : tline
9946 160 : .get(get_key(idx as u32), Lsn(0x50), &ctx)
9947 160 : .await
9948 160 : .unwrap(),
9949 160 : &expected_result[idx]
9950 4 : );
9951 160 : assert_eq!(
9952 160 : tline
9953 160 : .get(get_key(idx as u32), gc_horizon, &ctx)
9954 160 : .await
9955 160 : .unwrap(),
9956 160 : &expected_result_at_gc_horizon[idx]
9957 4 : );
9958 160 : assert_eq!(
9959 160 : tline
9960 160 : .get(get_key(idx as u32), Lsn(0x20), &ctx)
9961 160 : .await
9962 160 : .unwrap(),
9963 160 : &expected_result_at_lsn_20[idx]
9964 4 : );
9965 160 : assert_eq!(
9966 160 : tline
9967 160 : .get(get_key(idx as u32), Lsn(0x10), &ctx)
9968 160 : .await
9969 160 : .unwrap(),
9970 160 : &expected_result_at_lsn_10[idx]
9971 4 : );
9972 4 : }
9973 32 : };
9974 4 :
9975 4 : verify_result().await;
9976 4 :
9977 4 : let cancel = CancellationToken::new();
9978 4 : let mut dryrun_flags = EnumSet::new();
9979 4 : dryrun_flags.insert(CompactFlags::DryRun);
9980 4 :
9981 4 : tline
9982 4 : .compact_with_gc(
9983 4 : &cancel,
9984 4 : CompactOptions {
9985 4 : flags: dryrun_flags,
9986 4 : ..Default::default()
9987 4 : },
9988 4 : &ctx,
9989 4 : )
9990 4 : .await
9991 4 : .unwrap();
9992 4 : // We expect layer map to be the same b/c the dry run flag, but we don't know whether there will be other background jobs
9993 4 : // cleaning things up, and therefore, we don't do sanity checks on the layer map during unit tests.
9994 4 : verify_result().await;
9995 4 :
9996 4 : tline
9997 4 : .compact_with_gc(&cancel, CompactOptions::default(), &ctx)
9998 4 : .await
9999 4 : .unwrap();
10000 4 : verify_result().await;
10001 4 :
10002 4 : // compact again
10003 4 : tline
10004 4 : .compact_with_gc(&cancel, CompactOptions::default(), &ctx)
10005 4 : .await
10006 4 : .unwrap();
10007 4 : verify_result().await;
10008 4 :
10009 4 : Ok(())
10010 4 : }
10011 :
10012 : #[cfg(feature = "testing")]
10013 : #[tokio::test]
10014 4 : async fn test_simple_bottom_most_compaction_on_branch() -> anyhow::Result<()> {
10015 4 : use models::CompactLsnRange;
10016 4 :
10017 4 : let harness = TenantHarness::create("test_simple_bottom_most_compaction_on_branch").await?;
10018 4 : let (tenant, ctx) = harness.load().await;
10019 4 :
10020 332 : fn get_key(id: u32) -> Key {
10021 332 : let mut key = Key::from_hex("000000000033333333444444445500000000").unwrap();
10022 332 : key.field6 = id;
10023 332 : key
10024 332 : }
10025 4 :
10026 4 : let img_layer = (0..10)
10027 40 : .map(|id| (get_key(id), Bytes::from(format!("value {id}@0x10"))))
10028 4 : .collect_vec();
10029 4 :
10030 4 : let delta1 = vec![
10031 4 : (
10032 4 : get_key(1),
10033 4 : Lsn(0x20),
10034 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x20")),
10035 4 : ),
10036 4 : (
10037 4 : get_key(2),
10038 4 : Lsn(0x30),
10039 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x30")),
10040 4 : ),
10041 4 : (
10042 4 : get_key(3),
10043 4 : Lsn(0x28),
10044 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x28")),
10045 4 : ),
10046 4 : (
10047 4 : get_key(3),
10048 4 : Lsn(0x30),
10049 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x30")),
10050 4 : ),
10051 4 : (
10052 4 : get_key(3),
10053 4 : Lsn(0x40),
10054 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x40")),
10055 4 : ),
10056 4 : ];
10057 4 : let delta2 = vec![
10058 4 : (
10059 4 : get_key(5),
10060 4 : Lsn(0x20),
10061 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x20")),
10062 4 : ),
10063 4 : (
10064 4 : get_key(6),
10065 4 : Lsn(0x20),
10066 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x20")),
10067 4 : ),
10068 4 : ];
10069 4 : let delta3 = vec![
10070 4 : (
10071 4 : get_key(8),
10072 4 : Lsn(0x48),
10073 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x48")),
10074 4 : ),
10075 4 : (
10076 4 : get_key(9),
10077 4 : Lsn(0x48),
10078 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x48")),
10079 4 : ),
10080 4 : ];
10081 4 :
10082 4 : let parent_tline = tenant
10083 4 : .create_test_timeline_with_layers(
10084 4 : TIMELINE_ID,
10085 4 : Lsn(0x10),
10086 4 : DEFAULT_PG_VERSION,
10087 4 : &ctx,
10088 4 : vec![], // in-memory layers
10089 4 : vec![], // delta layers
10090 4 : vec![(Lsn(0x18), img_layer)], // image layers
10091 4 : Lsn(0x18),
10092 4 : )
10093 4 : .await?;
10094 4 :
10095 4 : parent_tline.add_extra_test_dense_keyspace(KeySpace::single(get_key(0)..get_key(10)));
10096 4 :
10097 4 : let branch_tline = tenant
10098 4 : .branch_timeline_test_with_layers(
10099 4 : &parent_tline,
10100 4 : NEW_TIMELINE_ID,
10101 4 : Some(Lsn(0x18)),
10102 4 : &ctx,
10103 4 : vec![
10104 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x20)..Lsn(0x48), delta1),
10105 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x20)..Lsn(0x48), delta2),
10106 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x48)..Lsn(0x50), delta3),
10107 4 : ], // delta layers
10108 4 : vec![], // image layers
10109 4 : Lsn(0x50),
10110 4 : )
10111 4 : .await?;
10112 4 :
10113 4 : branch_tline.add_extra_test_dense_keyspace(KeySpace::single(get_key(0)..get_key(10)));
10114 4 :
10115 4 : {
10116 4 : parent_tline
10117 4 : .applied_gc_cutoff_lsn
10118 4 : .lock_for_write()
10119 4 : .store_and_unlock(Lsn(0x10))
10120 4 : .wait()
10121 4 : .await;
10122 4 : // Update GC info
10123 4 : let mut guard = parent_tline.gc_info.write().unwrap();
10124 4 : *guard = GcInfo {
10125 4 : retain_lsns: vec![(Lsn(0x18), branch_tline.timeline_id, MaybeOffloaded::No)],
10126 4 : cutoffs: GcCutoffs {
10127 4 : time: Lsn(0x10),
10128 4 : space: Lsn(0x10),
10129 4 : },
10130 4 : leases: Default::default(),
10131 4 : within_ancestor_pitr: false,
10132 4 : };
10133 4 : }
10134 4 :
10135 4 : {
10136 4 : branch_tline
10137 4 : .applied_gc_cutoff_lsn
10138 4 : .lock_for_write()
10139 4 : .store_and_unlock(Lsn(0x50))
10140 4 : .wait()
10141 4 : .await;
10142 4 : // Update GC info
10143 4 : let mut guard = branch_tline.gc_info.write().unwrap();
10144 4 : *guard = GcInfo {
10145 4 : retain_lsns: vec![(Lsn(0x40), branch_tline.timeline_id, MaybeOffloaded::No)],
10146 4 : cutoffs: GcCutoffs {
10147 4 : time: Lsn(0x50),
10148 4 : space: Lsn(0x50),
10149 4 : },
10150 4 : leases: Default::default(),
10151 4 : within_ancestor_pitr: false,
10152 4 : };
10153 4 : }
10154 4 :
10155 4 : let expected_result_at_gc_horizon = [
10156 4 : Bytes::from_static(b"value 0@0x10"),
10157 4 : Bytes::from_static(b"value 1@0x10@0x20"),
10158 4 : Bytes::from_static(b"value 2@0x10@0x30"),
10159 4 : Bytes::from_static(b"value 3@0x10@0x28@0x30@0x40"),
10160 4 : Bytes::from_static(b"value 4@0x10"),
10161 4 : Bytes::from_static(b"value 5@0x10@0x20"),
10162 4 : Bytes::from_static(b"value 6@0x10@0x20"),
10163 4 : Bytes::from_static(b"value 7@0x10"),
10164 4 : Bytes::from_static(b"value 8@0x10@0x48"),
10165 4 : Bytes::from_static(b"value 9@0x10@0x48"),
10166 4 : ];
10167 4 :
10168 4 : let expected_result_at_lsn_40 = [
10169 4 : Bytes::from_static(b"value 0@0x10"),
10170 4 : Bytes::from_static(b"value 1@0x10@0x20"),
10171 4 : Bytes::from_static(b"value 2@0x10@0x30"),
10172 4 : Bytes::from_static(b"value 3@0x10@0x28@0x30@0x40"),
10173 4 : Bytes::from_static(b"value 4@0x10"),
10174 4 : Bytes::from_static(b"value 5@0x10@0x20"),
10175 4 : Bytes::from_static(b"value 6@0x10@0x20"),
10176 4 : Bytes::from_static(b"value 7@0x10"),
10177 4 : Bytes::from_static(b"value 8@0x10"),
10178 4 : Bytes::from_static(b"value 9@0x10"),
10179 4 : ];
10180 4 :
10181 12 : let verify_result = || async {
10182 132 : for idx in 0..10 {
10183 120 : assert_eq!(
10184 120 : branch_tline
10185 120 : .get(get_key(idx as u32), Lsn(0x50), &ctx)
10186 120 : .await
10187 120 : .unwrap(),
10188 120 : &expected_result_at_gc_horizon[idx]
10189 4 : );
10190 120 : assert_eq!(
10191 120 : branch_tline
10192 120 : .get(get_key(idx as u32), Lsn(0x40), &ctx)
10193 120 : .await
10194 120 : .unwrap(),
10195 120 : &expected_result_at_lsn_40[idx]
10196 4 : );
10197 4 : }
10198 24 : };
10199 4 :
10200 4 : verify_result().await;
10201 4 :
10202 4 : let cancel = CancellationToken::new();
10203 4 : branch_tline
10204 4 : .compact_with_gc(&cancel, CompactOptions::default(), &ctx)
10205 4 : .await
10206 4 : .unwrap();
10207 4 :
10208 4 : verify_result().await;
10209 4 :
10210 4 : // Piggyback a compaction with above_lsn. Ensure it works correctly when the specified LSN intersects with the layer files.
10211 4 : // Now we already have a single large delta layer, so the compaction min_layer_lsn should be the same as ancestor LSN (0x18).
10212 4 : branch_tline
10213 4 : .compact_with_gc(
10214 4 : &cancel,
10215 4 : CompactOptions {
10216 4 : compact_lsn_range: Some(CompactLsnRange::above(Lsn(0x40))),
10217 4 : ..Default::default()
10218 4 : },
10219 4 : &ctx,
10220 4 : )
10221 4 : .await
10222 4 : .unwrap();
10223 4 :
10224 4 : verify_result().await;
10225 4 :
10226 4 : Ok(())
10227 4 : }
10228 :
10229 : // Regression test for https://github.com/neondatabase/neon/issues/9012
10230 : // Create an image arrangement where we have to read at different LSN ranges
10231 : // from a delta layer. This is achieved by overlapping an image layer on top of
10232 : // a delta layer. Like so:
10233 : //
10234 : // A B
10235 : // +----------------+ -> delta_layer
10236 : // | | ^ lsn
10237 : // | =========|-> nested_image_layer |
10238 : // | C | |
10239 : // +----------------+ |
10240 : // ======== -> baseline_image_layer +-------> key
10241 : //
10242 : //
10243 : // When querying the key range [A, B) we need to read at different LSN ranges
10244 : // for [A, C) and [C, B). This test checks that the described edge case is handled correctly.
10245 : #[cfg(feature = "testing")]
10246 : #[tokio::test]
10247 4 : async fn test_vectored_read_with_nested_image_layer() -> anyhow::Result<()> {
10248 4 : let harness = TenantHarness::create("test_vectored_read_with_nested_image_layer").await?;
10249 4 : let (tenant, ctx) = harness.load().await;
10250 4 :
10251 4 : let will_init_keys = [2, 6];
10252 88 : fn get_key(id: u32) -> Key {
10253 88 : let mut key = Key::from_hex("110000000033333333444444445500000000").unwrap();
10254 88 : key.field6 = id;
10255 88 : key
10256 88 : }
10257 4 :
10258 4 : let mut expected_key_values = HashMap::new();
10259 4 :
10260 4 : let baseline_image_layer_lsn = Lsn(0x10);
10261 4 : let mut baseline_img_layer = Vec::new();
10262 24 : for i in 0..5 {
10263 20 : let key = get_key(i);
10264 20 : let value = format!("value {i}@{baseline_image_layer_lsn}");
10265 20 :
10266 20 : let removed = expected_key_values.insert(key, value.clone());
10267 20 : assert!(removed.is_none());
10268 4 :
10269 20 : baseline_img_layer.push((key, Bytes::from(value)));
10270 4 : }
10271 4 :
10272 4 : let nested_image_layer_lsn = Lsn(0x50);
10273 4 : let mut nested_img_layer = Vec::new();
10274 24 : for i in 5..10 {
10275 20 : let key = get_key(i);
10276 20 : let value = format!("value {i}@{nested_image_layer_lsn}");
10277 20 :
10278 20 : let removed = expected_key_values.insert(key, value.clone());
10279 20 : assert!(removed.is_none());
10280 4 :
10281 20 : nested_img_layer.push((key, Bytes::from(value)));
10282 4 : }
10283 4 :
10284 4 : let mut delta_layer_spec = Vec::default();
10285 4 : let delta_layer_start_lsn = Lsn(0x20);
10286 4 : let mut delta_layer_end_lsn = delta_layer_start_lsn;
10287 4 :
10288 44 : for i in 0..10 {
10289 40 : let key = get_key(i);
10290 40 : let key_in_nested = nested_img_layer
10291 40 : .iter()
10292 160 : .any(|(key_with_img, _)| *key_with_img == key);
10293 40 : let lsn = {
10294 40 : if key_in_nested {
10295 20 : Lsn(nested_image_layer_lsn.0 + 0x10)
10296 4 : } else {
10297 20 : delta_layer_start_lsn
10298 4 : }
10299 4 : };
10300 4 :
10301 40 : let will_init = will_init_keys.contains(&i);
10302 40 : if will_init {
10303 8 : delta_layer_spec.push((key, lsn, Value::WalRecord(NeonWalRecord::wal_init(""))));
10304 8 :
10305 8 : expected_key_values.insert(key, "".to_string());
10306 32 : } else {
10307 32 : let delta = format!("@{lsn}");
10308 32 : delta_layer_spec.push((
10309 32 : key,
10310 32 : lsn,
10311 32 : Value::WalRecord(NeonWalRecord::wal_append(&delta)),
10312 32 : ));
10313 32 :
10314 32 : expected_key_values
10315 32 : .get_mut(&key)
10316 32 : .expect("An image exists for each key")
10317 32 : .push_str(delta.as_str());
10318 32 : }
10319 40 : delta_layer_end_lsn = std::cmp::max(delta_layer_start_lsn, lsn);
10320 4 : }
10321 4 :
10322 4 : delta_layer_end_lsn = Lsn(delta_layer_end_lsn.0 + 1);
10323 4 :
10324 4 : assert!(
10325 4 : nested_image_layer_lsn > delta_layer_start_lsn
10326 4 : && nested_image_layer_lsn < delta_layer_end_lsn
10327 4 : );
10328 4 :
10329 4 : let tline = tenant
10330 4 : .create_test_timeline_with_layers(
10331 4 : TIMELINE_ID,
10332 4 : baseline_image_layer_lsn,
10333 4 : DEFAULT_PG_VERSION,
10334 4 : &ctx,
10335 4 : vec![], // in-memory layers
10336 4 : vec![DeltaLayerTestDesc::new_with_inferred_key_range(
10337 4 : delta_layer_start_lsn..delta_layer_end_lsn,
10338 4 : delta_layer_spec,
10339 4 : )], // delta layers
10340 4 : vec![
10341 4 : (baseline_image_layer_lsn, baseline_img_layer),
10342 4 : (nested_image_layer_lsn, nested_img_layer),
10343 4 : ], // image layers
10344 4 : delta_layer_end_lsn,
10345 4 : )
10346 4 : .await?;
10347 4 :
10348 4 : let keyspace = KeySpace::single(get_key(0)..get_key(10));
10349 4 : let results = tline
10350 4 : .get_vectored(
10351 4 : keyspace,
10352 4 : delta_layer_end_lsn,
10353 4 : IoConcurrency::sequential(),
10354 4 : &ctx,
10355 4 : )
10356 4 : .await
10357 4 : .expect("No vectored errors");
10358 44 : for (key, res) in results {
10359 40 : let value = res.expect("No key errors");
10360 40 : let expected_value = expected_key_values.remove(&key).expect("No unknown keys");
10361 40 : assert_eq!(value, Bytes::from(expected_value));
10362 4 : }
10363 4 :
10364 4 : Ok(())
10365 4 : }
10366 :
10367 : #[cfg(feature = "testing")]
10368 : #[tokio::test]
10369 4 : async fn test_vectored_read_with_image_layer_inside_inmem() -> anyhow::Result<()> {
10370 4 : let harness =
10371 4 : TenantHarness::create("test_vectored_read_with_image_layer_inside_inmem").await?;
10372 4 : let (tenant, ctx) = harness.load().await;
10373 4 :
10374 4 : let will_init_keys = [2, 6];
10375 128 : fn get_key(id: u32) -> Key {
10376 128 : let mut key = Key::from_hex("110000000033333333444444445500000000").unwrap();
10377 128 : key.field6 = id;
10378 128 : key
10379 128 : }
10380 4 :
10381 4 : let mut expected_key_values = HashMap::new();
10382 4 :
10383 4 : let baseline_image_layer_lsn = Lsn(0x10);
10384 4 : let mut baseline_img_layer = Vec::new();
10385 24 : for i in 0..5 {
10386 20 : let key = get_key(i);
10387 20 : let value = format!("value {i}@{baseline_image_layer_lsn}");
10388 20 :
10389 20 : let removed = expected_key_values.insert(key, value.clone());
10390 20 : assert!(removed.is_none());
10391 4 :
10392 20 : baseline_img_layer.push((key, Bytes::from(value)));
10393 4 : }
10394 4 :
10395 4 : let nested_image_layer_lsn = Lsn(0x50);
10396 4 : let mut nested_img_layer = Vec::new();
10397 24 : for i in 5..10 {
10398 20 : let key = get_key(i);
10399 20 : let value = format!("value {i}@{nested_image_layer_lsn}");
10400 20 :
10401 20 : let removed = expected_key_values.insert(key, value.clone());
10402 20 : assert!(removed.is_none());
10403 4 :
10404 20 : nested_img_layer.push((key, Bytes::from(value)));
10405 4 : }
10406 4 :
10407 4 : let frozen_layer = {
10408 4 : let lsn_range = Lsn(0x40)..Lsn(0x60);
10409 4 : let mut data = Vec::new();
10410 44 : for i in 0..10 {
10411 40 : let key = get_key(i);
10412 40 : let key_in_nested = nested_img_layer
10413 40 : .iter()
10414 160 : .any(|(key_with_img, _)| *key_with_img == key);
10415 40 : let lsn = {
10416 40 : if key_in_nested {
10417 20 : Lsn(nested_image_layer_lsn.0 + 5)
10418 4 : } else {
10419 20 : lsn_range.start
10420 4 : }
10421 4 : };
10422 4 :
10423 40 : let will_init = will_init_keys.contains(&i);
10424 40 : if will_init {
10425 8 : data.push((key, lsn, Value::WalRecord(NeonWalRecord::wal_init(""))));
10426 8 :
10427 8 : expected_key_values.insert(key, "".to_string());
10428 32 : } else {
10429 32 : let delta = format!("@{lsn}");
10430 32 : data.push((
10431 32 : key,
10432 32 : lsn,
10433 32 : Value::WalRecord(NeonWalRecord::wal_append(&delta)),
10434 32 : ));
10435 32 :
10436 32 : expected_key_values
10437 32 : .get_mut(&key)
10438 32 : .expect("An image exists for each key")
10439 32 : .push_str(delta.as_str());
10440 32 : }
10441 4 : }
10442 4 :
10443 4 : InMemoryLayerTestDesc {
10444 4 : lsn_range,
10445 4 : is_open: false,
10446 4 : data,
10447 4 : }
10448 4 : };
10449 4 :
10450 4 : let (open_layer, last_record_lsn) = {
10451 4 : let start_lsn = Lsn(0x70);
10452 4 : let mut data = Vec::new();
10453 4 : let mut end_lsn = Lsn(0);
10454 44 : for i in 0..10 {
10455 40 : let key = get_key(i);
10456 40 : let lsn = Lsn(start_lsn.0 + i as u64);
10457 40 : let delta = format!("@{lsn}");
10458 40 : data.push((
10459 40 : key,
10460 40 : lsn,
10461 40 : Value::WalRecord(NeonWalRecord::wal_append(&delta)),
10462 40 : ));
10463 40 :
10464 40 : expected_key_values
10465 40 : .get_mut(&key)
10466 40 : .expect("An image exists for each key")
10467 40 : .push_str(delta.as_str());
10468 40 :
10469 40 : end_lsn = std::cmp::max(end_lsn, lsn);
10470 40 : }
10471 4 :
10472 4 : (
10473 4 : InMemoryLayerTestDesc {
10474 4 : lsn_range: start_lsn..Lsn::MAX,
10475 4 : is_open: true,
10476 4 : data,
10477 4 : },
10478 4 : end_lsn,
10479 4 : )
10480 4 : };
10481 4 :
10482 4 : assert!(
10483 4 : nested_image_layer_lsn > frozen_layer.lsn_range.start
10484 4 : && nested_image_layer_lsn < frozen_layer.lsn_range.end
10485 4 : );
10486 4 :
10487 4 : let tline = tenant
10488 4 : .create_test_timeline_with_layers(
10489 4 : TIMELINE_ID,
10490 4 : baseline_image_layer_lsn,
10491 4 : DEFAULT_PG_VERSION,
10492 4 : &ctx,
10493 4 : vec![open_layer, frozen_layer], // in-memory layers
10494 4 : Vec::new(), // delta layers
10495 4 : vec![
10496 4 : (baseline_image_layer_lsn, baseline_img_layer),
10497 4 : (nested_image_layer_lsn, nested_img_layer),
10498 4 : ], // image layers
10499 4 : last_record_lsn,
10500 4 : )
10501 4 : .await?;
10502 4 :
10503 4 : let keyspace = KeySpace::single(get_key(0)..get_key(10));
10504 4 : let results = tline
10505 4 : .get_vectored(keyspace, last_record_lsn, IoConcurrency::sequential(), &ctx)
10506 4 : .await
10507 4 : .expect("No vectored errors");
10508 44 : for (key, res) in results {
10509 40 : let value = res.expect("No key errors");
10510 40 : let expected_value = expected_key_values.remove(&key).expect("No unknown keys");
10511 40 : assert_eq!(value, Bytes::from(expected_value.clone()));
10512 4 :
10513 40 : tracing::info!("key={key} value={expected_value}");
10514 4 : }
10515 4 :
10516 4 : Ok(())
10517 4 : }
10518 :
10519 428 : fn sort_layer_key(k1: &PersistentLayerKey, k2: &PersistentLayerKey) -> std::cmp::Ordering {
10520 428 : (
10521 428 : k1.is_delta,
10522 428 : k1.key_range.start,
10523 428 : k1.key_range.end,
10524 428 : k1.lsn_range.start,
10525 428 : k1.lsn_range.end,
10526 428 : )
10527 428 : .cmp(&(
10528 428 : k2.is_delta,
10529 428 : k2.key_range.start,
10530 428 : k2.key_range.end,
10531 428 : k2.lsn_range.start,
10532 428 : k2.lsn_range.end,
10533 428 : ))
10534 428 : }
10535 :
10536 48 : async fn inspect_and_sort(
10537 48 : tline: &Arc<Timeline>,
10538 48 : filter: Option<std::ops::Range<Key>>,
10539 48 : ) -> Vec<PersistentLayerKey> {
10540 48 : let mut all_layers = tline.inspect_historic_layers().await.unwrap();
10541 48 : if let Some(filter) = filter {
10542 216 : all_layers.retain(|layer| overlaps_with(&layer.key_range, &filter));
10543 44 : }
10544 48 : all_layers.sort_by(sort_layer_key);
10545 48 : all_layers
10546 48 : }
10547 :
10548 : #[cfg(feature = "testing")]
10549 44 : fn check_layer_map_key_eq(
10550 44 : mut left: Vec<PersistentLayerKey>,
10551 44 : mut right: Vec<PersistentLayerKey>,
10552 44 : ) {
10553 44 : left.sort_by(sort_layer_key);
10554 44 : right.sort_by(sort_layer_key);
10555 44 : if left != right {
10556 0 : eprintln!("---LEFT---");
10557 0 : for left in left.iter() {
10558 0 : eprintln!("{}", left);
10559 0 : }
10560 0 : eprintln!("---RIGHT---");
10561 0 : for right in right.iter() {
10562 0 : eprintln!("{}", right);
10563 0 : }
10564 0 : assert_eq!(left, right);
10565 44 : }
10566 44 : }
10567 :
10568 : #[cfg(feature = "testing")]
10569 : #[tokio::test]
10570 4 : async fn test_simple_partial_bottom_most_compaction() -> anyhow::Result<()> {
10571 4 : let harness = TenantHarness::create("test_simple_partial_bottom_most_compaction").await?;
10572 4 : let (tenant, ctx) = harness.load().await;
10573 4 :
10574 364 : fn get_key(id: u32) -> Key {
10575 364 : // using aux key here b/c they are guaranteed to be inside `collect_keyspace`.
10576 364 : let mut key = Key::from_hex("620000000033333333444444445500000000").unwrap();
10577 364 : key.field6 = id;
10578 364 : key
10579 364 : }
10580 4 :
10581 4 : // img layer at 0x10
10582 4 : let img_layer = (0..10)
10583 40 : .map(|id| (get_key(id), Bytes::from(format!("value {id}@0x10"))))
10584 4 : .collect_vec();
10585 4 :
10586 4 : let delta1 = vec![
10587 4 : (
10588 4 : get_key(1),
10589 4 : Lsn(0x20),
10590 4 : Value::Image(Bytes::from("value 1@0x20")),
10591 4 : ),
10592 4 : (
10593 4 : get_key(2),
10594 4 : Lsn(0x30),
10595 4 : Value::Image(Bytes::from("value 2@0x30")),
10596 4 : ),
10597 4 : (
10598 4 : get_key(3),
10599 4 : Lsn(0x40),
10600 4 : Value::Image(Bytes::from("value 3@0x40")),
10601 4 : ),
10602 4 : ];
10603 4 : let delta2 = vec![
10604 4 : (
10605 4 : get_key(5),
10606 4 : Lsn(0x20),
10607 4 : Value::Image(Bytes::from("value 5@0x20")),
10608 4 : ),
10609 4 : (
10610 4 : get_key(6),
10611 4 : Lsn(0x20),
10612 4 : Value::Image(Bytes::from("value 6@0x20")),
10613 4 : ),
10614 4 : ];
10615 4 : let delta3 = vec![
10616 4 : (
10617 4 : get_key(8),
10618 4 : Lsn(0x48),
10619 4 : Value::Image(Bytes::from("value 8@0x48")),
10620 4 : ),
10621 4 : (
10622 4 : get_key(9),
10623 4 : Lsn(0x48),
10624 4 : Value::Image(Bytes::from("value 9@0x48")),
10625 4 : ),
10626 4 : ];
10627 4 :
10628 4 : let tline = tenant
10629 4 : .create_test_timeline_with_layers(
10630 4 : TIMELINE_ID,
10631 4 : Lsn(0x10),
10632 4 : DEFAULT_PG_VERSION,
10633 4 : &ctx,
10634 4 : vec![], // in-memory layers
10635 4 : vec![
10636 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x20)..Lsn(0x48), delta1),
10637 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x20)..Lsn(0x48), delta2),
10638 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x48)..Lsn(0x50), delta3),
10639 4 : ], // delta layers
10640 4 : vec![(Lsn(0x10), img_layer)], // image layers
10641 4 : Lsn(0x50),
10642 4 : )
10643 4 : .await?;
10644 4 :
10645 4 : {
10646 4 : tline
10647 4 : .applied_gc_cutoff_lsn
10648 4 : .lock_for_write()
10649 4 : .store_and_unlock(Lsn(0x30))
10650 4 : .wait()
10651 4 : .await;
10652 4 : // Update GC info
10653 4 : let mut guard = tline.gc_info.write().unwrap();
10654 4 : *guard = GcInfo {
10655 4 : retain_lsns: vec![(Lsn(0x20), tline.timeline_id, MaybeOffloaded::No)],
10656 4 : cutoffs: GcCutoffs {
10657 4 : time: Lsn(0x30),
10658 4 : space: Lsn(0x30),
10659 4 : },
10660 4 : leases: Default::default(),
10661 4 : within_ancestor_pitr: false,
10662 4 : };
10663 4 : }
10664 4 :
10665 4 : let cancel = CancellationToken::new();
10666 4 :
10667 4 : // Do a partial compaction on key range 0..2
10668 4 : tline
10669 4 : .compact_with_gc(
10670 4 : &cancel,
10671 4 : CompactOptions {
10672 4 : flags: EnumSet::new(),
10673 4 : compact_key_range: Some((get_key(0)..get_key(2)).into()),
10674 4 : ..Default::default()
10675 4 : },
10676 4 : &ctx,
10677 4 : )
10678 4 : .await
10679 4 : .unwrap();
10680 4 : let all_layers = inspect_and_sort(&tline, Some(get_key(0)..get_key(10))).await;
10681 4 : check_layer_map_key_eq(
10682 4 : all_layers,
10683 4 : vec![
10684 4 : // newly-generated image layer for the partial compaction range 0-2
10685 4 : PersistentLayerKey {
10686 4 : key_range: get_key(0)..get_key(2),
10687 4 : lsn_range: Lsn(0x20)..Lsn(0x21),
10688 4 : is_delta: false,
10689 4 : },
10690 4 : PersistentLayerKey {
10691 4 : key_range: get_key(0)..get_key(10),
10692 4 : lsn_range: Lsn(0x10)..Lsn(0x11),
10693 4 : is_delta: false,
10694 4 : },
10695 4 : // delta1 is split and the second part is rewritten
10696 4 : PersistentLayerKey {
10697 4 : key_range: get_key(2)..get_key(4),
10698 4 : lsn_range: Lsn(0x20)..Lsn(0x48),
10699 4 : is_delta: true,
10700 4 : },
10701 4 : PersistentLayerKey {
10702 4 : key_range: get_key(5)..get_key(7),
10703 4 : lsn_range: Lsn(0x20)..Lsn(0x48),
10704 4 : is_delta: true,
10705 4 : },
10706 4 : PersistentLayerKey {
10707 4 : key_range: get_key(8)..get_key(10),
10708 4 : lsn_range: Lsn(0x48)..Lsn(0x50),
10709 4 : is_delta: true,
10710 4 : },
10711 4 : ],
10712 4 : );
10713 4 :
10714 4 : // Do a partial compaction on key range 2..4
10715 4 : tline
10716 4 : .compact_with_gc(
10717 4 : &cancel,
10718 4 : CompactOptions {
10719 4 : flags: EnumSet::new(),
10720 4 : compact_key_range: Some((get_key(2)..get_key(4)).into()),
10721 4 : ..Default::default()
10722 4 : },
10723 4 : &ctx,
10724 4 : )
10725 4 : .await
10726 4 : .unwrap();
10727 4 : let all_layers = inspect_and_sort(&tline, Some(get_key(0)..get_key(10))).await;
10728 4 : check_layer_map_key_eq(
10729 4 : all_layers,
10730 4 : vec![
10731 4 : PersistentLayerKey {
10732 4 : key_range: get_key(0)..get_key(2),
10733 4 : lsn_range: Lsn(0x20)..Lsn(0x21),
10734 4 : is_delta: false,
10735 4 : },
10736 4 : PersistentLayerKey {
10737 4 : key_range: get_key(0)..get_key(10),
10738 4 : lsn_range: Lsn(0x10)..Lsn(0x11),
10739 4 : is_delta: false,
10740 4 : },
10741 4 : // image layer generated for the compaction range 2-4
10742 4 : PersistentLayerKey {
10743 4 : key_range: get_key(2)..get_key(4),
10744 4 : lsn_range: Lsn(0x20)..Lsn(0x21),
10745 4 : is_delta: false,
10746 4 : },
10747 4 : // we have key2/key3 above the retain_lsn, so we still need this delta layer
10748 4 : PersistentLayerKey {
10749 4 : key_range: get_key(2)..get_key(4),
10750 4 : lsn_range: Lsn(0x20)..Lsn(0x48),
10751 4 : is_delta: true,
10752 4 : },
10753 4 : PersistentLayerKey {
10754 4 : key_range: get_key(5)..get_key(7),
10755 4 : lsn_range: Lsn(0x20)..Lsn(0x48),
10756 4 : is_delta: true,
10757 4 : },
10758 4 : PersistentLayerKey {
10759 4 : key_range: get_key(8)..get_key(10),
10760 4 : lsn_range: Lsn(0x48)..Lsn(0x50),
10761 4 : is_delta: true,
10762 4 : },
10763 4 : ],
10764 4 : );
10765 4 :
10766 4 : // Do a partial compaction on key range 4..9
10767 4 : tline
10768 4 : .compact_with_gc(
10769 4 : &cancel,
10770 4 : CompactOptions {
10771 4 : flags: EnumSet::new(),
10772 4 : compact_key_range: Some((get_key(4)..get_key(9)).into()),
10773 4 : ..Default::default()
10774 4 : },
10775 4 : &ctx,
10776 4 : )
10777 4 : .await
10778 4 : .unwrap();
10779 4 : let all_layers = inspect_and_sort(&tline, Some(get_key(0)..get_key(10))).await;
10780 4 : check_layer_map_key_eq(
10781 4 : all_layers,
10782 4 : vec![
10783 4 : PersistentLayerKey {
10784 4 : key_range: get_key(0)..get_key(2),
10785 4 : lsn_range: Lsn(0x20)..Lsn(0x21),
10786 4 : is_delta: false,
10787 4 : },
10788 4 : PersistentLayerKey {
10789 4 : key_range: get_key(0)..get_key(10),
10790 4 : lsn_range: Lsn(0x10)..Lsn(0x11),
10791 4 : is_delta: false,
10792 4 : },
10793 4 : PersistentLayerKey {
10794 4 : key_range: get_key(2)..get_key(4),
10795 4 : lsn_range: Lsn(0x20)..Lsn(0x21),
10796 4 : is_delta: false,
10797 4 : },
10798 4 : PersistentLayerKey {
10799 4 : key_range: get_key(2)..get_key(4),
10800 4 : lsn_range: Lsn(0x20)..Lsn(0x48),
10801 4 : is_delta: true,
10802 4 : },
10803 4 : // image layer generated for this compaction range
10804 4 : PersistentLayerKey {
10805 4 : key_range: get_key(4)..get_key(9),
10806 4 : lsn_range: Lsn(0x20)..Lsn(0x21),
10807 4 : is_delta: false,
10808 4 : },
10809 4 : PersistentLayerKey {
10810 4 : key_range: get_key(8)..get_key(10),
10811 4 : lsn_range: Lsn(0x48)..Lsn(0x50),
10812 4 : is_delta: true,
10813 4 : },
10814 4 : ],
10815 4 : );
10816 4 :
10817 4 : // Do a partial compaction on key range 9..10
10818 4 : tline
10819 4 : .compact_with_gc(
10820 4 : &cancel,
10821 4 : CompactOptions {
10822 4 : flags: EnumSet::new(),
10823 4 : compact_key_range: Some((get_key(9)..get_key(10)).into()),
10824 4 : ..Default::default()
10825 4 : },
10826 4 : &ctx,
10827 4 : )
10828 4 : .await
10829 4 : .unwrap();
10830 4 : let all_layers = inspect_and_sort(&tline, Some(get_key(0)..get_key(10))).await;
10831 4 : check_layer_map_key_eq(
10832 4 : all_layers,
10833 4 : vec![
10834 4 : PersistentLayerKey {
10835 4 : key_range: get_key(0)..get_key(2),
10836 4 : lsn_range: Lsn(0x20)..Lsn(0x21),
10837 4 : is_delta: false,
10838 4 : },
10839 4 : PersistentLayerKey {
10840 4 : key_range: get_key(0)..get_key(10),
10841 4 : lsn_range: Lsn(0x10)..Lsn(0x11),
10842 4 : is_delta: false,
10843 4 : },
10844 4 : PersistentLayerKey {
10845 4 : key_range: get_key(2)..get_key(4),
10846 4 : lsn_range: Lsn(0x20)..Lsn(0x21),
10847 4 : is_delta: false,
10848 4 : },
10849 4 : PersistentLayerKey {
10850 4 : key_range: get_key(2)..get_key(4),
10851 4 : lsn_range: Lsn(0x20)..Lsn(0x48),
10852 4 : is_delta: true,
10853 4 : },
10854 4 : PersistentLayerKey {
10855 4 : key_range: get_key(4)..get_key(9),
10856 4 : lsn_range: Lsn(0x20)..Lsn(0x21),
10857 4 : is_delta: false,
10858 4 : },
10859 4 : // image layer generated for the compaction range
10860 4 : PersistentLayerKey {
10861 4 : key_range: get_key(9)..get_key(10),
10862 4 : lsn_range: Lsn(0x20)..Lsn(0x21),
10863 4 : is_delta: false,
10864 4 : },
10865 4 : PersistentLayerKey {
10866 4 : key_range: get_key(8)..get_key(10),
10867 4 : lsn_range: Lsn(0x48)..Lsn(0x50),
10868 4 : is_delta: true,
10869 4 : },
10870 4 : ],
10871 4 : );
10872 4 :
10873 4 : // Do a partial compaction on key range 0..10, all image layers below LSN 20 can be replaced with new ones.
10874 4 : tline
10875 4 : .compact_with_gc(
10876 4 : &cancel,
10877 4 : CompactOptions {
10878 4 : flags: EnumSet::new(),
10879 4 : compact_key_range: Some((get_key(0)..get_key(10)).into()),
10880 4 : ..Default::default()
10881 4 : },
10882 4 : &ctx,
10883 4 : )
10884 4 : .await
10885 4 : .unwrap();
10886 4 : let all_layers = inspect_and_sort(&tline, Some(get_key(0)..get_key(10))).await;
10887 4 : check_layer_map_key_eq(
10888 4 : all_layers,
10889 4 : vec![
10890 4 : // aha, we removed all unnecessary image/delta layers and got a very clean layer map!
10891 4 : PersistentLayerKey {
10892 4 : key_range: get_key(0)..get_key(10),
10893 4 : lsn_range: Lsn(0x20)..Lsn(0x21),
10894 4 : is_delta: false,
10895 4 : },
10896 4 : PersistentLayerKey {
10897 4 : key_range: get_key(2)..get_key(4),
10898 4 : lsn_range: Lsn(0x20)..Lsn(0x48),
10899 4 : is_delta: true,
10900 4 : },
10901 4 : PersistentLayerKey {
10902 4 : key_range: get_key(8)..get_key(10),
10903 4 : lsn_range: Lsn(0x48)..Lsn(0x50),
10904 4 : is_delta: true,
10905 4 : },
10906 4 : ],
10907 4 : );
10908 4 : Ok(())
10909 4 : }
10910 :
10911 : #[cfg(feature = "testing")]
10912 : #[tokio::test]
10913 4 : async fn test_timeline_offload_retain_lsn() -> anyhow::Result<()> {
10914 4 : let harness = TenantHarness::create("test_timeline_offload_retain_lsn")
10915 4 : .await
10916 4 : .unwrap();
10917 4 : let (tenant, ctx) = harness.load().await;
10918 4 : let tline_parent = tenant
10919 4 : .create_test_timeline(TIMELINE_ID, Lsn(0x10), DEFAULT_PG_VERSION, &ctx)
10920 4 : .await
10921 4 : .unwrap();
10922 4 : let tline_child = tenant
10923 4 : .branch_timeline_test(&tline_parent, NEW_TIMELINE_ID, Some(Lsn(0x20)), &ctx)
10924 4 : .await
10925 4 : .unwrap();
10926 4 : {
10927 4 : let gc_info_parent = tline_parent.gc_info.read().unwrap();
10928 4 : assert_eq!(
10929 4 : gc_info_parent.retain_lsns,
10930 4 : vec![(Lsn(0x20), tline_child.timeline_id, MaybeOffloaded::No)]
10931 4 : );
10932 4 : }
10933 4 : // We have to directly call the remote_client instead of using the archive function to avoid constructing broker client...
10934 4 : tline_child
10935 4 : .remote_client
10936 4 : .schedule_index_upload_for_timeline_archival_state(TimelineArchivalState::Archived)
10937 4 : .unwrap();
10938 4 : tline_child.remote_client.wait_completion().await.unwrap();
10939 4 : offload_timeline(&tenant, &tline_child)
10940 4 : .instrument(tracing::info_span!(parent: None, "offload_test", tenant_id=%"test", shard_id=%"test", timeline_id=%"test"))
10941 4 : .await.unwrap();
10942 4 : let child_timeline_id = tline_child.timeline_id;
10943 4 : Arc::try_unwrap(tline_child).unwrap();
10944 4 :
10945 4 : {
10946 4 : let gc_info_parent = tline_parent.gc_info.read().unwrap();
10947 4 : assert_eq!(
10948 4 : gc_info_parent.retain_lsns,
10949 4 : vec![(Lsn(0x20), child_timeline_id, MaybeOffloaded::Yes)]
10950 4 : );
10951 4 : }
10952 4 :
10953 4 : tenant
10954 4 : .get_offloaded_timeline(child_timeline_id)
10955 4 : .unwrap()
10956 4 : .defuse_for_tenant_drop();
10957 4 :
10958 4 : Ok(())
10959 4 : }
10960 :
10961 : #[cfg(feature = "testing")]
10962 : #[tokio::test]
10963 4 : async fn test_simple_bottom_most_compaction_above_lsn() -> anyhow::Result<()> {
10964 4 : let harness = TenantHarness::create("test_simple_bottom_most_compaction_above_lsn").await?;
10965 4 : let (tenant, ctx) = harness.load().await;
10966 4 :
10967 592 : fn get_key(id: u32) -> Key {
10968 592 : // using aux key here b/c they are guaranteed to be inside `collect_keyspace`.
10969 592 : let mut key = Key::from_hex("620000000033333333444444445500000000").unwrap();
10970 592 : key.field6 = id;
10971 592 : key
10972 592 : }
10973 4 :
10974 4 : let img_layer = (0..10)
10975 40 : .map(|id| (get_key(id), Bytes::from(format!("value {id}@0x10"))))
10976 4 : .collect_vec();
10977 4 :
10978 4 : let delta1 = vec![(
10979 4 : get_key(1),
10980 4 : Lsn(0x20),
10981 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x20")),
10982 4 : )];
10983 4 : let delta4 = vec![(
10984 4 : get_key(1),
10985 4 : Lsn(0x28),
10986 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x28")),
10987 4 : )];
10988 4 : let delta2 = vec![
10989 4 : (
10990 4 : get_key(1),
10991 4 : Lsn(0x30),
10992 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x30")),
10993 4 : ),
10994 4 : (
10995 4 : get_key(1),
10996 4 : Lsn(0x38),
10997 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x38")),
10998 4 : ),
10999 4 : ];
11000 4 : let delta3 = vec![
11001 4 : (
11002 4 : get_key(8),
11003 4 : Lsn(0x48),
11004 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x48")),
11005 4 : ),
11006 4 : (
11007 4 : get_key(9),
11008 4 : Lsn(0x48),
11009 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x48")),
11010 4 : ),
11011 4 : ];
11012 4 :
11013 4 : let tline = tenant
11014 4 : .create_test_timeline_with_layers(
11015 4 : TIMELINE_ID,
11016 4 : Lsn(0x10),
11017 4 : DEFAULT_PG_VERSION,
11018 4 : &ctx,
11019 4 : vec![], // in-memory layers
11020 4 : vec![
11021 4 : // delta1/2/4 only contain a single key but multiple updates
11022 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x20)..Lsn(0x28), delta1),
11023 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x30)..Lsn(0x50), delta2),
11024 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x28)..Lsn(0x30), delta4),
11025 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x30)..Lsn(0x50), delta3),
11026 4 : ], // delta layers
11027 4 : vec![(Lsn(0x10), img_layer)], // image layers
11028 4 : Lsn(0x50),
11029 4 : )
11030 4 : .await?;
11031 4 : {
11032 4 : tline
11033 4 : .applied_gc_cutoff_lsn
11034 4 : .lock_for_write()
11035 4 : .store_and_unlock(Lsn(0x30))
11036 4 : .wait()
11037 4 : .await;
11038 4 : // Update GC info
11039 4 : let mut guard = tline.gc_info.write().unwrap();
11040 4 : *guard = GcInfo {
11041 4 : retain_lsns: vec![
11042 4 : (Lsn(0x10), tline.timeline_id, MaybeOffloaded::No),
11043 4 : (Lsn(0x20), tline.timeline_id, MaybeOffloaded::No),
11044 4 : ],
11045 4 : cutoffs: GcCutoffs {
11046 4 : time: Lsn(0x30),
11047 4 : space: Lsn(0x30),
11048 4 : },
11049 4 : leases: Default::default(),
11050 4 : within_ancestor_pitr: false,
11051 4 : };
11052 4 : }
11053 4 :
11054 4 : let expected_result = [
11055 4 : Bytes::from_static(b"value 0@0x10"),
11056 4 : Bytes::from_static(b"value 1@0x10@0x20@0x28@0x30@0x38"),
11057 4 : Bytes::from_static(b"value 2@0x10"),
11058 4 : Bytes::from_static(b"value 3@0x10"),
11059 4 : Bytes::from_static(b"value 4@0x10"),
11060 4 : Bytes::from_static(b"value 5@0x10"),
11061 4 : Bytes::from_static(b"value 6@0x10"),
11062 4 : Bytes::from_static(b"value 7@0x10"),
11063 4 : Bytes::from_static(b"value 8@0x10@0x48"),
11064 4 : Bytes::from_static(b"value 9@0x10@0x48"),
11065 4 : ];
11066 4 :
11067 4 : let expected_result_at_gc_horizon = [
11068 4 : Bytes::from_static(b"value 0@0x10"),
11069 4 : Bytes::from_static(b"value 1@0x10@0x20@0x28@0x30"),
11070 4 : Bytes::from_static(b"value 2@0x10"),
11071 4 : Bytes::from_static(b"value 3@0x10"),
11072 4 : Bytes::from_static(b"value 4@0x10"),
11073 4 : Bytes::from_static(b"value 5@0x10"),
11074 4 : Bytes::from_static(b"value 6@0x10"),
11075 4 : Bytes::from_static(b"value 7@0x10"),
11076 4 : Bytes::from_static(b"value 8@0x10"),
11077 4 : Bytes::from_static(b"value 9@0x10"),
11078 4 : ];
11079 4 :
11080 4 : let expected_result_at_lsn_20 = [
11081 4 : Bytes::from_static(b"value 0@0x10"),
11082 4 : Bytes::from_static(b"value 1@0x10@0x20"),
11083 4 : Bytes::from_static(b"value 2@0x10"),
11084 4 : Bytes::from_static(b"value 3@0x10"),
11085 4 : Bytes::from_static(b"value 4@0x10"),
11086 4 : Bytes::from_static(b"value 5@0x10"),
11087 4 : Bytes::from_static(b"value 6@0x10"),
11088 4 : Bytes::from_static(b"value 7@0x10"),
11089 4 : Bytes::from_static(b"value 8@0x10"),
11090 4 : Bytes::from_static(b"value 9@0x10"),
11091 4 : ];
11092 4 :
11093 4 : let expected_result_at_lsn_10 = [
11094 4 : Bytes::from_static(b"value 0@0x10"),
11095 4 : Bytes::from_static(b"value 1@0x10"),
11096 4 : Bytes::from_static(b"value 2@0x10"),
11097 4 : Bytes::from_static(b"value 3@0x10"),
11098 4 : Bytes::from_static(b"value 4@0x10"),
11099 4 : Bytes::from_static(b"value 5@0x10"),
11100 4 : Bytes::from_static(b"value 6@0x10"),
11101 4 : Bytes::from_static(b"value 7@0x10"),
11102 4 : Bytes::from_static(b"value 8@0x10"),
11103 4 : Bytes::from_static(b"value 9@0x10"),
11104 4 : ];
11105 4 :
11106 12 : let verify_result = || async {
11107 12 : let gc_horizon = {
11108 12 : let gc_info = tline.gc_info.read().unwrap();
11109 12 : gc_info.cutoffs.time
11110 4 : };
11111 132 : for idx in 0..10 {
11112 120 : assert_eq!(
11113 120 : tline
11114 120 : .get(get_key(idx as u32), Lsn(0x50), &ctx)
11115 120 : .await
11116 120 : .unwrap(),
11117 120 : &expected_result[idx]
11118 4 : );
11119 120 : assert_eq!(
11120 120 : tline
11121 120 : .get(get_key(idx as u32), gc_horizon, &ctx)
11122 120 : .await
11123 120 : .unwrap(),
11124 120 : &expected_result_at_gc_horizon[idx]
11125 4 : );
11126 120 : assert_eq!(
11127 120 : tline
11128 120 : .get(get_key(idx as u32), Lsn(0x20), &ctx)
11129 120 : .await
11130 120 : .unwrap(),
11131 120 : &expected_result_at_lsn_20[idx]
11132 4 : );
11133 120 : assert_eq!(
11134 120 : tline
11135 120 : .get(get_key(idx as u32), Lsn(0x10), &ctx)
11136 120 : .await
11137 120 : .unwrap(),
11138 120 : &expected_result_at_lsn_10[idx]
11139 4 : );
11140 4 : }
11141 24 : };
11142 4 :
11143 4 : verify_result().await;
11144 4 :
11145 4 : let cancel = CancellationToken::new();
11146 4 : tline
11147 4 : .compact_with_gc(
11148 4 : &cancel,
11149 4 : CompactOptions {
11150 4 : compact_lsn_range: Some(CompactLsnRange::above(Lsn(0x28))),
11151 4 : ..Default::default()
11152 4 : },
11153 4 : &ctx,
11154 4 : )
11155 4 : .await
11156 4 : .unwrap();
11157 4 : verify_result().await;
11158 4 :
11159 4 : let all_layers = inspect_and_sort(&tline, Some(get_key(0)..get_key(10))).await;
11160 4 : check_layer_map_key_eq(
11161 4 : all_layers,
11162 4 : vec![
11163 4 : // The original image layer, not compacted
11164 4 : PersistentLayerKey {
11165 4 : key_range: get_key(0)..get_key(10),
11166 4 : lsn_range: Lsn(0x10)..Lsn(0x11),
11167 4 : is_delta: false,
11168 4 : },
11169 4 : // Delta layer below the specified above_lsn not compacted
11170 4 : PersistentLayerKey {
11171 4 : key_range: get_key(1)..get_key(2),
11172 4 : lsn_range: Lsn(0x20)..Lsn(0x28),
11173 4 : is_delta: true,
11174 4 : },
11175 4 : // Delta layer compacted above the LSN
11176 4 : PersistentLayerKey {
11177 4 : key_range: get_key(1)..get_key(10),
11178 4 : lsn_range: Lsn(0x28)..Lsn(0x50),
11179 4 : is_delta: true,
11180 4 : },
11181 4 : ],
11182 4 : );
11183 4 :
11184 4 : // compact again
11185 4 : tline
11186 4 : .compact_with_gc(&cancel, CompactOptions::default(), &ctx)
11187 4 : .await
11188 4 : .unwrap();
11189 4 : verify_result().await;
11190 4 :
11191 4 : let all_layers = inspect_and_sort(&tline, Some(get_key(0)..get_key(10))).await;
11192 4 : check_layer_map_key_eq(
11193 4 : all_layers,
11194 4 : vec![
11195 4 : // The compacted image layer (full key range)
11196 4 : PersistentLayerKey {
11197 4 : key_range: Key::MIN..Key::MAX,
11198 4 : lsn_range: Lsn(0x10)..Lsn(0x11),
11199 4 : is_delta: false,
11200 4 : },
11201 4 : // All other data in the delta layer
11202 4 : PersistentLayerKey {
11203 4 : key_range: get_key(1)..get_key(10),
11204 4 : lsn_range: Lsn(0x10)..Lsn(0x50),
11205 4 : is_delta: true,
11206 4 : },
11207 4 : ],
11208 4 : );
11209 4 :
11210 4 : Ok(())
11211 4 : }
11212 :
11213 : #[cfg(feature = "testing")]
11214 : #[tokio::test]
11215 4 : async fn test_simple_bottom_most_compaction_rectangle() -> anyhow::Result<()> {
11216 4 : let harness = TenantHarness::create("test_simple_bottom_most_compaction_rectangle").await?;
11217 4 : let (tenant, ctx) = harness.load().await;
11218 4 :
11219 1016 : fn get_key(id: u32) -> Key {
11220 1016 : // using aux key here b/c they are guaranteed to be inside `collect_keyspace`.
11221 1016 : let mut key = Key::from_hex("620000000033333333444444445500000000").unwrap();
11222 1016 : key.field6 = id;
11223 1016 : key
11224 1016 : }
11225 4 :
11226 4 : let img_layer = (0..10)
11227 40 : .map(|id| (get_key(id), Bytes::from(format!("value {id}@0x10"))))
11228 4 : .collect_vec();
11229 4 :
11230 4 : let delta1 = vec![(
11231 4 : get_key(1),
11232 4 : Lsn(0x20),
11233 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x20")),
11234 4 : )];
11235 4 : let delta4 = vec![(
11236 4 : get_key(1),
11237 4 : Lsn(0x28),
11238 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x28")),
11239 4 : )];
11240 4 : let delta2 = vec![
11241 4 : (
11242 4 : get_key(1),
11243 4 : Lsn(0x30),
11244 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x30")),
11245 4 : ),
11246 4 : (
11247 4 : get_key(1),
11248 4 : Lsn(0x38),
11249 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x38")),
11250 4 : ),
11251 4 : ];
11252 4 : let delta3 = vec![
11253 4 : (
11254 4 : get_key(8),
11255 4 : Lsn(0x48),
11256 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x48")),
11257 4 : ),
11258 4 : (
11259 4 : get_key(9),
11260 4 : Lsn(0x48),
11261 4 : Value::WalRecord(NeonWalRecord::wal_append("@0x48")),
11262 4 : ),
11263 4 : ];
11264 4 :
11265 4 : let tline = tenant
11266 4 : .create_test_timeline_with_layers(
11267 4 : TIMELINE_ID,
11268 4 : Lsn(0x10),
11269 4 : DEFAULT_PG_VERSION,
11270 4 : &ctx,
11271 4 : vec![], // in-memory layers
11272 4 : vec![
11273 4 : // delta1/2/4 only contain a single key but multiple updates
11274 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x20)..Lsn(0x28), delta1),
11275 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x30)..Lsn(0x50), delta2),
11276 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x28)..Lsn(0x30), delta4),
11277 4 : DeltaLayerTestDesc::new_with_inferred_key_range(Lsn(0x30)..Lsn(0x50), delta3),
11278 4 : ], // delta layers
11279 4 : vec![(Lsn(0x10), img_layer)], // image layers
11280 4 : Lsn(0x50),
11281 4 : )
11282 4 : .await?;
11283 4 : {
11284 4 : tline
11285 4 : .applied_gc_cutoff_lsn
11286 4 : .lock_for_write()
11287 4 : .store_and_unlock(Lsn(0x30))
11288 4 : .wait()
11289 4 : .await;
11290 4 : // Update GC info
11291 4 : let mut guard = tline.gc_info.write().unwrap();
11292 4 : *guard = GcInfo {
11293 4 : retain_lsns: vec![
11294 4 : (Lsn(0x10), tline.timeline_id, MaybeOffloaded::No),
11295 4 : (Lsn(0x20), tline.timeline_id, MaybeOffloaded::No),
11296 4 : ],
11297 4 : cutoffs: GcCutoffs {
11298 4 : time: Lsn(0x30),
11299 4 : space: Lsn(0x30),
11300 4 : },
11301 4 : leases: Default::default(),
11302 4 : within_ancestor_pitr: false,
11303 4 : };
11304 4 : }
11305 4 :
11306 4 : let expected_result = [
11307 4 : Bytes::from_static(b"value 0@0x10"),
11308 4 : Bytes::from_static(b"value 1@0x10@0x20@0x28@0x30@0x38"),
11309 4 : Bytes::from_static(b"value 2@0x10"),
11310 4 : Bytes::from_static(b"value 3@0x10"),
11311 4 : Bytes::from_static(b"value 4@0x10"),
11312 4 : Bytes::from_static(b"value 5@0x10"),
11313 4 : Bytes::from_static(b"value 6@0x10"),
11314 4 : Bytes::from_static(b"value 7@0x10"),
11315 4 : Bytes::from_static(b"value 8@0x10@0x48"),
11316 4 : Bytes::from_static(b"value 9@0x10@0x48"),
11317 4 : ];
11318 4 :
11319 4 : let expected_result_at_gc_horizon = [
11320 4 : Bytes::from_static(b"value 0@0x10"),
11321 4 : Bytes::from_static(b"value 1@0x10@0x20@0x28@0x30"),
11322 4 : Bytes::from_static(b"value 2@0x10"),
11323 4 : Bytes::from_static(b"value 3@0x10"),
11324 4 : Bytes::from_static(b"value 4@0x10"),
11325 4 : Bytes::from_static(b"value 5@0x10"),
11326 4 : Bytes::from_static(b"value 6@0x10"),
11327 4 : Bytes::from_static(b"value 7@0x10"),
11328 4 : Bytes::from_static(b"value 8@0x10"),
11329 4 : Bytes::from_static(b"value 9@0x10"),
11330 4 : ];
11331 4 :
11332 4 : let expected_result_at_lsn_20 = [
11333 4 : Bytes::from_static(b"value 0@0x10"),
11334 4 : Bytes::from_static(b"value 1@0x10@0x20"),
11335 4 : Bytes::from_static(b"value 2@0x10"),
11336 4 : Bytes::from_static(b"value 3@0x10"),
11337 4 : Bytes::from_static(b"value 4@0x10"),
11338 4 : Bytes::from_static(b"value 5@0x10"),
11339 4 : Bytes::from_static(b"value 6@0x10"),
11340 4 : Bytes::from_static(b"value 7@0x10"),
11341 4 : Bytes::from_static(b"value 8@0x10"),
11342 4 : Bytes::from_static(b"value 9@0x10"),
11343 4 : ];
11344 4 :
11345 4 : let expected_result_at_lsn_10 = [
11346 4 : Bytes::from_static(b"value 0@0x10"),
11347 4 : Bytes::from_static(b"value 1@0x10"),
11348 4 : Bytes::from_static(b"value 2@0x10"),
11349 4 : Bytes::from_static(b"value 3@0x10"),
11350 4 : Bytes::from_static(b"value 4@0x10"),
11351 4 : Bytes::from_static(b"value 5@0x10"),
11352 4 : Bytes::from_static(b"value 6@0x10"),
11353 4 : Bytes::from_static(b"value 7@0x10"),
11354 4 : Bytes::from_static(b"value 8@0x10"),
11355 4 : Bytes::from_static(b"value 9@0x10"),
11356 4 : ];
11357 4 :
11358 20 : let verify_result = || async {
11359 20 : let gc_horizon = {
11360 20 : let gc_info = tline.gc_info.read().unwrap();
11361 20 : gc_info.cutoffs.time
11362 4 : };
11363 220 : for idx in 0..10 {
11364 200 : assert_eq!(
11365 200 : tline
11366 200 : .get(get_key(idx as u32), Lsn(0x50), &ctx)
11367 200 : .await
11368 200 : .unwrap(),
11369 200 : &expected_result[idx]
11370 4 : );
11371 200 : assert_eq!(
11372 200 : tline
11373 200 : .get(get_key(idx as u32), gc_horizon, &ctx)
11374 200 : .await
11375 200 : .unwrap(),
11376 200 : &expected_result_at_gc_horizon[idx]
11377 4 : );
11378 200 : assert_eq!(
11379 200 : tline
11380 200 : .get(get_key(idx as u32), Lsn(0x20), &ctx)
11381 200 : .await
11382 200 : .unwrap(),
11383 200 : &expected_result_at_lsn_20[idx]
11384 4 : );
11385 200 : assert_eq!(
11386 200 : tline
11387 200 : .get(get_key(idx as u32), Lsn(0x10), &ctx)
11388 200 : .await
11389 200 : .unwrap(),
11390 200 : &expected_result_at_lsn_10[idx]
11391 4 : );
11392 4 : }
11393 40 : };
11394 4 :
11395 4 : verify_result().await;
11396 4 :
11397 4 : let cancel = CancellationToken::new();
11398 4 :
11399 4 : tline
11400 4 : .compact_with_gc(
11401 4 : &cancel,
11402 4 : CompactOptions {
11403 4 : compact_key_range: Some((get_key(0)..get_key(2)).into()),
11404 4 : compact_lsn_range: Some((Lsn(0x20)..Lsn(0x28)).into()),
11405 4 : ..Default::default()
11406 4 : },
11407 4 : &ctx,
11408 4 : )
11409 4 : .await
11410 4 : .unwrap();
11411 4 : verify_result().await;
11412 4 :
11413 4 : let all_layers = inspect_and_sort(&tline, Some(get_key(0)..get_key(10))).await;
11414 4 : check_layer_map_key_eq(
11415 4 : all_layers,
11416 4 : vec![
11417 4 : // The original image layer, not compacted
11418 4 : PersistentLayerKey {
11419 4 : key_range: get_key(0)..get_key(10),
11420 4 : lsn_range: Lsn(0x10)..Lsn(0x11),
11421 4 : is_delta: false,
11422 4 : },
11423 4 : // According the selection logic, we select all layers with start key <= 0x28, so we would merge the layer 0x20-0x28 and
11424 4 : // the layer 0x28-0x30 into one.
11425 4 : PersistentLayerKey {
11426 4 : key_range: get_key(1)..get_key(2),
11427 4 : lsn_range: Lsn(0x20)..Lsn(0x30),
11428 4 : is_delta: true,
11429 4 : },
11430 4 : // Above the upper bound and untouched
11431 4 : PersistentLayerKey {
11432 4 : key_range: get_key(1)..get_key(2),
11433 4 : lsn_range: Lsn(0x30)..Lsn(0x50),
11434 4 : is_delta: true,
11435 4 : },
11436 4 : // This layer is untouched
11437 4 : PersistentLayerKey {
11438 4 : key_range: get_key(8)..get_key(10),
11439 4 : lsn_range: Lsn(0x30)..Lsn(0x50),
11440 4 : is_delta: true,
11441 4 : },
11442 4 : ],
11443 4 : );
11444 4 :
11445 4 : tline
11446 4 : .compact_with_gc(
11447 4 : &cancel,
11448 4 : CompactOptions {
11449 4 : compact_key_range: Some((get_key(3)..get_key(8)).into()),
11450 4 : compact_lsn_range: Some((Lsn(0x28)..Lsn(0x40)).into()),
11451 4 : ..Default::default()
11452 4 : },
11453 4 : &ctx,
11454 4 : )
11455 4 : .await
11456 4 : .unwrap();
11457 4 : verify_result().await;
11458 4 :
11459 4 : let all_layers = inspect_and_sort(&tline, Some(get_key(0)..get_key(10))).await;
11460 4 : check_layer_map_key_eq(
11461 4 : all_layers,
11462 4 : vec![
11463 4 : // The original image layer, not compacted
11464 4 : PersistentLayerKey {
11465 4 : key_range: get_key(0)..get_key(10),
11466 4 : lsn_range: Lsn(0x10)..Lsn(0x11),
11467 4 : is_delta: false,
11468 4 : },
11469 4 : // Not in the compaction key range, uncompacted
11470 4 : PersistentLayerKey {
11471 4 : key_range: get_key(1)..get_key(2),
11472 4 : lsn_range: Lsn(0x20)..Lsn(0x30),
11473 4 : is_delta: true,
11474 4 : },
11475 4 : // Not in the compaction key range, uncompacted but need rewrite because the delta layer overlaps with the range
11476 4 : PersistentLayerKey {
11477 4 : key_range: get_key(1)..get_key(2),
11478 4 : lsn_range: Lsn(0x30)..Lsn(0x50),
11479 4 : is_delta: true,
11480 4 : },
11481 4 : // Note that when we specify the LSN upper bound to be 0x40, the compaction algorithm will not try to cut the layer
11482 4 : // horizontally in half. Instead, it will include all LSNs that overlap with 0x40. So the real max_lsn of the compaction
11483 4 : // becomes 0x50.
11484 4 : PersistentLayerKey {
11485 4 : key_range: get_key(8)..get_key(10),
11486 4 : lsn_range: Lsn(0x30)..Lsn(0x50),
11487 4 : is_delta: true,
11488 4 : },
11489 4 : ],
11490 4 : );
11491 4 :
11492 4 : // compact again
11493 4 : tline
11494 4 : .compact_with_gc(
11495 4 : &cancel,
11496 4 : CompactOptions {
11497 4 : compact_key_range: Some((get_key(0)..get_key(5)).into()),
11498 4 : compact_lsn_range: Some((Lsn(0x20)..Lsn(0x50)).into()),
11499 4 : ..Default::default()
11500 4 : },
11501 4 : &ctx,
11502 4 : )
11503 4 : .await
11504 4 : .unwrap();
11505 4 : verify_result().await;
11506 4 :
11507 4 : let all_layers = inspect_and_sort(&tline, Some(get_key(0)..get_key(10))).await;
11508 4 : check_layer_map_key_eq(
11509 4 : all_layers,
11510 4 : vec![
11511 4 : // The original image layer, not compacted
11512 4 : PersistentLayerKey {
11513 4 : key_range: get_key(0)..get_key(10),
11514 4 : lsn_range: Lsn(0x10)..Lsn(0x11),
11515 4 : is_delta: false,
11516 4 : },
11517 4 : // The range gets compacted
11518 4 : PersistentLayerKey {
11519 4 : key_range: get_key(1)..get_key(2),
11520 4 : lsn_range: Lsn(0x20)..Lsn(0x50),
11521 4 : is_delta: true,
11522 4 : },
11523 4 : // Not touched during this iteration of compaction
11524 4 : PersistentLayerKey {
11525 4 : key_range: get_key(8)..get_key(10),
11526 4 : lsn_range: Lsn(0x30)..Lsn(0x50),
11527 4 : is_delta: true,
11528 4 : },
11529 4 : ],
11530 4 : );
11531 4 :
11532 4 : // final full compaction
11533 4 : tline
11534 4 : .compact_with_gc(&cancel, CompactOptions::default(), &ctx)
11535 4 : .await
11536 4 : .unwrap();
11537 4 : verify_result().await;
11538 4 :
11539 4 : let all_layers = inspect_and_sort(&tline, Some(get_key(0)..get_key(10))).await;
11540 4 : check_layer_map_key_eq(
11541 4 : all_layers,
11542 4 : vec![
11543 4 : // The compacted image layer (full key range)
11544 4 : PersistentLayerKey {
11545 4 : key_range: Key::MIN..Key::MAX,
11546 4 : lsn_range: Lsn(0x10)..Lsn(0x11),
11547 4 : is_delta: false,
11548 4 : },
11549 4 : // All other data in the delta layer
11550 4 : PersistentLayerKey {
11551 4 : key_range: get_key(1)..get_key(10),
11552 4 : lsn_range: Lsn(0x10)..Lsn(0x50),
11553 4 : is_delta: true,
11554 4 : },
11555 4 : ],
11556 4 : );
11557 4 :
11558 4 : Ok(())
11559 4 : }
11560 : }
|