LCOV - code coverage report
Current view: top level - libs/pageserver_api/src - shard.rs (source / functions) Coverage Total Hit
Test: 4f58e98c51285c7fa348e0b410c88a10caf68ad2.info Lines: 92.3 % 392 362
Test Date: 2025-01-07 20:58:07 Functions: 46.4 % 56 26

            Line data    Source code
       1              : //! See docs/rfcs/031-sharding-static.md for an overview of sharding.
       2              : //!
       3              : //! This module contains a variety of types used to represent the concept of sharding
       4              : //! a Neon tenant across multiple physical shards.  Since there are quite a few of these,
       5              : //! we provide an summary here.
       6              : //!
       7              : //! Types used to describe shards:
       8              : //! - [`ShardCount`] describes how many shards make up a tenant, plus the magic `unsharded` value
       9              : //!   which identifies a tenant which is not shard-aware.  This means its storage paths do not include
      10              : //!   a shard suffix.
      11              : //! - [`ShardNumber`] is simply the zero-based index of a shard within a tenant.
      12              : //! - [`ShardIndex`] is the 2-tuple of `ShardCount` and `ShardNumber`, it's just like a `TenantShardId`
      13              : //!   without the tenant ID.  This is useful for things that are implicitly scoped to a particular
      14              : //!   tenant, such as layer files.
      15              : //! - [`ShardIdentity`]` is the full description of a particular shard's parameters, in sufficient
      16              : //!   detail to convert a [`Key`] to a [`ShardNumber`] when deciding where to write/read.
      17              : //! - The [`ShardSlug`] is a terse formatter for ShardCount and ShardNumber, written as
      18              : //!   four hex digits.  An unsharded tenant is `0000`.
      19              : //! - [`TenantShardId`] is the unique ID of a particular shard within a particular tenant
      20              : //!
      21              : //! Types used to describe the parameters for data distribution in a sharded tenant:
      22              : //! - [`ShardStripeSize`] controls how long contiguous runs of [`Key`]s (stripes) are when distributed across
      23              : //!   multiple shards.  Its value is given in 8kiB pages.
      24              : //! - [`ShardLayout`] describes the data distribution scheme, and at time of writing is
      25              : //!   always zero: this is provided for future upgrades that might introduce different
      26              : //!   data distribution schemes.
      27              : //!
      28              : //! Examples:
      29              : //! - A legacy unsharded tenant has one shard with ShardCount(0), ShardNumber(0), and its slug is 0000
      30              : //! - A single sharded tenant has one shard with ShardCount(1), ShardNumber(0), and its slug is 0001
      31              : //! - In a tenant with 4 shards, each shard has ShardCount(N), ShardNumber(i) where i in 0..N-1 (inclusive),
      32              : //!   and their slugs are 0004, 0104, 0204, and 0304.
      33              : 
      34              : use crate::{key::Key, models::ShardParameters};
      35              : use postgres_ffi::relfile_utils::INIT_FORKNUM;
      36              : use serde::{Deserialize, Serialize};
      37              : 
      38              : #[doc(inline)]
      39              : pub use ::utils::shard::*;
      40              : 
      41              : /// The ShardIdentity contains enough information to map a [`Key`] to a [`ShardNumber`],
      42              : /// and to check whether that [`ShardNumber`] is the same as the current shard.
      43            0 : #[derive(Clone, Copy, Serialize, Deserialize, Eq, PartialEq, Debug)]
      44              : pub struct ShardIdentity {
      45              :     pub number: ShardNumber,
      46              :     pub count: ShardCount,
      47              :     pub stripe_size: ShardStripeSize,
      48              :     layout: ShardLayout,
      49              : }
      50              : 
      51              : /// Stripe size in number of pages
      52            0 : #[derive(Clone, Copy, Serialize, Deserialize, Eq, PartialEq, Debug)]
      53              : pub struct ShardStripeSize(pub u32);
      54              : 
      55              : impl Default for ShardStripeSize {
      56            2 :     fn default() -> Self {
      57            2 :         DEFAULT_STRIPE_SIZE
      58            2 :     }
      59              : }
      60              : 
      61              : /// Layout version: for future upgrades where we might change how the key->shard mapping works
      62            0 : #[derive(Clone, Copy, Serialize, Deserialize, Eq, PartialEq, Debug)]
      63              : pub struct ShardLayout(u8);
      64              : 
      65              : const LAYOUT_V1: ShardLayout = ShardLayout(1);
      66              : /// ShardIdentity uses a magic layout value to indicate if it is unusable
      67              : const LAYOUT_BROKEN: ShardLayout = ShardLayout(255);
      68              : 
      69              : /// Default stripe size in pages: 256MiB divided by 8kiB page size.
      70              : const DEFAULT_STRIPE_SIZE: ShardStripeSize = ShardStripeSize(256 * 1024 / 8);
      71              : 
      72              : #[derive(thiserror::Error, Debug, PartialEq, Eq)]
      73              : pub enum ShardConfigError {
      74              :     #[error("Invalid shard count")]
      75              :     InvalidCount,
      76              :     #[error("Invalid shard number")]
      77              :     InvalidNumber,
      78              :     #[error("Invalid stripe size")]
      79              :     InvalidStripeSize,
      80              : }
      81              : 
      82              : impl ShardIdentity {
      83              :     /// An identity with number=0 count=0 is a "none" identity, which represents legacy
      84              :     /// tenants.  Modern single-shard tenants should not use this: they should
      85              :     /// have number=0 count=1.
      86          918 :     pub const fn unsharded() -> Self {
      87          918 :         Self {
      88          918 :             number: ShardNumber(0),
      89          918 :             count: ShardCount(0),
      90          918 :             layout: LAYOUT_V1,
      91          918 :             stripe_size: DEFAULT_STRIPE_SIZE,
      92          918 :         }
      93          918 :     }
      94              : 
      95              :     /// A broken instance of this type is only used for `TenantState::Broken` tenants,
      96              :     /// which are constructed in code paths that don't have access to proper configuration.
      97              :     ///
      98              :     /// A ShardIdentity in this state may not be used for anything, and should not be persisted.
      99              :     /// Enforcement is via assertions, to avoid making our interface fallible for this
     100              :     /// edge case: it is the Tenant's responsibility to avoid trying to do any I/O when in a broken
     101              :     /// state, and by extension to avoid trying to do any page->shard resolution.
     102            0 :     pub fn broken(number: ShardNumber, count: ShardCount) -> Self {
     103            0 :         Self {
     104            0 :             number,
     105            0 :             count,
     106            0 :             layout: LAYOUT_BROKEN,
     107            0 :             stripe_size: DEFAULT_STRIPE_SIZE,
     108            0 :         }
     109            0 :     }
     110              : 
     111              :     /// The "unsharded" value is distinct from simply having a single shard: it represents
     112              :     /// a tenant which is not shard-aware at all, and whose storage paths will not include
     113              :     /// a shard suffix.
     114            0 :     pub fn is_unsharded(&self) -> bool {
     115            0 :         self.number == ShardNumber(0) && self.count == ShardCount(0)
     116            0 :     }
     117              : 
     118              :     /// Count must be nonzero, and number must be < count. To construct
     119              :     /// the legacy case (count==0), use Self::unsharded instead.
     120        13034 :     pub fn new(
     121        13034 :         number: ShardNumber,
     122        13034 :         count: ShardCount,
     123        13034 :         stripe_size: ShardStripeSize,
     124        13034 :     ) -> Result<Self, ShardConfigError> {
     125        13034 :         if count.0 == 0 {
     126            1 :             Err(ShardConfigError::InvalidCount)
     127        13033 :         } else if number.0 > count.0 - 1 {
     128            3 :             Err(ShardConfigError::InvalidNumber)
     129        13030 :         } else if stripe_size.0 == 0 {
     130            1 :             Err(ShardConfigError::InvalidStripeSize)
     131              :         } else {
     132        13029 :             Ok(Self {
     133        13029 :                 number,
     134        13029 :                 count,
     135        13029 :                 layout: LAYOUT_V1,
     136        13029 :                 stripe_size,
     137        13029 :             })
     138              :         }
     139        13034 :     }
     140              : 
     141              :     /// For use when creating ShardIdentity instances for new shards, where a creation request
     142              :     /// specifies the ShardParameters that apply to all shards.
     143          202 :     pub fn from_params(number: ShardNumber, params: &ShardParameters) -> Self {
     144          202 :         Self {
     145          202 :             number,
     146          202 :             count: params.count,
     147          202 :             layout: LAYOUT_V1,
     148          202 :             stripe_size: params.stripe_size,
     149          202 :         }
     150          202 :     }
     151              : 
     152      6440400 :     fn is_broken(&self) -> bool {
     153      6440400 :         self.layout == LAYOUT_BROKEN
     154      6440400 :     }
     155              : 
     156         3082 :     pub fn get_shard_number(&self, key: &Key) -> ShardNumber {
     157         3082 :         assert!(!self.is_broken());
     158         3082 :         key_to_shard_number(self.count, self.stripe_size, key)
     159         3082 :     }
     160              : 
     161              :     /// Return true if the key is stored only on this shard. This does not include
     162              :     /// global keys, see is_key_global().
     163              :     ///
     164              :     /// Shards must ingest _at least_ keys which return true from this check.
     165      6437318 :     pub fn is_key_local(&self, key: &Key) -> bool {
     166      6437318 :         assert!(!self.is_broken());
     167      6437318 :         if self.count < ShardCount(2) || (key_is_shard0(key) && self.number == ShardNumber(0)) {
     168      5387264 :             true
     169              :         } else {
     170      1050054 :             key_to_shard_number(self.count, self.stripe_size, key) == self.number
     171              :         }
     172      6437318 :     }
     173              : 
     174              :     /// Return true if the key should be stored on all shards, not just one.
     175      1050057 :     pub fn is_key_global(&self, key: &Key) -> bool {
     176      1050057 :         if key.is_slru_block_key()
     177      1050057 :             || key.is_slru_segment_size_key()
     178      1050057 :             || key.is_aux_file_key()
     179      1050057 :             || key.is_slru_dir_key()
     180              :         {
     181              :             // Special keys that are only stored on shard 0
     182            0 :             false
     183      1050057 :         } else if key.is_rel_block_key() {
     184              :             // Ordinary relation blocks are distributed across shards
     185      1050052 :             false
     186            5 :         } else if key.is_rel_size_key() {
     187              :             // All shards maintain rel size keys (although only shard 0 is responsible for
     188              :             // keeping it strictly accurate, other shards just reflect the highest block they've ingested)
     189            5 :             true
     190              :         } else {
     191              :             // For everything else, we assume it must be kept everywhere, because ingest code
     192              :             // might assume this -- this covers functionality where the ingest code has
     193              :             // not (yet) been made fully shard aware.
     194            0 :             true
     195              :         }
     196      1050057 :     }
     197              : 
     198              :     /// Return true if the key should be discarded if found in this shard's
     199              :     /// data store, e.g. during compaction after a split.
     200              :     ///
     201              :     /// Shards _may_ drop keys which return false here, but are not obliged to.
     202      3746595 :     pub fn is_key_disposable(&self, key: &Key) -> bool {
     203      3746595 :         if self.count < ShardCount(2) {
     204              :             // Fast path: unsharded tenant doesn't dispose of anything
     205      2696538 :             return false;
     206      1050057 :         }
     207      1050057 : 
     208      1050057 :         if self.is_key_global(key) {
     209            5 :             false
     210              :         } else {
     211      1050052 :             !self.is_key_local(key)
     212              :         }
     213      3746595 :     }
     214              : 
     215              :     /// Obtains the shard number and count combined into a `ShardIndex`.
     216          286 :     pub fn shard_index(&self) -> ShardIndex {
     217          286 :         ShardIndex {
     218          286 :             shard_count: self.count,
     219          286 :             shard_number: self.number,
     220          286 :         }
     221          286 :     }
     222              : 
     223            8 :     pub fn shard_slug(&self) -> String {
     224            8 :         if self.count > ShardCount(0) {
     225            8 :             format!("-{:02x}{:02x}", self.number.0, self.count.0)
     226              :         } else {
     227            0 :             String::new()
     228              :         }
     229            8 :     }
     230              : 
     231              :     /// Convenience for checking if this identity is the 0th shard in a tenant,
     232              :     /// for special cases on shard 0 such as ingesting relation sizes.
     233            0 :     pub fn is_shard_zero(&self) -> bool {
     234            0 :         self.number == ShardNumber(0)
     235            0 :     }
     236              : }
     237              : 
     238              : /// Whether this key is always held on shard 0 (e.g. shard 0 holds all SLRU keys
     239              : /// in order to be able to serve basebackup requests without peer communication).
     240      2100127 : fn key_is_shard0(key: &Key) -> bool {
     241      2100127 :     // To decide what to shard out to shards >0, we apply a simple rule that only
     242      2100127 :     // relation pages are distributed to shards other than shard zero. Everything else gets
     243      2100127 :     // stored on shard 0.  This guarantees that shard 0 can independently serve basebackup
     244      2100127 :     // requests, and any request other than those for particular blocks in relations.
     245      2100127 :     //
     246      2100127 :     // The only exception to this rule is "initfork" data -- this relates to postgres's UNLOGGED table
     247      2100127 :     // type. These are special relations, usually with only 0 or 1 blocks, and we store them on shard 0
     248      2100127 :     // because they must be included in basebackups.
     249      2100127 :     let is_initfork = key.field5 == INIT_FORKNUM;
     250      2100127 : 
     251      2100127 :     !key.is_rel_block_key() || is_initfork
     252      2100127 : }
     253              : 
     254              : /// Provide the same result as the function in postgres `hashfn.h` with the same name
     255      2100147 : fn murmurhash32(mut h: u32) -> u32 {
     256      2100147 :     h ^= h >> 16;
     257      2100147 :     h = h.wrapping_mul(0x85ebca6b);
     258      2100147 :     h ^= h >> 13;
     259      2100147 :     h = h.wrapping_mul(0xc2b2ae35);
     260      2100147 :     h ^= h >> 16;
     261      2100147 :     h
     262      2100147 : }
     263              : 
     264              : /// Provide the same result as the function in postgres `hashfn.h` with the same name
     265      1050074 : fn hash_combine(mut a: u32, mut b: u32) -> u32 {
     266      1050074 :     b = b.wrapping_add(0x9e3779b9);
     267      1050074 :     b = b.wrapping_add(a << 6);
     268      1050074 :     b = b.wrapping_add(a >> 2);
     269      1050074 : 
     270      1050074 :     a ^= b;
     271      1050074 :     a
     272      1050074 : }
     273              : 
     274              : /// Where a Key is to be distributed across shards, select the shard.  This function
     275              : /// does not account for keys that should be broadcast across shards.
     276              : ///
     277              : /// The hashing in this function must exactly match what we do in postgres smgr
     278              : /// code.  The resulting distribution of pages is intended to preserve locality within
     279              : /// `stripe_size` ranges of contiguous block numbers in the same relation, while otherwise
     280              : /// distributing data pseudo-randomly.
     281              : ///
     282              : /// The mapping of key to shard is not stable across changes to ShardCount: this is intentional
     283              : /// and will be handled at higher levels when shards are split.
     284      1053137 : fn key_to_shard_number(count: ShardCount, stripe_size: ShardStripeSize, key: &Key) -> ShardNumber {
     285      1053137 :     // Fast path for un-sharded tenants or broadcast keys
     286      1053137 :     if count < ShardCount(2) || key_is_shard0(key) {
     287         3064 :         return ShardNumber(0);
     288      1050073 :     }
     289      1050073 : 
     290      1050073 :     // relNode
     291      1050073 :     let mut hash = murmurhash32(key.field4);
     292      1050073 :     // blockNum/stripe size
     293      1050073 :     hash = hash_combine(hash, murmurhash32(key.field6 / stripe_size.0));
     294      1050073 : 
     295      1050073 :     ShardNumber((hash % count.0 as u32) as u8)
     296      1053137 : }
     297              : 
     298              : /// For debugging, while not exposing the internals.
     299              : #[derive(Debug)]
     300              : #[allow(unused)] // used by debug formatting by pagectl
     301              : struct KeyShardingInfo {
     302              :     shard0: bool,
     303              :     shard_number: ShardNumber,
     304              : }
     305              : 
     306            0 : pub fn describe(
     307            0 :     key: &Key,
     308            0 :     shard_count: ShardCount,
     309            0 :     stripe_size: ShardStripeSize,
     310            0 : ) -> impl std::fmt::Debug {
     311            0 :     KeyShardingInfo {
     312            0 :         shard0: key_is_shard0(key),
     313            0 :         shard_number: key_to_shard_number(shard_count, stripe_size, key),
     314            0 :     }
     315            0 : }
     316              : 
     317              : #[cfg(test)]
     318              : mod tests {
     319              :     use std::str::FromStr;
     320              : 
     321              :     use utils::{id::TenantId, Hex};
     322              : 
     323              :     use super::*;
     324              : 
     325              :     const EXAMPLE_TENANT_ID: &str = "1f359dd625e519a1a4e8d7509690f6fc";
     326              : 
     327              :     #[test]
     328            1 :     fn tenant_shard_id_string() -> Result<(), hex::FromHexError> {
     329            1 :         let example = TenantShardId {
     330            1 :             tenant_id: TenantId::from_str(EXAMPLE_TENANT_ID).unwrap(),
     331            1 :             shard_count: ShardCount(10),
     332            1 :             shard_number: ShardNumber(7),
     333            1 :         };
     334            1 : 
     335            1 :         let encoded = format!("{example}");
     336            1 : 
     337            1 :         let expected = format!("{EXAMPLE_TENANT_ID}-070a");
     338            1 :         assert_eq!(&encoded, &expected);
     339              : 
     340            1 :         let decoded = TenantShardId::from_str(&encoded)?;
     341              : 
     342            1 :         assert_eq!(example, decoded);
     343              : 
     344            1 :         Ok(())
     345            1 :     }
     346              : 
     347              :     #[test]
     348            1 :     fn tenant_shard_id_binary() -> Result<(), hex::FromHexError> {
     349            1 :         let example = TenantShardId {
     350            1 :             tenant_id: TenantId::from_str(EXAMPLE_TENANT_ID).unwrap(),
     351            1 :             shard_count: ShardCount(10),
     352            1 :             shard_number: ShardNumber(7),
     353            1 :         };
     354            1 : 
     355            1 :         let encoded = bincode::serialize(&example).unwrap();
     356            1 :         let expected: [u8; 18] = [
     357            1 :             0x1f, 0x35, 0x9d, 0xd6, 0x25, 0xe5, 0x19, 0xa1, 0xa4, 0xe8, 0xd7, 0x50, 0x96, 0x90,
     358            1 :             0xf6, 0xfc, 0x07, 0x0a,
     359            1 :         ];
     360            1 :         assert_eq!(Hex(&encoded), Hex(&expected));
     361              : 
     362            1 :         let decoded = bincode::deserialize(&encoded).unwrap();
     363            1 : 
     364            1 :         assert_eq!(example, decoded);
     365              : 
     366            1 :         Ok(())
     367            1 :     }
     368              : 
     369              :     #[test]
     370            1 :     fn tenant_shard_id_backward_compat() -> Result<(), hex::FromHexError> {
     371            1 :         // Test that TenantShardId can decode a TenantId in human
     372            1 :         // readable form
     373            1 :         let example = TenantId::from_str(EXAMPLE_TENANT_ID).unwrap();
     374            1 :         let encoded = format!("{example}");
     375            1 : 
     376            1 :         assert_eq!(&encoded, EXAMPLE_TENANT_ID);
     377              : 
     378            1 :         let decoded = TenantShardId::from_str(&encoded)?;
     379              : 
     380            1 :         assert_eq!(example, decoded.tenant_id);
     381            1 :         assert_eq!(decoded.shard_count, ShardCount(0));
     382            1 :         assert_eq!(decoded.shard_number, ShardNumber(0));
     383              : 
     384            1 :         Ok(())
     385            1 :     }
     386              : 
     387              :     #[test]
     388            1 :     fn tenant_shard_id_forward_compat() -> Result<(), hex::FromHexError> {
     389            1 :         // Test that a legacy TenantShardId encodes into a form that
     390            1 :         // can be decoded as TenantId
     391            1 :         let example_tenant_id = TenantId::from_str(EXAMPLE_TENANT_ID).unwrap();
     392            1 :         let example = TenantShardId::unsharded(example_tenant_id);
     393            1 :         let encoded = format!("{example}");
     394            1 : 
     395            1 :         assert_eq!(&encoded, EXAMPLE_TENANT_ID);
     396              : 
     397            1 :         let decoded = TenantId::from_str(&encoded)?;
     398              : 
     399            1 :         assert_eq!(example_tenant_id, decoded);
     400              : 
     401            1 :         Ok(())
     402            1 :     }
     403              : 
     404              :     #[test]
     405            1 :     fn tenant_shard_id_legacy_binary() -> Result<(), hex::FromHexError> {
     406            1 :         // Unlike in human readable encoding, binary encoding does not
     407            1 :         // do any special handling of legacy unsharded TenantIds: this test
     408            1 :         // is equivalent to the main test for binary encoding, just verifying
     409            1 :         // that the same behavior applies when we have used `unsharded()` to
     410            1 :         // construct a TenantShardId.
     411            1 :         let example = TenantShardId::unsharded(TenantId::from_str(EXAMPLE_TENANT_ID).unwrap());
     412            1 :         let encoded = bincode::serialize(&example).unwrap();
     413            1 : 
     414            1 :         let expected: [u8; 18] = [
     415            1 :             0x1f, 0x35, 0x9d, 0xd6, 0x25, 0xe5, 0x19, 0xa1, 0xa4, 0xe8, 0xd7, 0x50, 0x96, 0x90,
     416            1 :             0xf6, 0xfc, 0x00, 0x00,
     417            1 :         ];
     418            1 :         assert_eq!(Hex(&encoded), Hex(&expected));
     419              : 
     420            1 :         let decoded = bincode::deserialize::<TenantShardId>(&encoded).unwrap();
     421            1 :         assert_eq!(example, decoded);
     422              : 
     423            1 :         Ok(())
     424            1 :     }
     425              : 
     426              :     #[test]
     427            1 :     fn shard_identity_validation() -> Result<(), ShardConfigError> {
     428            1 :         // Happy cases
     429            1 :         ShardIdentity::new(ShardNumber(0), ShardCount(1), DEFAULT_STRIPE_SIZE)?;
     430            1 :         ShardIdentity::new(ShardNumber(0), ShardCount(1), ShardStripeSize(1))?;
     431            1 :         ShardIdentity::new(ShardNumber(254), ShardCount(255), ShardStripeSize(1))?;
     432              : 
     433            1 :         assert_eq!(
     434            1 :             ShardIdentity::new(ShardNumber(0), ShardCount(0), DEFAULT_STRIPE_SIZE),
     435            1 :             Err(ShardConfigError::InvalidCount)
     436            1 :         );
     437            1 :         assert_eq!(
     438            1 :             ShardIdentity::new(ShardNumber(10), ShardCount(10), DEFAULT_STRIPE_SIZE),
     439            1 :             Err(ShardConfigError::InvalidNumber)
     440            1 :         );
     441            1 :         assert_eq!(
     442            1 :             ShardIdentity::new(ShardNumber(11), ShardCount(10), DEFAULT_STRIPE_SIZE),
     443            1 :             Err(ShardConfigError::InvalidNumber)
     444            1 :         );
     445            1 :         assert_eq!(
     446            1 :             ShardIdentity::new(ShardNumber(255), ShardCount(255), DEFAULT_STRIPE_SIZE),
     447            1 :             Err(ShardConfigError::InvalidNumber)
     448            1 :         );
     449            1 :         assert_eq!(
     450            1 :             ShardIdentity::new(ShardNumber(0), ShardCount(1), ShardStripeSize(0)),
     451            1 :             Err(ShardConfigError::InvalidStripeSize)
     452            1 :         );
     453              : 
     454            1 :         Ok(())
     455            1 :     }
     456              : 
     457              :     #[test]
     458            1 :     fn shard_index_human_encoding() -> Result<(), hex::FromHexError> {
     459            1 :         let example = ShardIndex {
     460            1 :             shard_number: ShardNumber(13),
     461            1 :             shard_count: ShardCount(17),
     462            1 :         };
     463            1 :         let expected: String = "0d11".to_string();
     464            1 :         let encoded = format!("{example}");
     465            1 :         assert_eq!(&encoded, &expected);
     466              : 
     467            1 :         let decoded = ShardIndex::from_str(&encoded)?;
     468            1 :         assert_eq!(example, decoded);
     469            1 :         Ok(())
     470            1 :     }
     471              : 
     472              :     #[test]
     473            1 :     fn shard_index_binary_encoding() -> Result<(), hex::FromHexError> {
     474            1 :         let example = ShardIndex {
     475            1 :             shard_number: ShardNumber(13),
     476            1 :             shard_count: ShardCount(17),
     477            1 :         };
     478            1 :         let expected: [u8; 2] = [0x0d, 0x11];
     479            1 : 
     480            1 :         let encoded = bincode::serialize(&example).unwrap();
     481            1 :         assert_eq!(Hex(&encoded), Hex(&expected));
     482            1 :         let decoded = bincode::deserialize(&encoded).unwrap();
     483            1 :         assert_eq!(example, decoded);
     484              : 
     485            1 :         Ok(())
     486            1 :     }
     487              : 
     488              :     // These are only smoke tests to spot check that our implementation doesn't
     489              :     // deviate from a few examples values: not aiming to validate the overall
     490              :     // hashing algorithm.
     491              :     #[test]
     492            1 :     fn murmur_hash() {
     493            1 :         assert_eq!(murmurhash32(0), 0);
     494              : 
     495            1 :         assert_eq!(hash_combine(0xb1ff3b40, 0), 0xfb7923c9);
     496            1 :     }
     497              : 
     498              :     #[test]
     499            1 :     fn shard_mapping() {
     500            1 :         let key = Key {
     501            1 :             field1: 0x00,
     502            1 :             field2: 0x67f,
     503            1 :             field3: 0x5,
     504            1 :             field4: 0x400c,
     505            1 :             field5: 0x00,
     506            1 :             field6: 0x7d06,
     507            1 :         };
     508            1 : 
     509            1 :         let shard = key_to_shard_number(ShardCount(10), DEFAULT_STRIPE_SIZE, &key);
     510            1 :         assert_eq!(shard, ShardNumber(8));
     511            1 :     }
     512              : 
     513              :     #[test]
     514            1 :     fn shard_id_split() {
     515            1 :         let tenant_id = TenantId::generate();
     516            1 :         let parent = TenantShardId::unsharded(tenant_id);
     517            1 : 
     518            1 :         // Unsharded into 2
     519            1 :         assert_eq!(
     520            1 :             parent.split(ShardCount(2)),
     521            1 :             vec![
     522            1 :                 TenantShardId {
     523            1 :                     tenant_id,
     524            1 :                     shard_count: ShardCount(2),
     525            1 :                     shard_number: ShardNumber(0)
     526            1 :                 },
     527            1 :                 TenantShardId {
     528            1 :                     tenant_id,
     529            1 :                     shard_count: ShardCount(2),
     530            1 :                     shard_number: ShardNumber(1)
     531            1 :                 }
     532            1 :             ]
     533            1 :         );
     534              : 
     535              :         // Unsharded into 4
     536            1 :         assert_eq!(
     537            1 :             parent.split(ShardCount(4)),
     538            1 :             vec![
     539            1 :                 TenantShardId {
     540            1 :                     tenant_id,
     541            1 :                     shard_count: ShardCount(4),
     542            1 :                     shard_number: ShardNumber(0)
     543            1 :                 },
     544            1 :                 TenantShardId {
     545            1 :                     tenant_id,
     546            1 :                     shard_count: ShardCount(4),
     547            1 :                     shard_number: ShardNumber(1)
     548            1 :                 },
     549            1 :                 TenantShardId {
     550            1 :                     tenant_id,
     551            1 :                     shard_count: ShardCount(4),
     552            1 :                     shard_number: ShardNumber(2)
     553            1 :                 },
     554            1 :                 TenantShardId {
     555            1 :                     tenant_id,
     556            1 :                     shard_count: ShardCount(4),
     557            1 :                     shard_number: ShardNumber(3)
     558            1 :                 }
     559            1 :             ]
     560            1 :         );
     561              : 
     562              :         // count=1 into 2 (check this works the same as unsharded.)
     563            1 :         let parent = TenantShardId {
     564            1 :             tenant_id,
     565            1 :             shard_count: ShardCount(1),
     566            1 :             shard_number: ShardNumber(0),
     567            1 :         };
     568            1 :         assert_eq!(
     569            1 :             parent.split(ShardCount(2)),
     570            1 :             vec![
     571            1 :                 TenantShardId {
     572            1 :                     tenant_id,
     573            1 :                     shard_count: ShardCount(2),
     574            1 :                     shard_number: ShardNumber(0)
     575            1 :                 },
     576            1 :                 TenantShardId {
     577            1 :                     tenant_id,
     578            1 :                     shard_count: ShardCount(2),
     579            1 :                     shard_number: ShardNumber(1)
     580            1 :                 }
     581            1 :             ]
     582            1 :         );
     583              : 
     584              :         // count=2 into count=8
     585            1 :         let parent = TenantShardId {
     586            1 :             tenant_id,
     587            1 :             shard_count: ShardCount(2),
     588            1 :             shard_number: ShardNumber(1),
     589            1 :         };
     590            1 :         assert_eq!(
     591            1 :             parent.split(ShardCount(8)),
     592            1 :             vec![
     593            1 :                 TenantShardId {
     594            1 :                     tenant_id,
     595            1 :                     shard_count: ShardCount(8),
     596            1 :                     shard_number: ShardNumber(1)
     597            1 :                 },
     598            1 :                 TenantShardId {
     599            1 :                     tenant_id,
     600            1 :                     shard_count: ShardCount(8),
     601            1 :                     shard_number: ShardNumber(3)
     602            1 :                 },
     603            1 :                 TenantShardId {
     604            1 :                     tenant_id,
     605            1 :                     shard_count: ShardCount(8),
     606            1 :                     shard_number: ShardNumber(5)
     607            1 :                 },
     608            1 :                 TenantShardId {
     609            1 :                     tenant_id,
     610            1 :                     shard_count: ShardCount(8),
     611            1 :                     shard_number: ShardNumber(7)
     612            1 :                 },
     613            1 :             ]
     614            1 :         );
     615            1 :     }
     616              : }
        

Generated by: LCOV version 2.1-beta