1use crate::{key::InternalKey, Slice, ValueType};
6
7pub type UserKey = Slice;
9
10pub type UserValue = Slice;
12
13pub type SeqNo = u64;
23
24#[derive(Clone, Eq)]
26pub struct InternalValue {
27 pub key: InternalKey,
29
30 pub value: UserValue,
34}
35
36impl InternalValue {
37 pub fn new<V: Into<UserValue>>(key: InternalKey, value: V) -> Self {
43 let value = value.into();
44
45 assert!(!key.user_key.is_empty(), "key may not be empty");
46 assert!(
47 u32::try_from(value.len()).is_ok(),
48 "values can be 2^32 bytes in length"
49 );
50
51 Self { key, value }
52 }
53
54 pub fn from_components<K: Into<UserKey>, V: Into<UserValue>>(
60 user_key: K,
61 value: V,
62 seqno: SeqNo,
63 value_type: ValueType,
64 ) -> Self {
65 let key = InternalKey::new(user_key, seqno, value_type);
66 Self::new(key, value)
67 }
68
69 pub fn new_tombstone<K: Into<UserKey>>(key: K, seqno: u64) -> Self {
75 let key = InternalKey::new(key, seqno, ValueType::Tombstone);
76 Self::new(key, vec![])
77 }
78
79 pub fn new_weak_tombstone<K: Into<UserKey>>(key: K, seqno: u64) -> Self {
85 let key = InternalKey::new(key, seqno, ValueType::WeakTombstone);
86 Self::new(key, vec![])
87 }
88
89 #[doc(hidden)]
90 #[must_use]
91 pub fn is_tombstone(&self) -> bool {
92 self.key.is_tombstone()
93 }
94}
95
96impl PartialEq for InternalValue {
97 fn eq(&self, other: &Self) -> bool {
98 self.key == other.key
99 }
100}
101
102impl Ord for InternalValue {
103 fn cmp(&self, other: &Self) -> std::cmp::Ordering {
104 self.key.cmp(&other.key)
105 }
106}
107
108impl PartialOrd for InternalValue {
109 fn partial_cmp(&self, other: &Self) -> Option<std::cmp::Ordering> {
110 Some(self.cmp(other))
111 }
112}
113
114impl std::fmt::Debug for InternalValue {
115 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
116 write!(
117 f,
118 "{:?} => {:?}",
119 self.key,
120 if self.value.len() >= 64 {
121 format!("[ ... {} bytes ]", self.value.len())
122 } else {
123 format!("{:?}", self.value)
124 }
125 )
126 }
127}
128
129#[cfg(test)]
130mod tests {
131 use super::*;
132 use test_log::test;
133
134 #[test]
135 fn pik_cmp_user_key() {
136 let a = InternalKey::new(*b"a", 0, ValueType::Value);
137 let b = InternalKey::new(*b"b", 0, ValueType::Value);
138 assert!(a < b);
139 }
140
141 #[test]
142 fn pik_cmp_seqno() {
143 let a = InternalKey::new(*b"a", 0, ValueType::Value);
144 let b = InternalKey::new(*b"a", 1, ValueType::Value);
145 assert!(a > b);
146 }
147}