LCOV - code coverage report
Current view: top level - pageserver/src/tenant/storage_layer - delta_layer.rs (source / functions) Coverage Total Hit
Test: aca8877be6ceba750c1be359ed71bc1799d52b30.info Lines: 72.2 % 615 444
Test Date: 2024-02-14 18:05:35 Functions: 51.5 % 99 51

            Line data    Source code
       1              : //! A DeltaLayer represents a collection of WAL records or page images in a range of
       2              : //! LSNs, and in a range of Keys. It is stored on a file on disk.
       3              : //!
       4              : //! Usually a delta layer only contains differences, in the form of WAL records
       5              : //! against a base LSN. However, if a relation extended or a whole new relation
       6              : //! is created, there would be no base for the new pages. The entries for them
       7              : //! must be page images or WAL records with the 'will_init' flag set, so that
       8              : //! they can be replayed without referring to an older page version.
       9              : //!
      10              : //! The delta files are stored in `timelines/<timeline_id>` directory.  Currently,
      11              : //! there are no subdirectories, and each delta file is named like this:
      12              : //!
      13              : //! ```text
      14              : //!    <key start>-<key end>__<start LSN>-<end LSN>
      15              : //! ```
      16              : //!
      17              : //! For example:
      18              : //!
      19              : //! ```text
      20              : //!    000000067F000032BE0000400000000020B6-000000067F000032BE0000400000000030B6__000000578C6B29-0000000057A50051
      21              : //! ```
      22              : //!
      23              : //! Every delta file consists of three parts: "summary", "index", and
      24              : //! "values". The summary is a fixed size header at the beginning of the file,
      25              : //! and it contains basic information about the layer, and offsets to the other
      26              : //! parts. The "index" is a B-tree, mapping from Key and LSN to an offset in the
      27              : //! "values" part.  The actual page images and WAL records are stored in the
      28              : //! "values" part.
      29              : //!
      30              : use crate::config::PageServerConf;
      31              : use crate::context::{PageContentKind, RequestContext, RequestContextBuilder};
      32              : use crate::page_cache::PAGE_SZ;
      33              : use crate::repository::{Key, Value, KEY_SIZE};
      34              : use crate::tenant::blob_io::BlobWriter;
      35              : use crate::tenant::block_io::{BlockBuf, BlockCursor, BlockLease, BlockReader, FileBlockReader};
      36              : use crate::tenant::disk_btree::{DiskBtreeBuilder, DiskBtreeReader, VisitDirection};
      37              : use crate::tenant::storage_layer::{Layer, ValueReconstructResult, ValueReconstructState};
      38              : use crate::tenant::Timeline;
      39              : use crate::virtual_file::{self, VirtualFile};
      40              : use crate::{walrecord, TEMP_FILE_SUFFIX};
      41              : use crate::{DELTA_FILE_MAGIC, STORAGE_FORMAT_VERSION};
      42              : use anyhow::{bail, ensure, Context, Result};
      43              : use camino::{Utf8Path, Utf8PathBuf};
      44              : use pageserver_api::models::LayerAccessKind;
      45              : use pageserver_api::shard::TenantShardId;
      46              : use rand::{distributions::Alphanumeric, Rng};
      47              : use serde::{Deserialize, Serialize};
      48              : use std::fs::File;
      49              : use std::io::SeekFrom;
      50              : use std::ops::Range;
      51              : use std::os::unix::fs::FileExt;
      52              : use std::sync::Arc;
      53              : use tokio::sync::OnceCell;
      54              : use tracing::*;
      55              : 
      56              : use utils::{
      57              :     bin_ser::BeSer,
      58              :     id::{TenantId, TimelineId},
      59              :     lsn::Lsn,
      60              : };
      61              : 
      62              : use super::{AsLayerDesc, LayerAccessStats, PersistentLayerDesc, ResidentLayer};
      63              : 
      64              : ///
      65              : /// Header stored in the beginning of the file
      66              : ///
      67              : /// After this comes the 'values' part, starting on block 1. After that,
      68              : /// the 'index' starts at the block indicated by 'index_start_blk'
      69              : ///
      70        15829 : #[derive(Debug, Serialize, Deserialize, PartialEq, Eq)]
      71              : pub struct Summary {
      72              :     /// Magic value to identify this as a neon delta file. Always DELTA_FILE_MAGIC.
      73              :     pub magic: u16,
      74              :     pub format_version: u16,
      75              : 
      76              :     pub tenant_id: TenantId,
      77              :     pub timeline_id: TimelineId,
      78              :     pub key_range: Range<Key>,
      79              :     pub lsn_range: Range<Lsn>,
      80              : 
      81              :     /// Block number where the 'index' part of the file begins.
      82              :     pub index_start_blk: u32,
      83              :     /// Block within the 'index', where the B-tree root page is stored
      84              :     pub index_root_blk: u32,
      85              : }
      86              : 
      87              : impl From<&DeltaLayer> for Summary {
      88            0 :     fn from(layer: &DeltaLayer) -> Self {
      89            0 :         Self::expected(
      90            0 :             layer.desc.tenant_shard_id.tenant_id,
      91            0 :             layer.desc.timeline_id,
      92            0 :             layer.desc.key_range.clone(),
      93            0 :             layer.desc.lsn_range.clone(),
      94            0 :         )
      95            0 :     }
      96              : }
      97              : 
      98              : impl Summary {
      99        12086 :     pub(super) fn expected(
     100        12086 :         tenant_id: TenantId,
     101        12086 :         timeline_id: TimelineId,
     102        12086 :         keys: Range<Key>,
     103        12086 :         lsns: Range<Lsn>,
     104        12086 :     ) -> Self {
     105        12086 :         Self {
     106        12086 :             magic: DELTA_FILE_MAGIC,
     107        12086 :             format_version: STORAGE_FORMAT_VERSION,
     108        12086 : 
     109        12086 :             tenant_id,
     110        12086 :             timeline_id,
     111        12086 :             key_range: keys,
     112        12086 :             lsn_range: lsns,
     113        12086 : 
     114        12086 :             index_start_blk: 0,
     115        12086 :             index_root_blk: 0,
     116        12086 :         }
     117        12086 :     }
     118              : }
     119              : 
     120              : // Flag indicating that this version initialize the page
     121              : const WILL_INIT: u64 = 1;
     122              : 
     123              : /// Struct representing reference to BLOB in layers. Reference contains BLOB
     124              : /// offset, and for WAL records it also contains `will_init` flag. The flag
     125              : /// helps to determine the range of records that needs to be applied, without
     126              : /// reading/deserializing records themselves.
     127            0 : #[derive(Debug, Serialize, Deserialize, Copy, Clone)]
     128              : pub struct BlobRef(pub u64);
     129              : 
     130              : impl BlobRef {
     131     50226713 :     pub fn will_init(&self) -> bool {
     132     50226713 :         (self.0 & WILL_INIT) != 0
     133     50226713 :     }
     134              : 
     135     84487092 :     pub fn pos(&self) -> u64 {
     136     84487092 :         self.0 >> 1
     137     84487092 :     }
     138              : 
     139     51663335 :     pub fn new(pos: u64, will_init: bool) -> BlobRef {
     140     51663335 :         let mut blob_ref = pos << 1;
     141     51663335 :         if will_init {
     142      9114284 :             blob_ref |= WILL_INIT;
     143     42549051 :         }
     144     51663335 :         BlobRef(blob_ref)
     145     51663335 :     }
     146              : }
     147              : 
     148              : pub const DELTA_KEY_SIZE: usize = KEY_SIZE + 8;
     149              : struct DeltaKey([u8; DELTA_KEY_SIZE]);
     150              : 
     151              : /// This is the key of the B-tree index stored in the delta layer. It consists
     152              : /// of the serialized representation of a Key and LSN.
     153              : impl DeltaKey {
     154     17300103 :     fn from_slice(buf: &[u8]) -> Self {
     155     17300103 :         let mut bytes: [u8; DELTA_KEY_SIZE] = [0u8; DELTA_KEY_SIZE];
     156     17300103 :         bytes.copy_from_slice(buf);
     157     17300103 :         DeltaKey(bytes)
     158     17300103 :     }
     159              : 
     160     68079085 :     fn from_key_lsn(key: &Key, lsn: Lsn) -> Self {
     161     68079085 :         let mut bytes: [u8; DELTA_KEY_SIZE] = [0u8; DELTA_KEY_SIZE];
     162     68079085 :         key.write_to_byte_slice(&mut bytes[0..KEY_SIZE]);
     163     68079085 :         bytes[KEY_SIZE..].copy_from_slice(&u64::to_be_bytes(lsn.0));
     164     68079085 :         DeltaKey(bytes)
     165     68079085 :     }
     166              : 
     167     17300103 :     fn key(&self) -> Key {
     168     17300103 :         Key::from_slice(&self.0)
     169     17300103 :     }
     170              : 
     171     17300103 :     fn lsn(&self) -> Lsn {
     172     17300103 :         Lsn(u64::from_be_bytes(self.0[KEY_SIZE..].try_into().unwrap()))
     173     17300103 :     }
     174              : 
     175     50675588 :     fn extract_lsn_from_buf(buf: &[u8]) -> Lsn {
     176     50675588 :         let mut lsn_buf = [0u8; 8];
     177     50675588 :         lsn_buf.copy_from_slice(&buf[KEY_SIZE..]);
     178     50675588 :         Lsn(u64::from_be_bytes(lsn_buf))
     179     50675588 :     }
     180              : }
     181              : 
     182              : /// This is used only from `pagectl`. Within pageserver, all layers are
     183              : /// [`crate::tenant::storage_layer::Layer`], which can hold a [`DeltaLayerInner`].
     184              : pub struct DeltaLayer {
     185              :     path: Utf8PathBuf,
     186              :     pub desc: PersistentLayerDesc,
     187              :     access_stats: LayerAccessStats,
     188              :     inner: OnceCell<Arc<DeltaLayerInner>>,
     189              : }
     190              : 
     191              : impl std::fmt::Debug for DeltaLayer {
     192            0 :     fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
     193            0 :         use super::RangeDisplayDebug;
     194            0 : 
     195            0 :         f.debug_struct("DeltaLayer")
     196            0 :             .field("key_range", &RangeDisplayDebug(&self.desc.key_range))
     197            0 :             .field("lsn_range", &self.desc.lsn_range)
     198            0 :             .field("file_size", &self.desc.file_size)
     199            0 :             .field("inner", &self.inner)
     200            0 :             .finish()
     201            0 :     }
     202              : }
     203              : 
     204              : /// `DeltaLayerInner` is the in-memory data structure associated with an on-disk delta
     205              : /// file.
     206              : pub struct DeltaLayerInner {
     207              :     // values copied from summary
     208              :     index_start_blk: u32,
     209              :     index_root_blk: u32,
     210              : 
     211              :     /// Reader object for reading blocks from the file.
     212              :     file: FileBlockReader,
     213              : }
     214              : 
     215              : impl std::fmt::Debug for DeltaLayerInner {
     216            0 :     fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
     217            0 :         f.debug_struct("DeltaLayerInner")
     218            0 :             .field("index_start_blk", &self.index_start_blk)
     219            0 :             .field("index_root_blk", &self.index_root_blk)
     220            0 :             .finish()
     221            0 :     }
     222              : }
     223              : 
     224              : /// Boilerplate to implement the Layer trait, always use layer_desc for persistent layers.
     225              : impl std::fmt::Display for DeltaLayer {
     226            0 :     fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
     227            0 :         write!(f, "{}", self.layer_desc().short_id())
     228            0 :     }
     229              : }
     230              : 
     231              : impl AsLayerDesc for DeltaLayer {
     232            0 :     fn layer_desc(&self) -> &PersistentLayerDesc {
     233            0 :         &self.desc
     234            0 :     }
     235              : }
     236              : 
     237              : impl DeltaLayer {
     238            0 :     pub(crate) async fn dump(&self, verbose: bool, ctx: &RequestContext) -> Result<()> {
     239            0 :         self.desc.dump();
     240            0 : 
     241            0 :         if !verbose {
     242            0 :             return Ok(());
     243            0 :         }
     244              : 
     245            0 :         let inner = self.load(LayerAccessKind::Dump, ctx).await?;
     246              : 
     247            0 :         inner.dump(ctx).await
     248            0 :     }
     249              : 
     250        15833 :     fn temp_path_for(
     251        15833 :         conf: &PageServerConf,
     252        15833 :         tenant_shard_id: &TenantShardId,
     253        15833 :         timeline_id: &TimelineId,
     254        15833 :         key_start: Key,
     255        15833 :         lsn_range: &Range<Lsn>,
     256        15833 :     ) -> Utf8PathBuf {
     257        15833 :         let rand_string: String = rand::thread_rng()
     258        15833 :             .sample_iter(&Alphanumeric)
     259        15833 :             .take(8)
     260        15833 :             .map(char::from)
     261        15833 :             .collect();
     262        15833 : 
     263        15833 :         conf.timeline_path(tenant_shard_id, timeline_id)
     264        15833 :             .join(format!(
     265        15833 :                 "{}-XXX__{:016X}-{:016X}.{}.{}",
     266        15833 :                 key_start,
     267        15833 :                 u64::from(lsn_range.start),
     268        15833 :                 u64::from(lsn_range.end),
     269        15833 :                 rand_string,
     270        15833 :                 TEMP_FILE_SUFFIX,
     271        15833 :             ))
     272        15833 :     }
     273              : 
     274              :     ///
     275              :     /// Open the underlying file and read the metadata into memory, if it's
     276              :     /// not loaded already.
     277              :     ///
     278            0 :     async fn load(
     279            0 :         &self,
     280            0 :         access_kind: LayerAccessKind,
     281            0 :         ctx: &RequestContext,
     282            0 :     ) -> Result<&Arc<DeltaLayerInner>> {
     283            0 :         self.access_stats.record_access(access_kind, ctx);
     284            0 :         // Quick exit if already loaded
     285            0 :         self.inner
     286            0 :             .get_or_try_init(|| self.load_inner(ctx))
     287            0 :             .await
     288            0 :             .with_context(|| format!("Failed to load delta layer {}", self.path()))
     289            0 :     }
     290              : 
     291            0 :     async fn load_inner(&self, ctx: &RequestContext) -> Result<Arc<DeltaLayerInner>> {
     292            0 :         let path = self.path();
     293              : 
     294            0 :         let loaded = DeltaLayerInner::load(&path, None, ctx)
     295            0 :             .await
     296            0 :             .and_then(|res| res)?;
     297              : 
     298              :         // not production code
     299            0 :         let actual_filename = path.file_name().unwrap().to_owned();
     300            0 :         let expected_filename = self.layer_desc().filename().file_name();
     301            0 : 
     302            0 :         if actual_filename != expected_filename {
     303            0 :             println!("warning: filename does not match what is expected from in-file summary");
     304            0 :             println!("actual: {:?}", actual_filename);
     305            0 :             println!("expected: {:?}", expected_filename);
     306            0 :         }
     307              : 
     308            0 :         Ok(Arc::new(loaded))
     309            0 :     }
     310              : 
     311              :     /// Create a DeltaLayer struct representing an existing file on disk.
     312              :     ///
     313              :     /// This variant is only used for debugging purposes, by the 'pagectl' binary.
     314            0 :     pub fn new_for_path(path: &Utf8Path, file: File) -> Result<Self> {
     315            0 :         let mut summary_buf = vec![0; PAGE_SZ];
     316            0 :         file.read_exact_at(&mut summary_buf, 0)?;
     317            0 :         let summary = Summary::des_prefix(&summary_buf)?;
     318              : 
     319            0 :         let metadata = file
     320            0 :             .metadata()
     321            0 :             .context("get file metadata to determine size")?;
     322              : 
     323              :         // This function is never used for constructing layers in a running pageserver,
     324              :         // so it does not need an accurate TenantShardId.
     325            0 :         let tenant_shard_id = TenantShardId::unsharded(summary.tenant_id);
     326            0 : 
     327            0 :         Ok(DeltaLayer {
     328            0 :             path: path.to_path_buf(),
     329            0 :             desc: PersistentLayerDesc::new_delta(
     330            0 :                 tenant_shard_id,
     331            0 :                 summary.timeline_id,
     332            0 :                 summary.key_range,
     333            0 :                 summary.lsn_range,
     334            0 :                 metadata.len(),
     335            0 :             ),
     336            0 :             access_stats: LayerAccessStats::empty_will_record_residence_event_later(),
     337            0 :             inner: OnceCell::new(),
     338            0 :         })
     339            0 :     }
     340              : 
     341              :     /// Path to the layer file in pageserver workdir.
     342            0 :     fn path(&self) -> Utf8PathBuf {
     343            0 :         self.path.clone()
     344            0 :     }
     345              : }
     346              : 
     347              : /// A builder object for constructing a new delta layer.
     348              : ///
     349              : /// Usage:
     350              : ///
     351              : /// 1. Create the DeltaLayerWriter by calling DeltaLayerWriter::new(...)
     352              : ///
     353              : /// 2. Write the contents by calling `put_value` for every page
     354              : ///    version to store in the layer.
     355              : ///
     356              : /// 3. Call `finish`.
     357              : ///
     358              : struct DeltaLayerWriterInner {
     359              :     conf: &'static PageServerConf,
     360              :     pub path: Utf8PathBuf,
     361              :     timeline_id: TimelineId,
     362              :     tenant_shard_id: TenantShardId,
     363              : 
     364              :     key_start: Key,
     365              :     lsn_range: Range<Lsn>,
     366              : 
     367              :     tree: DiskBtreeBuilder<BlockBuf, DELTA_KEY_SIZE>,
     368              : 
     369              :     blob_writer: BlobWriter<true>,
     370              : }
     371              : 
     372              : impl DeltaLayerWriterInner {
     373              :     ///
     374              :     /// Start building a new delta layer.
     375              :     ///
     376        15833 :     async fn new(
     377        15833 :         conf: &'static PageServerConf,
     378        15833 :         timeline_id: TimelineId,
     379        15833 :         tenant_shard_id: TenantShardId,
     380        15833 :         key_start: Key,
     381        15833 :         lsn_range: Range<Lsn>,
     382        15833 :     ) -> anyhow::Result<Self> {
     383        15833 :         // Create the file initially with a temporary filename. We don't know
     384        15833 :         // the end key yet, so we cannot form the final filename yet. We will
     385        15833 :         // rename it when we're done.
     386        15833 :         //
     387        15833 :         // Note: This overwrites any existing file. There shouldn't be any.
     388        15833 :         // FIXME: throw an error instead?
     389        15833 :         let path =
     390        15833 :             DeltaLayer::temp_path_for(conf, &tenant_shard_id, &timeline_id, key_start, &lsn_range);
     391              : 
     392        15833 :         let mut file = VirtualFile::create(&path).await?;
     393              :         // make room for the header block
     394        15833 :         file.seek(SeekFrom::Start(PAGE_SZ as u64)).await?;
     395        15833 :         let blob_writer = BlobWriter::new(file, PAGE_SZ as u64);
     396        15833 : 
     397        15833 :         // Initialize the b-tree index builder
     398        15833 :         let block_buf = BlockBuf::new();
     399        15833 :         let tree_builder = DiskBtreeBuilder::new(block_buf);
     400        15833 : 
     401        15833 :         Ok(Self {
     402        15833 :             conf,
     403        15833 :             path,
     404        15833 :             timeline_id,
     405        15833 :             tenant_shard_id,
     406        15833 :             key_start,
     407        15833 :             lsn_range,
     408        15833 :             tree: tree_builder,
     409        15833 :             blob_writer,
     410        15833 :         })
     411        15833 :     }
     412              : 
     413              :     ///
     414              :     /// Append a key-value pair to the file.
     415              :     ///
     416              :     /// The values must be appended in key, lsn order.
     417              :     ///
     418     16960268 :     async fn put_value(&mut self, key: Key, lsn: Lsn, val: Value) -> anyhow::Result<()> {
     419     16960268 :         let (_, res) = self
     420     16960268 :             .put_value_bytes(key, lsn, Value::ser(&val)?, val.will_init())
     421        17790 :             .await;
     422     16960267 :         res
     423     16960267 :     }
     424              : 
     425     51663335 :     async fn put_value_bytes(
     426     51663335 :         &mut self,
     427     51663335 :         key: Key,
     428     51663335 :         lsn: Lsn,
     429     51663335 :         val: Vec<u8>,
     430     51663335 :         will_init: bool,
     431     51663337 :     ) -> (Vec<u8>, anyhow::Result<()>) {
     432     51663337 :         assert!(self.lsn_range.start <= lsn);
     433     51663337 :         let (val, res) = self.blob_writer.write_blob(val).await;
     434     51663336 :         let off = match res {
     435     51663336 :             Ok(off) => off,
     436            0 :             Err(e) => return (val, Err(anyhow::anyhow!(e))),
     437              :         };
     438              : 
     439     51663336 :         let blob_ref = BlobRef::new(off, will_init);
     440     51663336 : 
     441     51663336 :         let delta_key = DeltaKey::from_key_lsn(&key, lsn);
     442     51663336 :         let res = self.tree.append(&delta_key.0, blob_ref.0);
     443     51663336 :         (val, res.map_err(|e| anyhow::anyhow!(e)))
     444     51663336 :     }
     445              : 
     446      2181018 :     fn size(&self) -> u64 {
     447      2181018 :         self.blob_writer.size() + self.tree.borrow_writer().size()
     448      2181018 :     }
     449              : 
     450              :     ///
     451              :     /// Finish writing the delta layer.
     452              :     ///
     453        15829 :     async fn finish(self, key_end: Key, timeline: &Arc<Timeline>) -> anyhow::Result<ResidentLayer> {
     454        15829 :         let index_start_blk =
     455        15829 :             ((self.blob_writer.size() + PAGE_SZ as u64 - 1) / PAGE_SZ as u64) as u32;
     456              : 
     457        15829 :         let mut file = self.blob_writer.into_inner().await?;
     458              : 
     459              :         // Write out the index
     460        15829 :         let (index_root_blk, block_buf) = self.tree.finish()?;
     461        15829 :         file.seek(SeekFrom::Start(index_start_blk as u64 * PAGE_SZ as u64))
     462            0 :             .await?;
     463       129665 :         for buf in block_buf.blocks {
     464       113836 :             let (_buf, res) = file.write_all(buf).await;
     465       113836 :             res?;
     466              :         }
     467        15829 :         assert!(self.lsn_range.start < self.lsn_range.end);
     468              :         // Fill in the summary on blk 0
     469        15829 :         let summary = Summary {
     470        15829 :             magic: DELTA_FILE_MAGIC,
     471        15829 :             format_version: STORAGE_FORMAT_VERSION,
     472        15829 :             tenant_id: self.tenant_shard_id.tenant_id,
     473        15829 :             timeline_id: self.timeline_id,
     474        15829 :             key_range: self.key_start..key_end,
     475        15829 :             lsn_range: self.lsn_range.clone(),
     476        15829 :             index_start_blk,
     477        15829 :             index_root_blk,
     478        15829 :         };
     479        15829 : 
     480        15829 :         let mut buf = Vec::with_capacity(PAGE_SZ);
     481        15829 :         // TODO: could use smallvec here but it's a pain with Slice<T>
     482        15829 :         Summary::ser_into(&summary, &mut buf)?;
     483        15829 :         file.seek(SeekFrom::Start(0)).await?;
     484        15829 :         let (_buf, res) = file.write_all(buf).await;
     485        15829 :         res?;
     486              : 
     487        15829 :         let metadata = file
     488        15829 :             .metadata()
     489          238 :             .await
     490        15829 :             .context("get file metadata to determine size")?;
     491              : 
     492              :         // 5GB limit for objects without multipart upload (which we don't want to use)
     493              :         // Make it a little bit below to account for differing GB units
     494              :         // https://docs.aws.amazon.com/AmazonS3/latest/userguide/upload-objects.html
     495              :         const S3_UPLOAD_LIMIT: u64 = 4_500_000_000;
     496        15829 :         ensure!(
     497        15829 :             metadata.len() <= S3_UPLOAD_LIMIT,
     498            0 :             "Created delta layer file at {} of size {} above limit {S3_UPLOAD_LIMIT}!",
     499            0 :             file.path,
     500            0 :             metadata.len()
     501              :         );
     502              : 
     503              :         // Note: Because we opened the file in write-only mode, we cannot
     504              :         // reuse the same VirtualFile for reading later. That's why we don't
     505              :         // set inner.file here. The first read will have to re-open it.
     506              : 
     507        15829 :         let desc = PersistentLayerDesc::new_delta(
     508        15829 :             self.tenant_shard_id,
     509        15829 :             self.timeline_id,
     510        15829 :             self.key_start..key_end,
     511        15829 :             self.lsn_range.clone(),
     512        15829 :             metadata.len(),
     513        15829 :         );
     514        15829 : 
     515        15829 :         // fsync the file
     516        15829 :         file.sync_all().await?;
     517              : 
     518        15829 :         let layer = Layer::finish_creating(self.conf, timeline, desc, &self.path)?;
     519              : 
     520            0 :         trace!("created delta layer {}", layer.local_path());
     521              : 
     522        15829 :         Ok(layer)
     523        15829 :     }
     524              : }
     525              : 
     526              : /// A builder object for constructing a new delta layer.
     527              : ///
     528              : /// Usage:
     529              : ///
     530              : /// 1. Create the DeltaLayerWriter by calling DeltaLayerWriter::new(...)
     531              : ///
     532              : /// 2. Write the contents by calling `put_value` for every page
     533              : ///    version to store in the layer.
     534              : ///
     535              : /// 3. Call `finish`.
     536              : ///
     537              : /// # Note
     538              : ///
     539              : /// As described in <https://github.com/neondatabase/neon/issues/2650>, it's
     540              : /// possible for the writer to drop before `finish` is actually called. So this
     541              : /// could lead to odd temporary files in the directory, exhausting file system.
     542              : /// This structure wraps `DeltaLayerWriterInner` and also contains `Drop`
     543              : /// implementation that cleans up the temporary file in failure. It's not
     544              : /// possible to do this directly in `DeltaLayerWriterInner` since `finish` moves
     545              : /// out some fields, making it impossible to implement `Drop`.
     546              : ///
     547              : #[must_use]
     548              : pub struct DeltaLayerWriter {
     549              :     inner: Option<DeltaLayerWriterInner>,
     550              : }
     551              : 
     552              : impl DeltaLayerWriter {
     553              :     ///
     554              :     /// Start building a new delta layer.
     555              :     ///
     556        15833 :     pub async fn new(
     557        15833 :         conf: &'static PageServerConf,
     558        15833 :         timeline_id: TimelineId,
     559        15833 :         tenant_shard_id: TenantShardId,
     560        15833 :         key_start: Key,
     561        15833 :         lsn_range: Range<Lsn>,
     562        15833 :     ) -> anyhow::Result<Self> {
     563        15833 :         Ok(Self {
     564        15833 :             inner: Some(
     565        15833 :                 DeltaLayerWriterInner::new(
     566        15833 :                     conf,
     567        15833 :                     timeline_id,
     568        15833 :                     tenant_shard_id,
     569        15833 :                     key_start,
     570        15833 :                     lsn_range,
     571        15833 :                 )
     572          214 :                 .await?,
     573              :             ),
     574              :         })
     575        15833 :     }
     576              : 
     577              :     ///
     578              :     /// Append a key-value pair to the file.
     579              :     ///
     580              :     /// The values must be appended in key, lsn order.
     581              :     ///
     582     16960268 :     pub async fn put_value(&mut self, key: Key, lsn: Lsn, val: Value) -> anyhow::Result<()> {
     583     16960268 :         self.inner.as_mut().unwrap().put_value(key, lsn, val).await
     584     16960267 :     }
     585              : 
     586     34703068 :     pub async fn put_value_bytes(
     587     34703068 :         &mut self,
     588     34703068 :         key: Key,
     589     34703068 :         lsn: Lsn,
     590     34703068 :         val: Vec<u8>,
     591     34703068 :         will_init: bool,
     592     34703069 :     ) -> (Vec<u8>, anyhow::Result<()>) {
     593     34703069 :         self.inner
     594     34703069 :             .as_mut()
     595     34703069 :             .unwrap()
     596     34703069 :             .put_value_bytes(key, lsn, val, will_init)
     597        48877 :             .await
     598     34703069 :     }
     599              : 
     600      2181018 :     pub fn size(&self) -> u64 {
     601      2181018 :         self.inner.as_ref().unwrap().size()
     602      2181018 :     }
     603              : 
     604              :     ///
     605              :     /// Finish writing the delta layer.
     606              :     ///
     607        15829 :     pub(crate) async fn finish(
     608        15829 :         mut self,
     609        15829 :         key_end: Key,
     610        15829 :         timeline: &Arc<Timeline>,
     611        15829 :     ) -> anyhow::Result<ResidentLayer> {
     612        15829 :         let inner = self.inner.take().unwrap();
     613        15829 :         let temp_path = inner.path.clone();
     614        15829 :         let result = inner.finish(key_end, timeline).await;
     615              :         // The delta layer files can sometimes be really large. Clean them up.
     616        15829 :         if result.is_err() {
     617            0 :             tracing::warn!(
     618            0 :                 "Cleaning up temporary delta file {temp_path} after error during writing"
     619            0 :             );
     620            0 :             if let Err(e) = std::fs::remove_file(&temp_path) {
     621            0 :                 tracing::warn!("Error cleaning up temporary delta layer file {temp_path}: {e:?}")
     622            0 :             }
     623        15829 :         }
     624        15829 :         result
     625        15829 :     }
     626              : }
     627              : 
     628              : impl Drop for DeltaLayerWriter {
     629        15829 :     fn drop(&mut self) {
     630        15829 :         if let Some(inner) = self.inner.take() {
     631            0 :             // We want to remove the virtual file here, so it's fine to not
     632            0 :             // having completely flushed unwritten data.
     633            0 :             let vfile = inner.blob_writer.into_inner_no_flush();
     634            0 :             vfile.remove();
     635        15829 :         }
     636        15829 :     }
     637              : }
     638              : 
     639            0 : #[derive(thiserror::Error, Debug)]
     640              : pub enum RewriteSummaryError {
     641              :     #[error("magic mismatch")]
     642              :     MagicMismatch,
     643              :     #[error(transparent)]
     644              :     Other(#[from] anyhow::Error),
     645              : }
     646              : 
     647              : impl From<std::io::Error> for RewriteSummaryError {
     648            0 :     fn from(e: std::io::Error) -> Self {
     649            0 :         Self::Other(anyhow::anyhow!(e))
     650            0 :     }
     651              : }
     652              : 
     653              : impl DeltaLayer {
     654            0 :     pub async fn rewrite_summary<F>(
     655            0 :         path: &Utf8Path,
     656            0 :         rewrite: F,
     657            0 :         ctx: &RequestContext,
     658            0 :     ) -> Result<(), RewriteSummaryError>
     659            0 :     where
     660            0 :         F: Fn(Summary) -> Summary,
     661            0 :     {
     662            0 :         let file = VirtualFile::open_with_options(
     663            0 :             path,
     664            0 :             virtual_file::OpenOptions::new().read(true).write(true),
     665            0 :         )
     666            0 :         .await
     667            0 :         .with_context(|| format!("Failed to open file '{}'", path))?;
     668            0 :         let file = FileBlockReader::new(file);
     669            0 :         let summary_blk = file.read_blk(0, ctx).await?;
     670            0 :         let actual_summary = Summary::des_prefix(summary_blk.as_ref()).context("deserialize")?;
     671            0 :         let mut file = file.file;
     672            0 :         if actual_summary.magic != DELTA_FILE_MAGIC {
     673            0 :             return Err(RewriteSummaryError::MagicMismatch);
     674            0 :         }
     675            0 : 
     676            0 :         let new_summary = rewrite(actual_summary);
     677            0 : 
     678            0 :         let mut buf = Vec::with_capacity(PAGE_SZ);
     679            0 :         // TODO: could use smallvec here, but it's a pain with Slice<T>
     680            0 :         Summary::ser_into(&new_summary, &mut buf).context("serialize")?;
     681            0 :         file.seek(SeekFrom::Start(0)).await?;
     682            0 :         let (_buf, res) = file.write_all(buf).await;
     683            0 :         res?;
     684            0 :         Ok(())
     685            0 :     }
     686              : }
     687              : 
     688              : impl DeltaLayerInner {
     689              :     /// Returns nested result following Result<Result<_, OpErr>, Critical>:
     690              :     /// - inner has the success or transient failure
     691              :     /// - outer has the permanent failure
     692        12086 :     pub(super) async fn load(
     693        12086 :         path: &Utf8Path,
     694        12086 :         summary: Option<Summary>,
     695        12086 :         ctx: &RequestContext,
     696        12086 :     ) -> Result<Result<Self, anyhow::Error>, anyhow::Error> {
     697        12086 :         let file = match VirtualFile::open(path).await {
     698        12086 :             Ok(file) => file,
     699            0 :             Err(e) => return Ok(Err(anyhow::Error::new(e).context("open layer file"))),
     700              :         };
     701        12086 :         let file = FileBlockReader::new(file);
     702              : 
     703        12086 :         let summary_blk = match file.read_blk(0, ctx).await {
     704        12086 :             Ok(blk) => blk,
     705            0 :             Err(e) => return Ok(Err(anyhow::Error::new(e).context("read first block"))),
     706              :         };
     707              : 
     708              :         // TODO: this should be an assertion instead; see ImageLayerInner::load
     709        12086 :         let actual_summary =
     710        12086 :             Summary::des_prefix(summary_blk.as_ref()).context("deserialize first block")?;
     711              : 
     712        12086 :         if let Some(mut expected_summary) = summary {
     713              :             // production code path
     714        12086 :             expected_summary.index_start_blk = actual_summary.index_start_blk;
     715        12086 :             expected_summary.index_root_blk = actual_summary.index_root_blk;
     716        12086 :             if actual_summary != expected_summary {
     717            1 :                 bail!(
     718            1 :                     "in-file summary does not match expected summary. actual = {:?} expected = {:?}",
     719            1 :                     actual_summary,
     720            1 :                     expected_summary
     721            1 :                 );
     722        12085 :             }
     723            0 :         }
     724              : 
     725        12085 :         Ok(Ok(DeltaLayerInner {
     726        12085 :             file,
     727        12085 :             index_start_blk: actual_summary.index_start_blk,
     728        12085 :             index_root_blk: actual_summary.index_root_blk,
     729        12085 :         }))
     730        12086 :     }
     731              : 
     732     16415750 :     pub(super) async fn get_value_reconstruct_data(
     733     16415750 :         &self,
     734     16415750 :         key: Key,
     735     16415750 :         lsn_range: Range<Lsn>,
     736     16415750 :         reconstruct_state: &mut ValueReconstructState,
     737     16415750 :         ctx: &RequestContext,
     738     16415751 :     ) -> anyhow::Result<ValueReconstructResult> {
     739     16415751 :         let mut need_image = true;
     740     16415751 :         // Scan the page versions backwards, starting from `lsn`.
     741     16415751 :         let file = &self.file;
     742     16415751 :         let tree_reader = DiskBtreeReader::<_, DELTA_KEY_SIZE>::new(
     743     16415751 :             self.index_start_blk,
     744     16415751 :             self.index_root_blk,
     745     16415751 :             file,
     746     16415751 :         );
     747     16415751 :         let search_key = DeltaKey::from_key_lsn(&key, Lsn(lsn_range.end.0 - 1));
     748     16415751 : 
     749     16415751 :         let mut offsets: Vec<(Lsn, u64)> = Vec::new();
     750     16415751 : 
     751     16415751 :         tree_reader
     752     16415751 :             .visit(
     753     16415751 :                 &search_key.0,
     754     16415751 :                 VisitDirection::Backwards,
     755     53245579 :                 |key, value| {
     756     53245579 :                     let blob_ref = BlobRef(value);
     757     53245579 :                     if key[..KEY_SIZE] != search_key.0[..KEY_SIZE] {
     758      2569991 :                         return false;
     759     50675588 :                     }
     760     50675588 :                     let entry_lsn = DeltaKey::extract_lsn_from_buf(key);
     761     50675588 :                     if entry_lsn < lsn_range.start {
     762       448875 :                         return false;
     763     50226713 :                     }
     764     50226713 :                     offsets.push((entry_lsn, blob_ref.pos()));
     765     50226713 : 
     766     50226713 :                     !blob_ref.will_init()
     767     53245579 :                 },
     768     16415751 :                 &RequestContextBuilder::extend(ctx)
     769     16415751 :                     .page_content_kind(PageContentKind::DeltaLayerBtreeNode)
     770     16415751 :                     .build(),
     771     16415751 :             )
     772       213784 :             .await?;
     773              : 
     774     16415750 :         let ctx = &RequestContextBuilder::extend(ctx)
     775     16415750 :             .page_content_kind(PageContentKind::DeltaLayerValue)
     776     16415750 :             .build();
     777     16415750 : 
     778     16415750 :         // Ok, 'offsets' now contains the offsets of all the entries we need to read
     779     16415750 :         let cursor = file.block_cursor();
     780     16415750 :         let mut buf = Vec::new();
     781     63619165 :         for (entry_lsn, pos) in offsets {
     782     50225509 :             cursor
     783     50225509 :                 .read_blob_into_buf(pos, &mut buf, ctx)
     784       764183 :                 .await
     785     50225507 :                 .with_context(|| {
     786            0 :                     format!("Failed to read blob from virtual file {}", file.file.path)
     787     50225507 :                 })?;
     788     50225507 :             let val = Value::des(&buf).with_context(|| {
     789            0 :                 format!(
     790            0 :                     "Failed to deserialize file blob from virtual file {}",
     791            0 :                     file.file.path
     792            0 :                 )
     793     50225507 :             })?;
     794     50225507 :             match val {
     795      1744777 :                 Value::Image(img) => {
     796      1744777 :                     reconstruct_state.img = Some((entry_lsn, img));
     797      1744777 :                     need_image = false;
     798      1744777 :                     break;
     799              :                 }
     800     48480730 :                 Value::WalRecord(rec) => {
     801     48480730 :                     let will_init = rec.will_init();
     802     48480730 :                     reconstruct_state.records.push((entry_lsn, rec));
     803     48480730 :                     if will_init {
     804              :                         // This WAL record initializes the page, so no need to go further back
     805      1277315 :                         need_image = false;
     806      1277315 :                         break;
     807     47203415 :                     }
     808              :                 }
     809              :             }
     810              :         }
     811              : 
     812              :         // If an older page image is needed to reconstruct the page, let the
     813              :         // caller know.
     814     16415748 :         if need_image {
     815     13393656 :             Ok(ValueReconstructResult::Continue)
     816              :         } else {
     817      3022092 :             Ok(ValueReconstructResult::Complete)
     818              :         }
     819     16415748 :     }
     820              : 
     821         4108 :     pub(super) async fn load_keys<'a>(
     822         4108 :         &'a self,
     823         4108 :         ctx: &RequestContext,
     824         4108 :     ) -> Result<Vec<DeltaEntry<'a>>> {
     825         4108 :         let file = &self.file;
     826         4108 : 
     827         4108 :         let tree_reader = DiskBtreeReader::<_, DELTA_KEY_SIZE>::new(
     828         4108 :             self.index_start_blk,
     829         4108 :             self.index_root_blk,
     830         4108 :             file,
     831         4108 :         );
     832         4108 : 
     833         4108 :         let mut all_keys: Vec<DeltaEntry<'_>> = Vec::new();
     834         4108 : 
     835         4108 :         tree_reader
     836         4108 :             .visit(
     837         4108 :                 &[0u8; DELTA_KEY_SIZE],
     838         4108 :                 VisitDirection::Forwards,
     839     17300103 :                 |key, value| {
     840     17300103 :                     let delta_key = DeltaKey::from_slice(key);
     841     17300103 :                     let val_ref = ValueRef {
     842     17300103 :                         blob_ref: BlobRef(value),
     843     17300103 :                         reader: BlockCursor::new(crate::tenant::block_io::BlockReaderRef::Adapter(
     844     17300103 :                             Adapter(self),
     845     17300103 :                         )),
     846     17300103 :                     };
     847     17300103 :                     let pos = BlobRef(value).pos();
     848     17300103 :                     if let Some(last) = all_keys.last_mut() {
     849     17295995 :                         // subtract offset of the current and last entries to get the size
     850     17295995 :                         // of the value associated with this (key, lsn) tuple
     851     17295995 :                         let first_pos = last.size;
     852     17295995 :                         last.size = pos - first_pos;
     853     17295995 :                     }
     854     17300103 :                     let entry = DeltaEntry {
     855     17300103 :                         key: delta_key.key(),
     856     17300103 :                         lsn: delta_key.lsn(),
     857     17300103 :                         size: pos,
     858     17300103 :                         val: val_ref,
     859     17300103 :                     };
     860     17300103 :                     all_keys.push(entry);
     861     17300103 :                     true
     862     17300103 :                 },
     863         4108 :                 &RequestContextBuilder::extend(ctx)
     864         4108 :                     .page_content_kind(PageContentKind::DeltaLayerBtreeNode)
     865         4108 :                     .build(),
     866         4108 :             )
     867         2299 :             .await?;
     868         4108 :         if let Some(last) = all_keys.last_mut() {
     869         4108 :             // Last key occupies all space till end of value storage,
     870         4108 :             // which corresponds to beginning of the index
     871         4108 :             last.size = self.index_start_blk as u64 * PAGE_SZ as u64 - last.size;
     872         4108 :         }
     873         4108 :         Ok(all_keys)
     874         4108 :     }
     875              : 
     876            4 :     pub(super) async fn dump(&self, ctx: &RequestContext) -> anyhow::Result<()> {
     877            4 :         println!(
     878            4 :             "index_start_blk: {}, root {}",
     879            4 :             self.index_start_blk, self.index_root_blk
     880            4 :         );
     881            4 : 
     882            4 :         let file = &self.file;
     883            4 :         let tree_reader = DiskBtreeReader::<_, DELTA_KEY_SIZE>::new(
     884            4 :             self.index_start_blk,
     885            4 :             self.index_root_blk,
     886            4 :             file,
     887            4 :         );
     888            4 : 
     889            4 :         tree_reader.dump().await?;
     890              : 
     891            4 :         let keys = self.load_keys(ctx).await?;
     892              : 
     893            8 :         async fn dump_blob(val: &ValueRef<'_>, ctx: &RequestContext) -> anyhow::Result<String> {
     894            8 :             let buf = val.reader.read_blob(val.blob_ref.pos(), ctx).await?;
     895            8 :             let val = Value::des(&buf)?;
     896            8 :             let desc = match val {
     897            8 :                 Value::Image(img) => {
     898            8 :                     format!(" img {} bytes", img.len())
     899              :                 }
     900            0 :                 Value::WalRecord(rec) => {
     901            0 :                     let wal_desc = walrecord::describe_wal_record(&rec)?;
     902            0 :                     format!(
     903            0 :                         " rec {} bytes will_init: {} {}",
     904            0 :                         buf.len(),
     905            0 :                         rec.will_init(),
     906            0 :                         wal_desc
     907            0 :                     )
     908              :                 }
     909              :             };
     910            8 :             Ok(desc)
     911            8 :         }
     912              : 
     913           12 :         for entry in keys {
     914            8 :             let DeltaEntry { key, lsn, val, .. } = entry;
     915            8 :             let desc = match dump_blob(&val, ctx).await {
     916            8 :                 Ok(desc) => desc,
     917            0 :                 Err(err) => {
     918            0 :                     format!("ERROR: {err}")
     919              :                 }
     920              :             };
     921            8 :             println!("  key {key} at {lsn}: {desc}");
     922            8 : 
     923            8 :             // Print more details about CHECKPOINT records. Would be nice to print details
     924            8 :             // of many other record types too, but these are particularly interesting, as
     925            8 :             // have a lot of special processing for them in walingest.rs.
     926            8 :             use pageserver_api::key::CHECKPOINT_KEY;
     927            8 :             use postgres_ffi::CheckPoint;
     928            8 :             if key == CHECKPOINT_KEY {
     929            0 :                 let buf = val.reader.read_blob(val.blob_ref.pos(), ctx).await?;
     930            0 :                 let val = Value::des(&buf)?;
     931            0 :                 match val {
     932            0 :                     Value::Image(img) => {
     933            0 :                         let checkpoint = CheckPoint::decode(&img)?;
     934            0 :                         println!("   CHECKPOINT: {:?}", checkpoint);
     935              :                     }
     936            0 :                     Value::WalRecord(_rec) => {
     937            0 :                         println!("   unexpected walrecord value for checkpoint key");
     938            0 :                     }
     939              :                 }
     940            8 :             }
     941              :         }
     942              : 
     943            4 :         Ok(())
     944            4 :     }
     945              : }
     946              : 
     947              : /// A set of data associated with a delta layer key and its value
     948              : pub struct DeltaEntry<'a> {
     949              :     pub key: Key,
     950              :     pub lsn: Lsn,
     951              :     /// Size of the stored value
     952              :     pub size: u64,
     953              :     /// Reference to the on-disk value
     954              :     pub val: ValueRef<'a>,
     955              : }
     956              : 
     957              : /// Reference to an on-disk value
     958              : pub struct ValueRef<'a> {
     959              :     blob_ref: BlobRef,
     960              :     reader: BlockCursor<'a>,
     961              : }
     962              : 
     963              : impl<'a> ValueRef<'a> {
     964              :     /// Loads the value from disk
     965     16960268 :     pub async fn load(&self, ctx: &RequestContext) -> Result<Value> {
     966              :         // theoretically we *could* record an access time for each, but it does not really matter
     967     16960268 :         let buf = self.reader.read_blob(self.blob_ref.pos(), ctx).await?;
     968     16960268 :         let val = Value::des(&buf)?;
     969     16960268 :         Ok(val)
     970     16960268 :     }
     971              : }
     972              : 
     973              : pub(crate) struct Adapter<T>(T);
     974              : 
     975              : impl<T: AsRef<DeltaLayerInner>> Adapter<T> {
     976     18120012 :     pub(crate) async fn read_blk(
     977     18120012 :         &self,
     978     18120012 :         blknum: u32,
     979     18120012 :         ctx: &RequestContext,
     980     18120012 :     ) -> Result<BlockLease, std::io::Error> {
     981     18120012 :         self.0.as_ref().file.read_blk(blknum, ctx).await
     982     18120012 :     }
     983              : }
     984              : 
     985              : impl AsRef<DeltaLayerInner> for DeltaLayerInner {
     986     18120012 :     fn as_ref(&self) -> &DeltaLayerInner {
     987     18120012 :         self
     988     18120012 :     }
     989              : }
        

Generated by: LCOV version 2.1-beta