|             Line data    Source code 
       1              : use std::cmp;
       2              : use std::collections::hash_map::Entry;
       3              : use std::collections::{HashMap, HashSet};
       4              : use std::sync::Arc;
       5              : 
       6              : use tenant_size_model::svg::SvgBranchKind;
       7              : use tenant_size_model::{Segment, StorageModel};
       8              : use tokio::sync::Semaphore;
       9              : use tokio::sync::oneshot::error::RecvError;
      10              : use tokio_util::sync::CancellationToken;
      11              : use tracing::*;
      12              : use utils::id::TimelineId;
      13              : use utils::lsn::Lsn;
      14              : 
      15              : use super::{GcError, LogicalSizeCalculationCause, TenantShard};
      16              : use crate::context::RequestContext;
      17              : use crate::pgdatadir_mapping::CalculateLogicalSizeError;
      18              : use crate::tenant::{MaybeOffloaded, Timeline};
      19              : 
      20              : /// Inputs to the actual tenant sizing model
      21              : ///
      22              : /// Implements [`serde::Serialize`] but is not meant to be part of the public API, instead meant to
      23              : /// be a transferrable format between execution environments and developer.
      24              : ///
      25              : /// This tracks more information than the actual StorageModel that calculation
      26              : /// needs. We will convert this into a StorageModel when it's time to perform
      27              : /// the calculation.
      28              : ///
      29            0 : #[derive(Debug, serde::Serialize, serde::Deserialize)]
      30              : pub struct ModelInputs {
      31              :     pub segments: Vec<SegmentMeta>,
      32              :     pub timeline_inputs: Vec<TimelineInputs>,
      33              : }
      34              : 
      35              : /// A [`Segment`], with some extra information for display purposes
      36            0 : #[derive(Debug, serde::Serialize, serde::Deserialize, PartialEq, Eq)]
      37              : pub struct SegmentMeta {
      38              :     pub segment: Segment,
      39              :     pub timeline_id: TimelineId,
      40              :     pub kind: LsnKind,
      41              : }
      42              : 
      43              : #[derive(thiserror::Error, Debug)]
      44              : pub(crate) enum CalculateSyntheticSizeError {
      45              :     /// Something went wrong internally to the calculation of logical size at a particular branch point
      46              :     #[error("Failed to calculated logical size on timeline {timeline_id} at {lsn}: {error}")]
      47              :     LogicalSize {
      48              :         timeline_id: TimelineId,
      49              :         lsn: Lsn,
      50              :         error: CalculateLogicalSizeError,
      51              :     },
      52              : 
      53              :     /// Something went wrong internally when calculating GC parameters at start of size calculation
      54              :     #[error(transparent)]
      55              :     GcInfo(GcError),
      56              : 
      57              :     /// Totally unexpected errors, like panics joining a task
      58              :     #[error(transparent)]
      59              :     Fatal(anyhow::Error),
      60              : 
      61              :     /// Tenant shut down while calculating size
      62              :     #[error("Cancelled")]
      63              :     Cancelled,
      64              : }
      65              : 
      66              : impl From<GcError> for CalculateSyntheticSizeError {
      67            0 :     fn from(value: GcError) -> Self {
      68            0 :         match value {
      69              :             GcError::TenantCancelled | GcError::TimelineCancelled => {
      70            0 :                 CalculateSyntheticSizeError::Cancelled
      71              :             }
      72            0 :             other => CalculateSyntheticSizeError::GcInfo(other),
      73              :         }
      74            0 :     }
      75              : }
      76              : 
      77              : impl SegmentMeta {
      78           58 :     fn size_needed(&self) -> bool {
      79           58 :         match self.kind {
      80              :             LsnKind::BranchStart => {
      81              :                 // If we don't have a later GcCutoff point on this branch, and
      82              :                 // no ancestor, calculate size for the branch start point.
      83           16 :                 self.segment.needed && self.segment.parent.is_none()
      84              :             }
      85           12 :             LsnKind::BranchPoint => true,
      86           14 :             LsnKind::GcCutOff => true,
      87           16 :             LsnKind::BranchEnd => false,
      88            0 :             LsnKind::LeasePoint => true,
      89            0 :             LsnKind::LeaseStart => false,
      90            0 :             LsnKind::LeaseEnd => false,
      91              :         }
      92           58 :     }
      93              : }
      94              : 
      95              : #[derive(
      96            0 :     Debug, Clone, Copy, Eq, Ord, PartialEq, PartialOrd, serde::Serialize, serde::Deserialize,
      97              : )]
      98              : pub enum LsnKind {
      99              :     /// A timeline starting here
     100              :     BranchStart,
     101              :     /// A child timeline branches off from here
     102              :     BranchPoint,
     103              :     /// GC cutoff point
     104              :     GcCutOff,
     105              :     /// Last record LSN
     106              :     BranchEnd,
     107              :     /// A LSN lease is granted here.
     108              :     LeasePoint,
     109              :     /// A lease starts from here.
     110              :     LeaseStart,
     111              :     /// Last record LSN for the lease (should have the same LSN as the previous [`LsnKind::LeaseStart`]).
     112              :     LeaseEnd,
     113              : }
     114              : 
     115              : impl From<LsnKind> for SvgBranchKind {
     116            0 :     fn from(kind: LsnKind) -> Self {
     117            0 :         match kind {
     118            0 :             LsnKind::LeasePoint | LsnKind::LeaseStart | LsnKind::LeaseEnd => SvgBranchKind::Lease,
     119            0 :             _ => SvgBranchKind::Timeline,
     120              :         }
     121            0 :     }
     122              : }
     123              : 
     124              : /// Collect all relevant LSNs to the inputs. These will only be helpful in the serialized form as
     125              : /// part of [`ModelInputs`] from the HTTP api, explaining the inputs.
     126            0 : #[derive(Debug, serde::Serialize, serde::Deserialize)]
     127              : pub struct TimelineInputs {
     128              :     pub timeline_id: TimelineId,
     129              : 
     130              :     pub ancestor_id: Option<TimelineId>,
     131              : 
     132              :     ancestor_lsn: Lsn,
     133              :     last_record: Lsn,
     134              :     latest_gc_cutoff: Lsn,
     135              : 
     136              :     /// Cutoff point based on GC settings
     137              :     next_pitr_cutoff: Lsn,
     138              : 
     139              :     /// Cutoff point calculated from the user-supplied 'max_retention_period'
     140              :     retention_param_cutoff: Option<Lsn>,
     141              : 
     142              :     /// Lease points on the timeline
     143              :     lease_points: Vec<Lsn>,
     144              : }
     145              : 
     146              : /// Gathers the inputs for the tenant sizing model.
     147              : ///
     148              : /// Tenant size does not consider the latest state, but only the state until next_pitr_cutoff, which
     149              : /// is updated on-demand, during the start of this calculation and separate from the
     150              : /// [`TimelineInputs::latest_gc_cutoff`].
     151              : ///
     152              : /// For timelines in general:
     153              : ///
     154              : /// ```text
     155              : /// 0-----|---------|----|------------| · · · · · |·> lsn
     156              : ///   initdb_lsn  branchpoints*  next_pitr_cutoff  latest
     157              : /// ```
     158            2 : pub(super) async fn gather_inputs(
     159            2 :     tenant: &TenantShard,
     160            2 :     limit: &Arc<Semaphore>,
     161            2 :     max_retention_period: Option<u64>,
     162            2 :     logical_size_cache: &mut HashMap<(TimelineId, Lsn), u64>,
     163            2 :     cause: LogicalSizeCalculationCause,
     164            2 :     cancel: &CancellationToken,
     165            2 :     ctx: &RequestContext,
     166            2 : ) -> Result<ModelInputs, CalculateSyntheticSizeError> {
     167              :     // refresh is needed to update [`timeline::GcCutoffs`]
     168            2 :     tenant.refresh_gc_info(cancel, ctx).await?;
     169              : 
     170              :     // Collect information about all the timelines
     171            2 :     let mut timelines = tenant.list_timelines();
     172              : 
     173            2 :     if timelines.is_empty() {
     174              :         // perhaps the tenant has just been created, and as such doesn't have any data yet
     175            0 :         return Ok(ModelInputs {
     176            0 :             segments: vec![],
     177            0 :             timeline_inputs: Vec::new(),
     178            0 :         });
     179            2 :     }
     180              : 
     181              :     // Filter out timelines that are not active
     182              :     //
     183              :     // There may be a race when a timeline is dropped,
     184              :     // but it is unlikely to cause any issues. In the worst case,
     185              :     // the calculation will error out.
     186            8 :     timelines.retain(|t| t.is_active());
     187              :     // Also filter out archived timelines.
     188            8 :     timelines.retain(|t| t.is_archived() != Some(true));
     189              : 
     190              :     // Build a map of branch points.
     191            2 :     let mut branchpoints: HashMap<TimelineId, HashSet<Lsn>> = HashMap::new();
     192            8 :     for timeline in timelines.iter() {
     193            8 :         if let Some(ancestor_id) = timeline.get_ancestor_timeline_id() {
     194            6 :             branchpoints
     195            6 :                 .entry(ancestor_id)
     196            6 :                 .or_default()
     197            6 :                 .insert(timeline.get_ancestor_lsn());
     198            6 :         }
     199              :     }
     200              : 
     201              :     // These become the final result.
     202            2 :     let mut timeline_inputs = Vec::with_capacity(timelines.len());
     203            2 :     let mut segments: Vec<SegmentMeta> = Vec::new();
     204              : 
     205              :     //
     206              :     // Build Segments representing each timeline. As we do that, also remember
     207              :     // the branchpoints and branch startpoints in 'branchpoint_segments' and
     208              :     // 'branchstart_segments'
     209              :     //
     210              : 
     211              :     // BranchPoint segments of each timeline
     212              :     // (timeline, branchpoint LSN) -> segment_id
     213            2 :     let mut branchpoint_segments: HashMap<(TimelineId, Lsn), usize> = HashMap::new();
     214              : 
     215              :     // timeline, Branchpoint seg id, (ancestor, ancestor LSN)
     216              :     type BranchStartSegment = (TimelineId, usize, Option<(TimelineId, Lsn)>);
     217            2 :     let mut branchstart_segments: Vec<BranchStartSegment> = Vec::new();
     218              : 
     219            8 :     for timeline in timelines.iter() {
     220            8 :         let timeline_id = timeline.timeline_id;
     221            8 :         let last_record_lsn = timeline.get_last_record_lsn();
     222            8 :         let ancestor_lsn = timeline.get_ancestor_lsn();
     223              : 
     224              :         // there's a race between the update (holding tenant.gc_lock) and this read but it
     225              :         // might not be an issue, because it's not for Timeline::gc
     226            8 :         let gc_info = timeline.gc_info.read().unwrap();
     227              : 
     228              :         // similar to gc, but Timeline::get_latest_gc_cutoff_lsn() will not be updated before a
     229              :         // new gc run, which we have no control over. however differently from `Timeline::gc`
     230              :         // we don't consider the `Timeline::disk_consistent_lsn` at all, because we are not
     231              :         // actually removing files.
     232              :         //
     233              :         // We only consider [`timeline::GcCutoffs::time`], and not [`timeline::GcCutoffs::space`], because from
     234              :         // a user's perspective they have only requested retention up to the time bound (pitr_cutoff), rather
     235              :         // than our internal space cutoff.  This means that if someone drops a database and waits for their
     236              :         // PITR interval, they will see synthetic size decrease, even if we are still storing data inside
     237              :         // the space cutoff.
     238            8 :         let mut next_pitr_cutoff = gc_info.cutoffs.time.unwrap_or_default(); // TODO: handle None
     239              : 
     240              :         // If the caller provided a shorter retention period, use that instead of the GC cutoff.
     241            8 :         let retention_param_cutoff = if let Some(max_retention_period) = max_retention_period {
     242            0 :             let param_cutoff = Lsn(last_record_lsn.0.saturating_sub(max_retention_period));
     243            0 :             if next_pitr_cutoff < param_cutoff {
     244            0 :                 next_pitr_cutoff = param_cutoff;
     245            0 :             }
     246            0 :             Some(param_cutoff)
     247              :         } else {
     248            8 :             None
     249              :         };
     250              : 
     251            8 :         let branch_is_invisible = timeline.is_invisible() == Some(true);
     252              : 
     253            8 :         let lease_points = gc_info
     254            8 :             .leases
     255            8 :             .keys()
     256            8 :             .filter(|&&lsn| lsn > ancestor_lsn)
     257            8 :             .copied()
     258            8 :             .collect::<Vec<_>>();
     259              : 
     260              :         // next_pitr_cutoff in parent branch are not of interest (right now at least), nor do we
     261              :         // want to query any logical size before initdb_lsn.
     262            8 :         let branch_start_lsn = cmp::max(ancestor_lsn, timeline.initdb_lsn);
     263              : 
     264              :         // Build "interesting LSNs" on this timeline
     265            8 :         let mut lsns: Vec<(Lsn, LsnKind)> = gc_info
     266            8 :             .retain_lsns
     267            8 :             .iter()
     268            8 :             .filter(|(lsn, _child_id, is_offloaded)| {
     269            6 :                 lsn > &ancestor_lsn && *is_offloaded == MaybeOffloaded::No
     270            6 :             })
     271            8 :             .copied()
     272              :             // this assumes there are no other retain_lsns than the branchpoints
     273            8 :             .map(|(lsn, _child_id, _is_offloaded)| (lsn, LsnKind::BranchPoint))
     274            8 :             .collect::<Vec<_>>();
     275              : 
     276            8 :         if !branch_is_invisible {
     277              :             // Do not count lease points for invisible branches.
     278            7 :             lsns.extend(lease_points.iter().map(|&lsn| (lsn, LsnKind::LeasePoint)));
     279            1 :         }
     280              : 
     281            8 :         drop(gc_info);
     282              : 
     283              :         // Add branch points we collected earlier, just in case there were any that were
     284              :         // not present in retain_lsns. We will remove any duplicates below later.
     285            8 :         if let Some(this_branchpoints) = branchpoints.get(&timeline_id) {
     286            2 :             lsns.extend(
     287            2 :                 this_branchpoints
     288            2 :                     .iter()
     289            6 :                     .map(|lsn| (*lsn, LsnKind::BranchPoint)),
     290              :             )
     291            6 :         }
     292              : 
     293              :         // Add a point for the PITR cutoff
     294            8 :         let branch_start_needed = next_pitr_cutoff <= branch_start_lsn;
     295            8 :         if !branch_start_needed && !branch_is_invisible {
     296            7 :             // Only add the GcCutOff point when the timeline is visible; otherwise, do not compute the size for the LSN
     297            7 :             // range from the last branch point to the latest data.
     298            7 :             lsns.push((next_pitr_cutoff, LsnKind::GcCutOff));
     299            7 :         }
     300              : 
     301            8 :         lsns.sort_unstable();
     302            8 :         lsns.dedup();
     303              : 
     304              :         //
     305              :         // Create Segments for the interesting points.
     306              :         //
     307              : 
     308              :         // Timeline start point
     309            8 :         let ancestor = timeline
     310            8 :             .get_ancestor_timeline_id()
     311            8 :             .map(|ancestor_id| (ancestor_id, ancestor_lsn));
     312            8 :         branchstart_segments.push((timeline_id, segments.len(), ancestor));
     313            8 :         segments.push(SegmentMeta {
     314            8 :             segment: Segment {
     315            8 :                 parent: None, // filled in later
     316            8 :                 lsn: branch_start_lsn.0,
     317            8 :                 size: None, // filled in later
     318            8 :                 needed: branch_start_needed,
     319            8 :             },
     320            8 :             timeline_id: timeline.timeline_id,
     321            8 :             kind: LsnKind::BranchStart,
     322            8 :         });
     323              : 
     324              :         // GC cutoff point, and any branch points, i.e. points where
     325              :         // other timelines branch off from this timeline.
     326            8 :         let mut parent = segments.len() - 1;
     327           21 :         for (lsn, kind) in lsns {
     328           13 :             if kind == LsnKind::BranchPoint {
     329            6 :                 branchpoint_segments.insert((timeline_id, lsn), segments.len());
     330            7 :             }
     331              : 
     332           13 :             segments.push(SegmentMeta {
     333           13 :                 segment: Segment {
     334           13 :                     parent: Some(parent),
     335           13 :                     lsn: lsn.0,
     336           13 :                     size: None,
     337           13 :                     needed: lsn > next_pitr_cutoff,
     338           13 :                 },
     339           13 :                 timeline_id: timeline.timeline_id,
     340           13 :                 kind,
     341           13 :             });
     342              : 
     343           13 :             parent = segments.len() - 1;
     344              : 
     345           13 :             if kind == LsnKind::LeasePoint {
     346            0 :                 // Needs `LeaseStart` and `LeaseEnd` as well to model lease as a read-only branch that never writes data
     347            0 :                 // (i.e. it's lsn has not advanced from ancestor_lsn), and therefore the three segments have the same LSN
     348            0 :                 // value. Without the other two segments, the calculation code would not count the leased LSN as a point
     349            0 :                 // to be retained.
     350            0 :                 // Did not use `BranchStart` or `BranchEnd` so we can differentiate branches and leases during debug.
     351            0 :                 //
     352            0 :                 // Alt Design: rewrite the entire calculation code to be independent of timeline id. Both leases and
     353            0 :                 // branch points can be given a synthetic id so we can unite them.
     354            0 :                 let mut lease_parent = parent;
     355            0 : 
     356            0 :                 // Start of a lease.
     357            0 :                 segments.push(SegmentMeta {
     358            0 :                     segment: Segment {
     359            0 :                         parent: Some(lease_parent),
     360            0 :                         lsn: lsn.0,
     361            0 :                         size: None,                     // Filled in later, if necessary
     362            0 :                         needed: lsn > next_pitr_cutoff, // only needed if the point is within rentention.
     363            0 :                     },
     364            0 :                     timeline_id: timeline.timeline_id,
     365            0 :                     kind: LsnKind::LeaseStart,
     366            0 :                 });
     367            0 :                 lease_parent += 1;
     368            0 : 
     369            0 :                 // End of the lease.
     370            0 :                 segments.push(SegmentMeta {
     371            0 :                     segment: Segment {
     372            0 :                         parent: Some(lease_parent),
     373            0 :                         lsn: lsn.0,
     374            0 :                         size: None,   // Filled in later, if necessary
     375            0 :                         needed: true, // everything at the lease LSN must be readable => is needed
     376            0 :                     },
     377            0 :                     timeline_id: timeline.timeline_id,
     378            0 :                     kind: LsnKind::LeaseEnd,
     379            0 :                 });
     380           13 :             }
     381              :         }
     382              : 
     383            8 :         let branch_end_lsn = if branch_is_invisible {
     384              :             // If the branch is invisible, the branch end is the last requested LSN (likely a branch cutoff point).
     385            1 :             segments.last().unwrap().segment.lsn
     386              :         } else {
     387              :             // Otherwise, the branch end is the last record LSN.
     388            7 :             last_record_lsn.0
     389              :         };
     390              : 
     391              :         // Current end of the timeline
     392            8 :         segments.push(SegmentMeta {
     393            8 :             segment: Segment {
     394            8 :                 parent: Some(parent),
     395            8 :                 lsn: branch_end_lsn,
     396            8 :                 size: None, // Filled in later, if necessary
     397            8 :                 needed: true,
     398            8 :             },
     399            8 :             timeline_id: timeline.timeline_id,
     400            8 :             kind: LsnKind::BranchEnd,
     401            8 :         });
     402              : 
     403            8 :         timeline_inputs.push(TimelineInputs {
     404            8 :             timeline_id: timeline.timeline_id,
     405            8 :             ancestor_id: timeline.get_ancestor_timeline_id(),
     406            8 :             ancestor_lsn,
     407            8 :             last_record: last_record_lsn,
     408            8 :             // this is not used above, because it might not have updated recently enough
     409            8 :             latest_gc_cutoff: *timeline.get_applied_gc_cutoff_lsn(),
     410            8 :             next_pitr_cutoff,
     411            8 :             retention_param_cutoff,
     412            8 :             lease_points,
     413            8 :         });
     414              :     }
     415              : 
     416              :     // We now have all segments from the timelines in 'segments'. The timelines
     417              :     // haven't been linked to each other yet, though. Do that.
     418           10 :     for (_timeline_id, seg_id, ancestor) in branchstart_segments {
     419              :         // Look up the branch point
     420            8 :         if let Some(ancestor) = ancestor {
     421            6 :             let parent_id = *branchpoint_segments.get(&ancestor).unwrap();
     422            6 :             segments[seg_id].segment.parent = Some(parent_id);
     423            6 :         }
     424              :     }
     425              : 
     426              :     // We left the 'size' field empty in all of the Segments so far.
     427              :     // Now find logical sizes for all of the points that might need or benefit from them.
     428            2 :     fill_logical_sizes(
     429            2 :         &timelines,
     430            2 :         &mut segments,
     431            2 :         limit,
     432            2 :         logical_size_cache,
     433            2 :         cause,
     434            2 :         ctx,
     435            2 :     )
     436            2 :     .await?;
     437              : 
     438            2 :     if tenant.cancel.is_cancelled() {
     439              :         // If we're shutting down, return an error rather than a sparse result that might include some
     440              :         // timelines from before we started shutting down
     441            0 :         return Err(CalculateSyntheticSizeError::Cancelled);
     442            2 :     }
     443              : 
     444            2 :     Ok(ModelInputs {
     445            2 :         segments,
     446            2 :         timeline_inputs,
     447            2 :     })
     448            2 : }
     449              : 
     450              : /// Augment 'segments' with logical sizes
     451              : ///
     452              : /// This will leave segments' sizes as None if the Timeline associated with the segment is deleted concurrently
     453              : /// (i.e. we cannot read its logical size at a particular LSN).
     454            2 : async fn fill_logical_sizes(
     455            2 :     timelines: &[Arc<Timeline>],
     456            2 :     segments: &mut [SegmentMeta],
     457            2 :     limit: &Arc<Semaphore>,
     458            2 :     logical_size_cache: &mut HashMap<(TimelineId, Lsn), u64>,
     459            2 :     cause: LogicalSizeCalculationCause,
     460            2 :     ctx: &RequestContext,
     461            2 : ) -> Result<(), CalculateSyntheticSizeError> {
     462            2 :     let timeline_hash: HashMap<TimelineId, Arc<Timeline>> = HashMap::from_iter(
     463            2 :         timelines
     464            2 :             .iter()
     465            8 :             .map(|timeline| (timeline.timeline_id, Arc::clone(timeline))),
     466              :     );
     467              : 
     468              :     // record the used/inserted cache keys here, to remove extras not to start leaking
     469              :     // after initial run the cache should be quite stable, but live timelines will eventually
     470              :     // require new lsns to be inspected.
     471            2 :     let mut sizes_needed = HashMap::<(TimelineId, Lsn), Option<u64>>::new();
     472              : 
     473              :     // with joinset, on drop, all of the tasks will just be de-scheduled, which we can use to
     474              :     // our advantage with `?` error handling.
     475            2 :     let mut joinset = tokio::task::JoinSet::new();
     476              : 
     477              :     // For each point that would benefit from having a logical size available,
     478              :     // spawn a Task to fetch it, unless we have it cached already.
     479           29 :     for seg in segments.iter() {
     480           29 :         if !seg.size_needed() {
     481           16 :             continue;
     482           13 :         }
     483              : 
     484           13 :         let timeline_id = seg.timeline_id;
     485           13 :         let lsn = Lsn(seg.segment.lsn);
     486              : 
     487           13 :         if let Entry::Vacant(e) = sizes_needed.entry((timeline_id, lsn)) {
     488           13 :             let cached_size = logical_size_cache.get(&(timeline_id, lsn)).cloned();
     489           13 :             if cached_size.is_none() {
     490            7 :                 let timeline = Arc::clone(timeline_hash.get(&timeline_id).unwrap());
     491            7 :                 let parallel_size_calcs = Arc::clone(limit);
     492            7 :                 let ctx = ctx.attached_child().with_scope_timeline(&timeline);
     493            7 :                 joinset.spawn(
     494            7 :                     calculate_logical_size(parallel_size_calcs, timeline, lsn, cause, ctx)
     495            7 :                         .in_current_span(),
     496            7 :                 );
     497            7 :             }
     498           13 :             e.insert(cached_size);
     499            0 :         }
     500              :     }
     501              : 
     502              :     // Perform the size lookups
     503            2 :     let mut have_any_error = None;
     504            9 :     while let Some(res) = joinset.join_next().await {
     505              :         // each of these come with Result<anyhow::Result<_>, JoinError>
     506              :         // because of spawn + spawn_blocking
     507            7 :         match res {
     508            0 :             Err(join_error) if join_error.is_cancelled() => {
     509            0 :                 unreachable!("we are not cancelling any of the futures, nor should be");
     510              :             }
     511            0 :             Err(join_error) => {
     512              :                 // cannot really do anything, as this panic is likely a bug
     513            0 :                 error!(
     514            0 :                     "task that calls spawn_ondemand_logical_size_calculation panicked: {join_error:#}"
     515              :                 );
     516              : 
     517            0 :                 have_any_error = Some(CalculateSyntheticSizeError::Fatal(
     518            0 :                     anyhow::anyhow!(join_error)
     519            0 :                         .context("task that calls spawn_ondemand_logical_size_calculation"),
     520            0 :                 ));
     521              :             }
     522            0 :             Ok(Err(recv_result_error)) => {
     523              :                 // cannot really do anything, as this panic is likely a bug
     524            0 :                 error!("failed to receive logical size query result: {recv_result_error:#}");
     525            0 :                 have_any_error = Some(CalculateSyntheticSizeError::Fatal(
     526            0 :                     anyhow::anyhow!(recv_result_error)
     527            0 :                         .context("Receiving logical size query result"),
     528            0 :                 ));
     529              :             }
     530            0 :             Ok(Ok(TimelineAtLsnSizeResult(timeline, lsn, Err(error)))) => {
     531            0 :                 if matches!(error, CalculateLogicalSizeError::Cancelled) {
     532              :                     // Skip this: it's okay if one timeline among many is shutting down while we
     533              :                     // calculate inputs for the overall tenant.
     534            0 :                     continue;
     535              :                 } else {
     536            0 :                     warn!(
     537            0 :                         timeline_id=%timeline.timeline_id,
     538            0 :                         "failed to calculate logical size at {lsn}: {error:#}"
     539              :                     );
     540            0 :                     have_any_error = Some(CalculateSyntheticSizeError::LogicalSize {
     541            0 :                         timeline_id: timeline.timeline_id,
     542            0 :                         lsn,
     543            0 :                         error,
     544            0 :                     });
     545              :                 }
     546              :             }
     547            7 :             Ok(Ok(TimelineAtLsnSizeResult(timeline, lsn, Ok(size)))) => {
     548            7 :                 debug!(timeline_id=%timeline.timeline_id, %lsn, size, "size calculated");
     549              : 
     550            7 :                 logical_size_cache.insert((timeline.timeline_id, lsn), size);
     551            7 :                 sizes_needed.insert((timeline.timeline_id, lsn), Some(size));
     552              :             }
     553              :         }
     554              :     }
     555              : 
     556              :     // prune any keys not needed anymore; we record every used key and added key.
     557           14 :     logical_size_cache.retain(|key, _| sizes_needed.contains_key(key));
     558              : 
     559            2 :     if let Some(error) = have_any_error {
     560              :         // we cannot complete this round, because we are missing data.
     561              :         // we have however cached all we were able to request calculation on.
     562            0 :         return Err(error);
     563            2 :     }
     564              : 
     565              :     // Insert the looked up sizes to the Segments
     566           29 :     for seg in segments.iter_mut() {
     567           29 :         if !seg.size_needed() {
     568           16 :             continue;
     569           13 :         }
     570              : 
     571           13 :         let timeline_id = seg.timeline_id;
     572           13 :         let lsn = Lsn(seg.segment.lsn);
     573              : 
     574           13 :         if let Some(Some(size)) = sizes_needed.get(&(timeline_id, lsn)) {
     575           13 :             seg.segment.size = Some(*size);
     576           13 :         }
     577              :     }
     578            2 :     Ok(())
     579            2 : }
     580              : 
     581              : impl ModelInputs {
     582            2 :     pub fn calculate_model(&self) -> tenant_size_model::StorageModel {
     583              :         // Convert SegmentMetas into plain Segments
     584              :         StorageModel {
     585            2 :             segments: self
     586            2 :                 .segments
     587            2 :                 .iter()
     588           14 :                 .map(|seg| seg.segment.clone())
     589            2 :                 .collect(),
     590              :         }
     591            2 :     }
     592              : 
     593              :     // calculate total project size
     594            1 :     pub fn calculate(&self) -> u64 {
     595            1 :         let storage = self.calculate_model();
     596            1 :         let sizes = storage.calculate();
     597            1 :         sizes.total_size
     598            1 :     }
     599              : }
     600              : 
     601              : /// Newtype around the tuple that carries the timeline at lsn logical size calculation.
     602              : struct TimelineAtLsnSizeResult(
     603              :     Arc<crate::tenant::Timeline>,
     604              :     utils::lsn::Lsn,
     605              :     Result<u64, CalculateLogicalSizeError>,
     606              : );
     607              : 
     608              : #[instrument(skip_all, fields(timeline_id=%timeline.timeline_id, lsn=%lsn))]
     609              : async fn calculate_logical_size(
     610              :     limit: Arc<tokio::sync::Semaphore>,
     611              :     timeline: Arc<crate::tenant::Timeline>,
     612              :     lsn: utils::lsn::Lsn,
     613              :     cause: LogicalSizeCalculationCause,
     614              :     ctx: RequestContext,
     615              : ) -> Result<TimelineAtLsnSizeResult, RecvError> {
     616              :     let _permit = tokio::sync::Semaphore::acquire_owned(limit)
     617              :         .await
     618              :         .expect("global semaphore should not had been closed");
     619              : 
     620              :     let size_res = timeline
     621              :         .spawn_ondemand_logical_size_calculation(lsn, cause, ctx)
     622              :         .instrument(info_span!("spawn_ondemand_logical_size_calculation"))
     623              :         .await?;
     624              :     Ok(TimelineAtLsnSizeResult(timeline, lsn, size_res))
     625              : }
     626              : 
     627              : #[cfg(test)]
     628              : #[test]
     629            1 : fn verify_size_for_multiple_branches() {
     630              :     // this is generated from integration test test_tenant_size_with_multiple_branches, but this way
     631              :     // it has the stable lsn's
     632              :     //
     633              :     // The timeline_inputs don't participate in the size calculation, and are here just to explain
     634              :     // the inputs.
     635            1 :     let doc = r#"
     636            1 : {
     637            1 :   "segments": [
     638            1 :     {
     639            1 :       "segment": {
     640            1 :         "parent": 9,
     641            1 :         "lsn": 26033560,
     642            1 :         "size": null,
     643            1 :         "needed": false
     644            1 :       },
     645            1 :       "timeline_id": "20b129c9b50cff7213e6503a31b2a5ce",
     646            1 :       "kind": "BranchStart"
     647            1 :     },
     648            1 :     {
     649            1 :       "segment": {
     650            1 :         "parent": 0,
     651            1 :         "lsn": 35720400,
     652            1 :         "size": 25206784,
     653            1 :         "needed": false
     654            1 :       },
     655            1 :       "timeline_id": "20b129c9b50cff7213e6503a31b2a5ce",
     656            1 :       "kind": "GcCutOff"
     657            1 :     },
     658            1 :     {
     659            1 :       "segment": {
     660            1 :         "parent": 1,
     661            1 :         "lsn": 35851472,
     662            1 :         "size": null,
     663            1 :         "needed": true
     664            1 :       },
     665            1 :       "timeline_id": "20b129c9b50cff7213e6503a31b2a5ce",
     666            1 :       "kind": "BranchEnd"
     667            1 :     },
     668            1 :     {
     669            1 :       "segment": {
     670            1 :         "parent": 7,
     671            1 :         "lsn": 24566168,
     672            1 :         "size": null,
     673            1 :         "needed": false
     674            1 :       },
     675            1 :       "timeline_id": "454626700469f0a9914949b9d018e876",
     676            1 :       "kind": "BranchStart"
     677            1 :     },
     678            1 :     {
     679            1 :       "segment": {
     680            1 :         "parent": 3,
     681            1 :         "lsn": 25261936,
     682            1 :         "size": 26050560,
     683            1 :         "needed": false
     684            1 :       },
     685            1 :       "timeline_id": "454626700469f0a9914949b9d018e876",
     686            1 :       "kind": "GcCutOff"
     687            1 :     },
     688            1 :     {
     689            1 :       "segment": {
     690            1 :         "parent": 4,
     691            1 :         "lsn": 25393008,
     692            1 :         "size": null,
     693            1 :         "needed": true
     694            1 :       },
     695            1 :       "timeline_id": "454626700469f0a9914949b9d018e876",
     696            1 :       "kind": "BranchEnd"
     697            1 :     },
     698            1 :     {
     699            1 :       "segment": {
     700            1 :         "parent": null,
     701            1 :         "lsn": 23694408,
     702            1 :         "size": null,
     703            1 :         "needed": false
     704            1 :       },
     705            1 :       "timeline_id": "cb5e3cbe60a4afc00d01880e1a37047f",
     706            1 :       "kind": "BranchStart"
     707            1 :     },
     708            1 :     {
     709            1 :       "segment": {
     710            1 :         "parent": 6,
     711            1 :         "lsn": 24566168,
     712            1 :         "size": 25739264,
     713            1 :         "needed": false
     714            1 :       },
     715            1 :       "timeline_id": "cb5e3cbe60a4afc00d01880e1a37047f",
     716            1 :       "kind": "BranchPoint"
     717            1 :     },
     718            1 :     {
     719            1 :       "segment": {
     720            1 :         "parent": 7,
     721            1 :         "lsn": 25902488,
     722            1 :         "size": 26402816,
     723            1 :         "needed": false
     724            1 :       },
     725            1 :       "timeline_id": "cb5e3cbe60a4afc00d01880e1a37047f",
     726            1 :       "kind": "GcCutOff"
     727            1 :     },
     728            1 :     {
     729            1 :       "segment": {
     730            1 :         "parent": 8,
     731            1 :         "lsn": 26033560,
     732            1 :         "size": 26468352,
     733            1 :         "needed": true
     734            1 :       },
     735            1 :       "timeline_id": "cb5e3cbe60a4afc00d01880e1a37047f",
     736            1 :       "kind": "BranchPoint"
     737            1 :     },
     738            1 :     {
     739            1 :       "segment": {
     740            1 :         "parent": 9,
     741            1 :         "lsn": 26033560,
     742            1 :         "size": null,
     743            1 :         "needed": true
     744            1 :       },
     745            1 :       "timeline_id": "cb5e3cbe60a4afc00d01880e1a37047f",
     746            1 :       "kind": "BranchEnd"
     747            1 :     }
     748            1 :   ],
     749            1 :   "timeline_inputs": [
     750            1 :     {
     751            1 :       "timeline_id": "20b129c9b50cff7213e6503a31b2a5ce",
     752            1 :       "ancestor_lsn": "0/18D3D98",
     753            1 :       "last_record": "0/2230CD0",
     754            1 :       "latest_gc_cutoff": "0/1698C48",
     755            1 :       "next_pitr_cutoff": "0/2210CD0",
     756            1 :       "retention_param_cutoff": null,
     757            1 :       "lease_points": []
     758            1 :     },
     759            1 :     {
     760            1 :       "timeline_id": "454626700469f0a9914949b9d018e876",
     761            1 :       "ancestor_lsn": "0/176D998",
     762            1 :       "last_record": "0/1837770",
     763            1 :       "latest_gc_cutoff": "0/1698C48",
     764            1 :       "next_pitr_cutoff": "0/1817770",
     765            1 :       "retention_param_cutoff": null,
     766            1 :       "lease_points": []
     767            1 :     },
     768            1 :     {
     769            1 :       "timeline_id": "cb5e3cbe60a4afc00d01880e1a37047f",
     770            1 :       "ancestor_lsn": "0/0",
     771            1 :       "last_record": "0/18D3D98",
     772            1 :       "latest_gc_cutoff": "0/1698C48",
     773            1 :       "next_pitr_cutoff": "0/18B3D98",
     774            1 :       "retention_param_cutoff": null,
     775            1 :       "lease_points": []
     776            1 :     }
     777            1 :   ]
     778            1 : }
     779            1 : "#;
     780            1 :     let inputs: ModelInputs = serde_json::from_str(doc).unwrap();
     781              : 
     782            1 :     assert_eq!(inputs.calculate(), 37_851_408);
     783            1 : }
     784              : 
     785              : #[cfg(test)]
     786              : #[test]
     787            1 : fn verify_size_for_one_branch() {
     788            1 :     let doc = r#"
     789            1 : {
     790            1 :   "segments": [
     791            1 :     {
     792            1 :       "segment": {
     793            1 :         "parent": null,
     794            1 :         "lsn": 0,
     795            1 :         "size": null,
     796            1 :         "needed": false
     797            1 :       },
     798            1 :       "timeline_id": "f15ae0cf21cce2ba27e4d80c6709a6cd",
     799            1 :       "kind": "BranchStart"
     800            1 :     },
     801            1 :     {
     802            1 :       "segment": {
     803            1 :         "parent": 0,
     804            1 :         "lsn": 305547335776,
     805            1 :         "size": 220054675456,
     806            1 :         "needed": false
     807            1 :       },
     808            1 :       "timeline_id": "f15ae0cf21cce2ba27e4d80c6709a6cd",
     809            1 :       "kind": "GcCutOff"
     810            1 :     },
     811            1 :     {
     812            1 :       "segment": {
     813            1 :         "parent": 1,
     814            1 :         "lsn": 305614444640,
     815            1 :         "size": null,
     816            1 :         "needed": true
     817            1 :       },
     818            1 :       "timeline_id": "f15ae0cf21cce2ba27e4d80c6709a6cd",
     819            1 :       "kind": "BranchEnd"
     820            1 :     }
     821            1 :   ],
     822            1 :   "timeline_inputs": [
     823            1 :     {
     824            1 :       "timeline_id": "f15ae0cf21cce2ba27e4d80c6709a6cd",
     825            1 :       "ancestor_lsn": "0/0",
     826            1 :       "last_record": "47/280A5860",
     827            1 :       "latest_gc_cutoff": "47/240A5860",
     828            1 :       "next_pitr_cutoff": "47/240A5860",
     829            1 :       "retention_param_cutoff": "0/0",
     830            1 :       "lease_points": []
     831            1 :     }
     832            1 :   ]
     833            1 : }"#;
     834              : 
     835            1 :     let model: ModelInputs = serde_json::from_str(doc).unwrap();
     836              : 
     837            1 :     let res = model.calculate_model().calculate();
     838              : 
     839            1 :     println!("calculated synthetic size: {}", res.total_size);
     840            1 :     println!("result: {:?}", serde_json::to_string(&res.segments));
     841              : 
     842              :     use utils::lsn::Lsn;
     843            1 :     let latest_gc_cutoff_lsn: Lsn = "47/240A5860".parse().unwrap();
     844            1 :     let last_lsn: Lsn = "47/280A5860".parse().unwrap();
     845            1 :     println!(
     846            1 :         "latest_gc_cutoff lsn 47/240A5860 is {}, last_lsn lsn 47/280A5860 is {}",
     847            1 :         u64::from(latest_gc_cutoff_lsn),
     848            1 :         u64::from(last_lsn)
     849              :     );
     850            1 :     assert_eq!(res.total_size, 220121784320);
     851            1 : }
         |