|             Line data    Source code 
       1              : use std::fmt;
       2              : use std::num::ParseIntError;
       3              : use std::str::FromStr;
       4              : 
       5              : use anyhow::Context;
       6              : use hex::FromHex;
       7              : use rand::Rng;
       8              : use serde::de::Visitor;
       9              : use serde::{Deserialize, Serialize};
      10              : use thiserror::Error;
      11              : 
      12              : #[derive(Error, Debug)]
      13              : pub enum IdError {
      14              :     #[error("invalid id length {0}")]
      15              :     SliceParseError(usize),
      16              : }
      17              : 
      18              : /// Neon ID is a 128-bit random ID.
      19              : /// Used to represent various identifiers. Provides handy utility methods and impls.
      20              : ///
      21              : /// NOTE: It (de)serializes as an array of hex bytes, so the string representation would look
      22              : /// like `[173,80,132,115,129,226,72,254,170,201,135,108,199,26,228,24]`.
      23              : #[derive(Clone, Copy, PartialEq, Eq, Hash, PartialOrd, Ord)]
      24              : struct Id([u8; 16]);
      25              : 
      26              : impl Serialize for Id {
      27         2702 :     fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
      28         2702 :     where
      29         2702 :         S: serde::Serializer,
      30              :     {
      31         2702 :         if serializer.is_human_readable() {
      32          804 :             serializer.collect_str(self)
      33              :         } else {
      34         1898 :             self.0.serialize(serializer)
      35              :         }
      36            9 :     }
      37              : }
      38              : 
      39              : impl<'de> Deserialize<'de> for Id {
      40         1998 :     fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
      41         1998 :     where
      42         1998 :         D: serde::Deserializer<'de>,
      43              :     {
      44              :         struct IdVisitor {
      45              :             is_human_readable_deserializer: bool,
      46              :         }
      47              : 
      48              :         impl<'de> Visitor<'de> for IdVisitor {
      49              :             type Value = Id;
      50              : 
      51            0 :             fn expecting(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
      52            0 :                 if self.is_human_readable_deserializer {
      53            0 :                     formatter.write_str("value in form of hex string")
      54              :                 } else {
      55            0 :                     formatter.write_str("value in form of integer array([u8; 16])")
      56              :                 }
      57            0 :             }
      58              : 
      59         1283 :             fn visit_seq<A>(self, seq: A) -> Result<Self::Value, A::Error>
      60         1283 :             where
      61         1283 :                 A: serde::de::SeqAccess<'de>,
      62              :             {
      63         1283 :                 let s = serde::de::value::SeqAccessDeserializer::new(seq);
      64         1283 :                 let id: [u8; 16] = Deserialize::deserialize(s)?;
      65         1283 :                 Ok(Id::from(id))
      66            4 :             }
      67              : 
      68          715 :             fn visit_str<E>(self, v: &str) -> Result<Self::Value, E>
      69          715 :             where
      70          715 :                 E: serde::de::Error,
      71              :             {
      72          715 :                 Id::from_str(v).map_err(E::custom)
      73            3 :             }
      74              :         }
      75              : 
      76         1998 :         if deserializer.is_human_readable() {
      77          715 :             deserializer.deserialize_str(IdVisitor {
      78          715 :                 is_human_readable_deserializer: true,
      79          715 :             })
      80              :         } else {
      81         1283 :             deserializer.deserialize_tuple(
      82              :                 16,
      83         1283 :                 IdVisitor {
      84         1283 :                     is_human_readable_deserializer: false,
      85         1283 :                 },
      86              :             )
      87              :         }
      88            7 :     }
      89              : }
      90              : 
      91              : impl Id {
      92           14 :     pub fn from_slice(src: &[u8]) -> Result<Id, IdError> {
      93           14 :         if src.len() != 16 {
      94            0 :             return Err(IdError::SliceParseError(src.len()));
      95           14 :         }
      96           14 :         let mut id_array = [0u8; 16];
      97           14 :         id_array.copy_from_slice(src);
      98           14 :         Ok(id_array.into())
      99           14 :     }
     100              : 
     101            9 :     pub fn as_arr(&self) -> [u8; 16] {
     102            9 :         self.0
     103            9 :     }
     104              : 
     105         6697 :     pub fn generate() -> Self {
     106         6697 :         let mut tli_buf = [0u8; 16];
     107         6697 :         rand::rng().fill(&mut tli_buf);
     108         6697 :         Id::from(tli_buf)
     109         6697 :     }
     110              : 
     111        57121 :     fn hex_encode(&self) -> String {
     112              :         static HEX: &[u8] = b"0123456789abcdef";
     113              : 
     114        57121 :         let mut buf = vec![0u8; self.0.len() * 2];
     115       913936 :         for (&b, chunk) in self.0.as_ref().iter().zip(buf.chunks_exact_mut(2)) {
     116       913936 :             chunk[0] = HEX[((b >> 4) & 0xf) as usize];
     117       913936 :             chunk[1] = HEX[(b & 0xf) as usize];
     118       913936 :         }
     119              : 
     120              :         // SAFETY: vec constructed out of `HEX`, it can only be ascii
     121        57121 :         unsafe { String::from_utf8_unchecked(buf) }
     122        57121 :     }
     123              : }
     124              : 
     125              : impl FromStr for Id {
     126              :     type Err = hex::FromHexError;
     127              : 
     128        40436 :     fn from_str(s: &str) -> Result<Id, Self::Err> {
     129        40436 :         Self::from_hex(s)
     130        40436 :     }
     131              : }
     132              : 
     133              : // this is needed for pretty serialization and deserialization of Id's using serde integration with hex crate
     134              : impl FromHex for Id {
     135              :     type Error = hex::FromHexError;
     136              : 
     137        40447 :     fn from_hex<T: AsRef<[u8]>>(hex: T) -> Result<Self, Self::Error> {
     138        40447 :         let mut buf: [u8; 16] = [0u8; 16];
     139        40447 :         hex::decode_to_slice(hex, &mut buf)?;
     140        40425 :         Ok(Id(buf))
     141        40447 :     }
     142              : }
     143              : 
     144              : impl AsRef<[u8]> for Id {
     145            0 :     fn as_ref(&self) -> &[u8] {
     146            0 :         &self.0
     147            0 :     }
     148              : }
     149              : 
     150              : impl From<[u8; 16]> for Id {
     151        75908 :     fn from(b: [u8; 16]) -> Self {
     152        75908 :         Id(b)
     153        75908 :     }
     154              : }
     155              : 
     156              : impl From<Id> for u128 {
     157            0 :     fn from(id: Id) -> Self {
     158            0 :         u128::from_le_bytes(id.0)
     159            0 :     }
     160              : }
     161              : 
     162              : impl fmt::Display for Id {
     163        50858 :     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
     164        50858 :         f.write_str(&self.hex_encode())
     165        50858 :     }
     166              : }
     167              : 
     168              : impl fmt::Debug for Id {
     169         6263 :     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
     170         6263 :         f.write_str(&self.hex_encode())
     171         6263 :     }
     172              : }
     173              : 
     174              : macro_rules! id_newtype {
     175              :     ($t:ident) => {
     176              :         impl $t {
     177           14 :             pub fn from_slice(src: &[u8]) -> Result<$t, IdError> {
     178           14 :                 Ok($t(Id::from_slice(src)?))
     179           14 :             }
     180              : 
     181            9 :             pub fn as_arr(&self) -> [u8; 16] {
     182            9 :                 self.0.as_arr()
     183            9 :             }
     184              : 
     185         6697 :             pub fn generate() -> Self {
     186         6697 :                 $t(Id::generate())
     187         6697 :             }
     188              : 
     189           40 :             pub const fn from_array(b: [u8; 16]) -> Self {
     190           40 :                 $t(Id(b))
     191           40 :             }
     192              :         }
     193              : 
     194              :         impl FromStr for $t {
     195              :             type Err = hex::FromHexError;
     196              : 
     197        39721 :             fn from_str(s: &str) -> Result<$t, Self::Err> {
     198        39721 :                 let value = Id::from_str(s)?;
     199        39711 :                 Ok($t(value))
     200        39721 :             }
     201              :         }
     202              : 
     203              :         impl From<[u8; 16]> for $t {
     204        67913 :             fn from(b: [u8; 16]) -> Self {
     205        67913 :                 $t(Id::from(b))
     206        67913 :             }
     207              :         }
     208              : 
     209              :         impl FromHex for $t {
     210              :             type Error = hex::FromHexError;
     211              : 
     212           11 :             fn from_hex<T: AsRef<[u8]>>(hex: T) -> Result<Self, Self::Error> {
     213           11 :                 Ok($t(Id::from_hex(hex)?))
     214            3 :             }
     215              :         }
     216              : 
     217              :         impl AsRef<[u8]> for $t {
     218           62 :             fn as_ref(&self) -> &[u8] {
     219           62 :                 &self.0.0
     220           62 :             }
     221              :         }
     222              : 
     223              :         impl From<$t> for u128 {
     224            0 :             fn from(id: $t) -> Self {
     225            0 :                 u128::from(id.0)
     226            0 :             }
     227              :         }
     228              : 
     229              :         impl fmt::Display for $t {
     230        50054 :             fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
     231        50054 :                 self.0.fmt(f)
     232        50054 :             }
     233              :         }
     234              : 
     235              :         impl fmt::Debug for $t {
     236         6263 :             fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
     237         6263 :                 self.0.fmt(f)
     238         6263 :             }
     239              :         }
     240              :     };
     241              : }
     242              : 
     243              : /// Neon timeline ID.
     244              : ///
     245              : /// They are different from PostgreSQL timeline
     246              : /// IDs, but serve a similar purpose: they differentiate
     247              : /// between different "histories" of the same cluster.  However,
     248              : /// PostgreSQL timeline IDs are a bit cumbersome, because they are only
     249              : /// 32-bits wide, and they must be in ascending order in any given
     250              : /// timeline history.  Those limitations mean that we cannot generate a
     251              : /// new PostgreSQL timeline ID by just generating a random number. And
     252              : /// that in turn is problematic for the "pull/push" workflow, where you
     253              : /// have a local copy of a Neon repository, and you periodically sync
     254              : /// the local changes with a remote server. When you work "detached"
     255              : /// from the remote server, you cannot create a PostgreSQL timeline ID
     256              : /// that's guaranteed to be different from all existing timelines in
     257              : /// the remote server. For example, if two people are having a clone of
     258              : /// the repository on their laptops, and they both create a new branch
     259              : /// with different name. What timeline ID would they assign to their
     260              : /// branches? If they pick the same one, and later try to push the
     261              : /// branches to the same remote server, they will get mixed up.
     262              : ///
     263              : /// To avoid those issues, Neon has its own concept of timelines that
     264              : /// is separate from PostgreSQL timelines, and doesn't have those
     265              : /// limitations. A Neon timeline is identified by a 128-bit ID, which
     266              : /// is usually printed out as a hex string.
     267              : ///
     268              : /// NOTE: It (de)serializes as an array of hex bytes, so the string representation would look
     269              : /// like `[173,80,132,115,129,226,72,254,170,201,135,108,199,26,228,24]`.
     270              : /// See [`Id`] for alternative ways to serialize it.
     271            0 : #[derive(Clone, Copy, PartialEq, Eq, Hash, Ord, PartialOrd, Serialize, Deserialize)]
     272              : pub struct TimelineId(Id);
     273              : 
     274              : id_newtype!(TimelineId);
     275              : 
     276              : impl TryFrom<Option<&str>> for TimelineId {
     277              :     type Error = anyhow::Error;
     278              : 
     279            4 :     fn try_from(value: Option<&str>) -> Result<Self, Self::Error> {
     280            4 :         value
     281            4 :             .unwrap_or_default()
     282            4 :             .parse::<TimelineId>()
     283            4 :             .with_context(|| format!("Could not parse timeline id from {value:?}"))
     284            4 :     }
     285              : }
     286              : 
     287              : /// Neon Tenant Id represents identifiar of a particular tenant.
     288              : /// Is used for distinguishing requests and data belonging to different users.
     289              : ///
     290              : /// NOTE: It (de)serializes as an array of hex bytes, so the string representation would look
     291              : /// like `[173,80,132,115,129,226,72,254,170,201,135,108,199,26,228,24]`.
     292              : /// See [`Id`] for alternative ways to serialize it.
     293           12 : #[derive(Clone, Copy, PartialEq, Eq, Hash, Serialize, Deserialize, PartialOrd, Ord)]
     294              : pub struct TenantId(Id);
     295              : 
     296              : id_newtype!(TenantId);
     297              : 
     298              : /// If needed, reuse small string from proxy/src/types.rc
     299              : pub type EndpointId = String;
     300              : 
     301              : // A pair uniquely identifying Neon instance.
     302            0 : #[derive(Debug, Clone, Copy, PartialOrd, Ord, PartialEq, Eq, Hash, Serialize, Deserialize)]
     303              : pub struct TenantTimelineId {
     304              :     pub tenant_id: TenantId,
     305              :     pub timeline_id: TimelineId,
     306              : }
     307              : 
     308              : impl TenantTimelineId {
     309        45400 :     pub fn new(tenant_id: TenantId, timeline_id: TimelineId) -> Self {
     310        45400 :         TenantTimelineId {
     311        45400 :             tenant_id,
     312        45400 :             timeline_id,
     313        45400 :         }
     314        45400 :     }
     315              : 
     316          513 :     pub fn generate() -> Self {
     317          513 :         Self::new(TenantId::generate(), TimelineId::generate())
     318          513 :     }
     319              : 
     320        25114 :     pub fn empty() -> Self {
     321        25114 :         Self::new(TenantId::from([0u8; 16]), TimelineId::from([0u8; 16]))
     322        25114 :     }
     323              : }
     324              : 
     325              : impl fmt::Display for TenantTimelineId {
     326           42 :     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
     327           42 :         write!(f, "{}/{}", self.tenant_id, self.timeline_id)
     328           42 :     }
     329              : }
     330              : 
     331              : impl FromStr for TenantTimelineId {
     332              :     type Err = anyhow::Error;
     333              : 
     334            0 :     fn from_str(s: &str) -> Result<Self, Self::Err> {
     335            0 :         let mut parts = s.split('/');
     336            0 :         let tenant_id = parts
     337            0 :             .next()
     338            0 :             .ok_or_else(|| anyhow::anyhow!("TenantTimelineId must contain tenant_id"))?
     339            0 :             .parse()?;
     340            0 :         let timeline_id = parts
     341            0 :             .next()
     342            0 :             .ok_or_else(|| anyhow::anyhow!("TenantTimelineId must contain timeline_id"))?
     343            0 :             .parse()?;
     344            0 :         if parts.next().is_some() {
     345            0 :             anyhow::bail!("TenantTimelineId must contain only tenant_id and timeline_id");
     346            0 :         }
     347            0 :         Ok(TenantTimelineId::new(tenant_id, timeline_id))
     348            0 :     }
     349              : }
     350              : 
     351              : // Unique ID of a storage node (safekeeper or pageserver). Supposed to be issued
     352              : // by the console.
     353              : #[derive(Clone, Copy, Eq, Ord, PartialEq, PartialOrd, Hash, Debug, Serialize, Deserialize)]
     354              : #[serde(transparent)]
     355              : pub struct NodeId(pub u64);
     356              : 
     357              : impl fmt::Display for NodeId {
     358          221 :     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
     359          221 :         write!(f, "{}", self.0)
     360          221 :     }
     361              : }
     362              : 
     363              : impl FromStr for NodeId {
     364              :     type Err = ParseIntError;
     365            0 :     fn from_str(s: &str) -> Result<Self, Self::Err> {
     366            0 :         Ok(NodeId(u64::from_str(s)?))
     367            0 :     }
     368              : }
     369              : 
     370              : #[cfg(test)]
     371              : mod tests {
     372              :     use serde_assert::{Deserializer, Serializer, Token, Tokens};
     373              : 
     374              :     use super::*;
     375              :     use crate::bin_ser::BeSer;
     376              : 
     377              :     #[test]
     378            1 :     fn test_id_serde_non_human_readable() {
     379            1 :         let original_id = Id([
     380            1 :             173, 80, 132, 115, 129, 226, 72, 254, 170, 201, 135, 108, 199, 26, 228, 24,
     381            1 :         ]);
     382            1 :         let expected_tokens = Tokens(vec![
     383            1 :             Token::Tuple { len: 16 },
     384            1 :             Token::U8(173),
     385            1 :             Token::U8(80),
     386            1 :             Token::U8(132),
     387            1 :             Token::U8(115),
     388            1 :             Token::U8(129),
     389            1 :             Token::U8(226),
     390            1 :             Token::U8(72),
     391            1 :             Token::U8(254),
     392            1 :             Token::U8(170),
     393            1 :             Token::U8(201),
     394            1 :             Token::U8(135),
     395            1 :             Token::U8(108),
     396            1 :             Token::U8(199),
     397            1 :             Token::U8(26),
     398            1 :             Token::U8(228),
     399            1 :             Token::U8(24),
     400            1 :             Token::TupleEnd,
     401            1 :         ]);
     402              : 
     403            1 :         let serializer = Serializer::builder().is_human_readable(false).build();
     404            1 :         let serialized_tokens = original_id.serialize(&serializer).unwrap();
     405            1 :         assert_eq!(serialized_tokens, expected_tokens);
     406              : 
     407            1 :         let mut deserializer = Deserializer::builder()
     408            1 :             .is_human_readable(false)
     409            1 :             .tokens(serialized_tokens)
     410            1 :             .build();
     411            1 :         let deserialized_id = Id::deserialize(&mut deserializer).unwrap();
     412            1 :         assert_eq!(deserialized_id, original_id);
     413            1 :     }
     414              : 
     415              :     #[test]
     416            1 :     fn test_id_serde_human_readable() {
     417            1 :         let original_id = Id([
     418            1 :             173, 80, 132, 115, 129, 226, 72, 254, 170, 201, 135, 108, 199, 26, 228, 24,
     419            1 :         ]);
     420            1 :         let expected_tokens = Tokens(vec![Token::Str(String::from(
     421            1 :             "ad50847381e248feaac9876cc71ae418",
     422            1 :         ))]);
     423              : 
     424            1 :         let serializer = Serializer::builder().is_human_readable(true).build();
     425            1 :         let serialized_tokens = original_id.serialize(&serializer).unwrap();
     426            1 :         assert_eq!(serialized_tokens, expected_tokens);
     427              : 
     428            1 :         let mut deserializer = Deserializer::builder()
     429            1 :             .is_human_readable(true)
     430            1 :             .tokens(Tokens(vec![Token::Str(String::from(
     431            1 :                 "ad50847381e248feaac9876cc71ae418",
     432            1 :             ))]))
     433            1 :             .build();
     434            1 :         assert_eq!(Id::deserialize(&mut deserializer).unwrap(), original_id);
     435            1 :     }
     436              : 
     437              :     macro_rules! roundtrip_type {
     438              :         ($type:ty, $expected_bytes:expr) => {{
     439              :             let expected_bytes: [u8; 16] = $expected_bytes;
     440              :             let original_id = <$type>::from(expected_bytes);
     441              : 
     442              :             let ser_bytes = original_id.ser().unwrap();
     443              :             assert_eq!(ser_bytes, expected_bytes);
     444              : 
     445              :             let des_id = <$type>::des(&ser_bytes).unwrap();
     446              :             assert_eq!(des_id, original_id);
     447              :         }};
     448              :     }
     449              : 
     450              :     #[test]
     451            1 :     fn test_id_bincode_serde() {
     452            1 :         let expected_bytes = [
     453            1 :             173, 80, 132, 115, 129, 226, 72, 254, 170, 201, 135, 108, 199, 26, 228, 24,
     454            1 :         ];
     455              : 
     456            1 :         roundtrip_type!(Id, expected_bytes);
     457            1 :     }
     458              : 
     459              :     #[test]
     460            1 :     fn test_tenant_id_bincode_serde() {
     461            1 :         let expected_bytes = [
     462            1 :             173, 80, 132, 115, 129, 226, 72, 254, 170, 201, 135, 108, 199, 26, 228, 24,
     463            1 :         ];
     464              : 
     465            1 :         roundtrip_type!(TenantId, expected_bytes);
     466            1 :     }
     467              : 
     468              :     #[test]
     469            1 :     fn test_timeline_id_bincode_serde() {
     470            1 :         let expected_bytes = [
     471            1 :             173, 80, 132, 115, 129, 226, 72, 254, 170, 201, 135, 108, 199, 26, 228, 24,
     472            1 :         ];
     473              : 
     474            1 :         roundtrip_type!(TimelineId, expected_bytes);
     475            1 :     }
     476              : }
         |