fxfs/object_store/
object_record.rs

1// Copyright 2021 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5// TODO(https://fxbug.dev/42178223): need validation after deserialization.
6use crate::checksum::Checksums;
7use crate::lsm_tree::types::{
8    FuzzyHash, Item, ItemRef, LayerKey, MergeType, OrdLowerBound, OrdUpperBound, RangeKey,
9    SortByU64, Value,
10};
11use crate::object_store::extent_record::{
12    ExtentKey, ExtentKeyPartitionIterator, ExtentKeyV32, ExtentValue, ExtentValueV32,
13    ExtentValueV37, ExtentValueV38,
14};
15use crate::serialized_types::{migrate_nodefault, migrate_to_version, Migrate, Versioned};
16use fprint::TypeFingerprint;
17use fxfs_crypto::{WrappedKeysV32, WrappedKeysV40};
18use fxfs_unicode::CasefoldString;
19use rustc_hash::FxHasher;
20use serde::{Deserialize, Serialize};
21use std::default::Default;
22use std::hash::{Hash, Hasher as _};
23use std::time::{Duration, SystemTime, UNIX_EPOCH};
24
25/// ObjectDescriptor is the set of possible records in the object store.
26pub type ObjectDescriptor = ObjectDescriptorV32;
27
28#[derive(Clone, Debug, Serialize, Deserialize, PartialEq, TypeFingerprint)]
29#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
30pub enum ObjectDescriptorV32 {
31    /// A file (in the generic sense; i.e. an object with some attributes).
32    File,
33    /// A directory (in the generic sense; i.e. an object with children).
34    Directory,
35    /// A volume, which is the root of a distinct object store containing Files and Directories.
36    Volume,
37    /// A symbolic link.
38    Symlink,
39}
40
41/// For specifying what property of the project is being addressed.
42pub type ProjectProperty = ProjectPropertyV32;
43
44#[derive(
45    Clone, Debug, Eq, Hash, Ord, PartialEq, PartialOrd, Serialize, Deserialize, TypeFingerprint,
46)]
47#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
48pub enum ProjectPropertyV32 {
49    /// The configured limit for the project.
50    Limit,
51    /// The currently tracked usage for the project.
52    Usage,
53}
54
55pub type ObjectKeyData = ObjectKeyDataV43;
56
57#[derive(
58    Clone, Debug, Eq, Hash, PartialEq, PartialOrd, Ord, Serialize, Deserialize, TypeFingerprint,
59)]
60#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
61pub enum ObjectKeyDataV43 {
62    /// A generic, untyped object.  This must come first and sort before all other keys for a given
63    /// object because it's also used as a tombstone and it needs to merge with all following keys.
64    Object,
65    /// Encryption keys for an object.
66    Keys,
67    /// An attribute associated with an object.  It has a 64-bit ID.
68    Attribute(u64, AttributeKeyV32),
69    /// A child of a directory.
70    Child { name: String },
71    /// A graveyard entry for an entire object.
72    GraveyardEntry { object_id: u64 },
73    /// Project ID info. This should only be attached to the volume's root node. Used to address the
74    /// configured limit and the usage tracking which are ordered after the `project_id` to provide
75    /// locality of the two related values.
76    Project { project_id: u64, property: ProjectPropertyV32 },
77    /// An extended attribute associated with an object. It stores the name used for the extended
78    /// attribute, which has a maximum size of 255 bytes enforced by fuchsia.io.
79    ExtendedAttribute { name: Vec<u8> },
80    /// A graveyard entry for an attribute.
81    GraveyardAttributeEntry { object_id: u64, attribute_id: u64 },
82    /// A child of an encrypted directory.
83    /// We store the filename in its encrypted form.
84    /// casefold_hash is the hash of the casefolded human-readable name if a directory is
85    /// also casefolded, otherwise 0.
86    /// Legacy records may have a casefold_hash of 0 indicating "unknown".
87    EncryptedChild { casefold_hash: u32, name: Vec<u8> },
88    /// A child of a directory that uses the casefold feature.
89    /// (i.e. case insensitive, case preserving names)
90    CasefoldChild { name: CasefoldString },
91}
92
93impl From<ObjectKeyDataV40> for ObjectKeyDataV43 {
94    fn from(item: ObjectKeyDataV40) -> Self {
95        match item {
96            ObjectKeyDataV40::Object => Self::Object,
97            ObjectKeyDataV40::Keys => Self::Keys,
98            ObjectKeyDataV40::Attribute(a, b) => Self::Attribute(a, b),
99            ObjectKeyDataV40::Child { name } => Self::Child { name },
100            ObjectKeyDataV40::GraveyardEntry { object_id } => Self::GraveyardEntry { object_id },
101            ObjectKeyDataV40::Project { project_id, property } => {
102                Self::Project { project_id, property }
103            }
104            ObjectKeyDataV40::ExtendedAttribute { name } => Self::ExtendedAttribute { name },
105            ObjectKeyDataV40::GraveyardAttributeEntry { object_id, attribute_id } => {
106                Self::GraveyardAttributeEntry { object_id, attribute_id }
107            }
108            ObjectKeyDataV40::EncryptedChild { name } => {
109                Self::EncryptedChild { casefold_hash: 0, name }
110            }
111            ObjectKeyDataV40::CasefoldChild { name } => Self::CasefoldChild { name },
112        }
113    }
114}
115
116#[derive(Serialize, Deserialize, TypeFingerprint)]
117#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
118pub enum ObjectKeyDataV40 {
119    Object,
120    Keys,
121    Attribute(u64, AttributeKeyV32),
122    Child { name: String },
123    GraveyardEntry { object_id: u64 },
124    Project { project_id: u64, property: ProjectPropertyV32 },
125    ExtendedAttribute { name: Vec<u8> },
126    GraveyardAttributeEntry { object_id: u64, attribute_id: u64 },
127    EncryptedChild { name: Vec<u8> },
128    CasefoldChild { name: CasefoldString },
129}
130
131#[derive(Migrate, Serialize, Deserialize, TypeFingerprint)]
132#[migrate_to_version(ObjectKeyDataV40)]
133pub enum ObjectKeyDataV32 {
134    Object,
135    Keys,
136    Attribute(u64, AttributeKeyV32),
137    Child { name: String },
138    GraveyardEntry { object_id: u64 },
139    Project { project_id: u64, property: ProjectPropertyV32 },
140    ExtendedAttribute { name: Vec<u8> },
141    GraveyardAttributeEntry { object_id: u64, attribute_id: u64 },
142}
143
144pub type AttributeKey = AttributeKeyV32;
145
146#[derive(
147    Clone, Debug, Eq, Hash, Ord, PartialEq, PartialOrd, Serialize, Deserialize, TypeFingerprint,
148)]
149#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
150pub enum AttributeKeyV32 {
151    // Order here is important: code expects Attribute to precede Extent.
152    Attribute,
153    Extent(ExtentKeyV32),
154}
155
156/// ObjectKey is a key in the object store.
157pub type ObjectKey = ObjectKeyV43;
158
159#[derive(
160    Clone,
161    Debug,
162    Eq,
163    Ord,
164    Hash,
165    PartialEq,
166    PartialOrd,
167    Serialize,
168    Deserialize,
169    TypeFingerprint,
170    Versioned,
171)]
172#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
173pub struct ObjectKeyV43 {
174    /// The ID of the object referred to.
175    pub object_id: u64,
176    /// The type and data of the key.
177    pub data: ObjectKeyDataV43,
178}
179
180#[derive(Migrate, Serialize, Deserialize, TypeFingerprint, Versioned)]
181#[migrate_to_version(ObjectKeyV43)]
182#[migrate_nodefault]
183pub struct ObjectKeyV40 {
184    pub object_id: u64,
185    pub data: ObjectKeyDataV40,
186}
187#[derive(Migrate, Serialize, Deserialize, TypeFingerprint, Versioned)]
188#[migrate_to_version(ObjectKeyV40)]
189#[migrate_nodefault]
190pub struct ObjectKeyV32 {
191    pub object_id: u64,
192    pub data: ObjectKeyDataV32,
193}
194
195impl SortByU64 for ObjectKey {
196    fn get_leading_u64(&self) -> u64 {
197        self.object_id
198    }
199}
200
201impl ObjectKey {
202    /// Creates a generic ObjectKey.
203    pub fn object(object_id: u64) -> Self {
204        Self { object_id: object_id, data: ObjectKeyData::Object }
205    }
206
207    /// Creates an ObjectKey for encryption keys.
208    pub fn keys(object_id: u64) -> Self {
209        Self { object_id, data: ObjectKeyData::Keys }
210    }
211
212    /// Creates an ObjectKey for an attribute.
213    pub fn attribute(object_id: u64, attribute_id: u64, key: AttributeKey) -> Self {
214        Self { object_id, data: ObjectKeyData::Attribute(attribute_id, key) }
215    }
216
217    /// Creates an ObjectKey for an extent.
218    pub fn extent(object_id: u64, attribute_id: u64, range: std::ops::Range<u64>) -> Self {
219        Self {
220            object_id,
221            data: ObjectKeyData::Attribute(
222                attribute_id,
223                AttributeKey::Extent(ExtentKey::new(range)),
224            ),
225        }
226    }
227
228    /// Creates an ObjectKey from an extent.
229    pub fn from_extent(object_id: u64, attribute_id: u64, extent: ExtentKey) -> Self {
230        Self {
231            object_id,
232            data: ObjectKeyData::Attribute(attribute_id, AttributeKey::Extent(extent)),
233        }
234    }
235
236    /// Creates an ObjectKey for a child.
237    pub fn child(object_id: u64, name: &str, casefold: bool) -> Self {
238        if casefold {
239            Self { object_id, data: ObjectKeyData::CasefoldChild { name: name.into() } }
240        } else {
241            Self { object_id, data: ObjectKeyData::Child { name: name.into() } }
242        }
243    }
244
245    /// Creates an ObjectKey for an encrypted child.
246    pub fn encrypted_child(object_id: u64, name: Vec<u8>, casefold_hash: u32) -> Self {
247        Self { object_id, data: ObjectKeyData::EncryptedChild { casefold_hash, name } }
248    }
249
250    /// Creates a graveyard entry for an object.
251    pub fn graveyard_entry(graveyard_object_id: u64, object_id: u64) -> Self {
252        Self { object_id: graveyard_object_id, data: ObjectKeyData::GraveyardEntry { object_id } }
253    }
254
255    /// Creates a graveyard entry for an attribute.
256    pub fn graveyard_attribute_entry(
257        graveyard_object_id: u64,
258        object_id: u64,
259        attribute_id: u64,
260    ) -> Self {
261        Self {
262            object_id: graveyard_object_id,
263            data: ObjectKeyData::GraveyardAttributeEntry { object_id, attribute_id },
264        }
265    }
266
267    /// Creates an ObjectKey for a ProjectLimit entry.
268    pub fn project_limit(object_id: u64, project_id: u64) -> Self {
269        Self {
270            object_id,
271            data: ObjectKeyData::Project { project_id, property: ProjectProperty::Limit },
272        }
273    }
274
275    /// Creates an ObjectKey for a ProjectUsage entry.
276    pub fn project_usage(object_id: u64, project_id: u64) -> Self {
277        Self {
278            object_id,
279            data: ObjectKeyData::Project { project_id, property: ProjectProperty::Usage },
280        }
281    }
282
283    pub fn extended_attribute(object_id: u64, name: Vec<u8>) -> Self {
284        Self { object_id, data: ObjectKeyData::ExtendedAttribute { name } }
285    }
286
287    /// Returns the merge key for this key; that is, a key which is <= this key and any
288    /// other possibly overlapping key, under Ord. This would be used for the hint in |merge_into|.
289    pub fn key_for_merge_into(&self) -> Self {
290        if let Self {
291            object_id,
292            data: ObjectKeyData::Attribute(attribute_id, AttributeKey::Extent(e)),
293        } = self
294        {
295            Self::attribute(*object_id, *attribute_id, AttributeKey::Extent(e.key_for_merge_into()))
296        } else {
297            self.clone()
298        }
299    }
300}
301
302impl OrdUpperBound for ObjectKey {
303    fn cmp_upper_bound(&self, other: &ObjectKey) -> std::cmp::Ordering {
304        self.object_id.cmp(&other.object_id).then_with(|| match (&self.data, &other.data) {
305            (
306                ObjectKeyData::Attribute(left_attr_id, AttributeKey::Extent(ref left_extent)),
307                ObjectKeyData::Attribute(right_attr_id, AttributeKey::Extent(ref right_extent)),
308            ) => left_attr_id.cmp(right_attr_id).then(left_extent.cmp_upper_bound(right_extent)),
309            _ => self.data.cmp(&other.data),
310        })
311    }
312}
313
314impl OrdLowerBound for ObjectKey {
315    fn cmp_lower_bound(&self, other: &ObjectKey) -> std::cmp::Ordering {
316        self.object_id.cmp(&other.object_id).then_with(|| match (&self.data, &other.data) {
317            (
318                ObjectKeyData::Attribute(left_attr_id, AttributeKey::Extent(ref left_extent)),
319                ObjectKeyData::Attribute(right_attr_id, AttributeKey::Extent(ref right_extent)),
320            ) => left_attr_id.cmp(right_attr_id).then(left_extent.cmp_lower_bound(right_extent)),
321            _ => self.data.cmp(&other.data),
322        })
323    }
324}
325
326impl LayerKey for ObjectKey {
327    fn merge_type(&self) -> MergeType {
328        // This listing is intentionally exhaustive to force folks to think about how certain
329        // subsets of the keyspace are merged.
330        match self.data {
331            ObjectKeyData::Object
332            | ObjectKeyData::Keys
333            | ObjectKeyData::Attribute(..)
334            | ObjectKeyData::Child { .. }
335            | ObjectKeyData::EncryptedChild { .. }
336            | ObjectKeyData::CasefoldChild { .. }
337            | ObjectKeyData::GraveyardEntry { .. }
338            | ObjectKeyData::GraveyardAttributeEntry { .. }
339            | ObjectKeyData::Project { property: ProjectProperty::Limit, .. }
340            | ObjectKeyData::ExtendedAttribute { .. } => MergeType::OptimizedMerge,
341            ObjectKeyData::Project { property: ProjectProperty::Usage, .. } => MergeType::FullMerge,
342        }
343    }
344
345    fn next_key(&self) -> Option<Self> {
346        match self.data {
347            ObjectKeyData::Attribute(_, AttributeKey::Extent(_)) => {
348                let mut key = self.clone();
349                if let ObjectKey {
350                    data: ObjectKeyData::Attribute(_, AttributeKey::Extent(ExtentKey { range })),
351                    ..
352                } = &mut key
353                {
354                    // We want a key such that cmp_lower_bound returns Greater for any key which
355                    // starts after end, and a key such that if you search for it, you'll get an
356                    // extent whose end > range.end.
357                    *range = range.end..range.end + 1;
358                }
359                Some(key)
360            }
361            _ => None,
362        }
363    }
364
365    fn search_key(&self) -> Self {
366        if let Self {
367            object_id,
368            data: ObjectKeyData::Attribute(attribute_id, AttributeKey::Extent(e)),
369        } = self
370        {
371            Self::attribute(*object_id, *attribute_id, AttributeKey::Extent(e.search_key()))
372        } else {
373            self.clone()
374        }
375    }
376}
377
378impl RangeKey for ObjectKey {
379    fn overlaps(&self, other: &Self) -> bool {
380        if self.object_id != other.object_id {
381            return false;
382        }
383        match (&self.data, &other.data) {
384            (
385                ObjectKeyData::Attribute(left_attr_id, AttributeKey::Extent(left_key)),
386                ObjectKeyData::Attribute(right_attr_id, AttributeKey::Extent(right_key)),
387            ) if *left_attr_id == *right_attr_id => {
388                left_key.range.end > right_key.range.start
389                    && left_key.range.start < right_key.range.end
390            }
391            (a, b) => a == b,
392        }
393    }
394}
395
396pub enum ObjectKeyFuzzyHashIterator {
397    ExtentKey(/* object_id */ u64, /* attribute_id */ u64, ExtentKeyPartitionIterator),
398    NotExtentKey(/* hash */ Option<u64>),
399}
400
401impl Iterator for ObjectKeyFuzzyHashIterator {
402    type Item = u64;
403
404    fn next(&mut self) -> Option<Self::Item> {
405        match self {
406            Self::ExtentKey(oid, attr_id, extent_keys) => extent_keys.next().map(|range| {
407                let mut hasher = FxHasher::default();
408                ObjectKey::extent(*oid, *attr_id, range).hash(&mut hasher);
409                hasher.finish()
410            }),
411            Self::NotExtentKey(hash) => hash.take(),
412        }
413    }
414}
415
416impl FuzzyHash for ObjectKey {
417    type Iter = ObjectKeyFuzzyHashIterator;
418
419    fn fuzzy_hash(&self) -> Self::Iter {
420        match &self.data {
421            ObjectKeyData::Attribute(attr_id, AttributeKey::Extent(extent)) => {
422                ObjectKeyFuzzyHashIterator::ExtentKey(
423                    self.object_id,
424                    *attr_id,
425                    extent.fuzzy_hash_partition(),
426                )
427            }
428            _ => {
429                let mut hasher = FxHasher::default();
430                self.hash(&mut hasher);
431                ObjectKeyFuzzyHashIterator::NotExtentKey(Some(hasher.finish()))
432            }
433        }
434    }
435}
436
437/// UNIX epoch based timestamp in the UTC timezone.
438pub type Timestamp = TimestampV32;
439
440#[derive(
441    Copy,
442    Clone,
443    Debug,
444    Default,
445    Eq,
446    PartialEq,
447    Ord,
448    PartialOrd,
449    Serialize,
450    Deserialize,
451    TypeFingerprint,
452)]
453#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
454pub struct TimestampV32 {
455    pub secs: u64,
456    pub nanos: u32,
457}
458
459impl Timestamp {
460    const NSEC_PER_SEC: u64 = 1_000_000_000;
461
462    pub fn now() -> Self {
463        SystemTime::now().duration_since(UNIX_EPOCH).unwrap_or(Duration::ZERO).into()
464    }
465
466    pub const fn zero() -> Self {
467        Self { secs: 0, nanos: 0 }
468    }
469
470    pub const fn from_nanos(nanos: u64) -> Self {
471        let subsec_nanos = (nanos % Self::NSEC_PER_SEC) as u32;
472        Self { secs: nanos / Self::NSEC_PER_SEC, nanos: subsec_nanos }
473    }
474
475    pub fn as_nanos(&self) -> u64 {
476        Self::NSEC_PER_SEC
477            .checked_mul(self.secs)
478            .and_then(|val| val.checked_add(self.nanos as u64))
479            .unwrap_or(0u64)
480    }
481}
482
483impl From<std::time::Duration> for Timestamp {
484    fn from(duration: std::time::Duration) -> Timestamp {
485        Timestamp { secs: duration.as_secs(), nanos: duration.subsec_nanos() }
486    }
487}
488
489impl From<Timestamp> for std::time::Duration {
490    fn from(timestamp: Timestamp) -> std::time::Duration {
491        Duration::new(timestamp.secs, timestamp.nanos)
492    }
493}
494
495pub type ObjectKind = ObjectKindV46;
496
497#[derive(Clone, Debug, Serialize, Deserialize, PartialEq, TypeFingerprint)]
498#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
499pub enum ObjectKindV46 {
500    File {
501        /// The number of references to this file.
502        refs: u64,
503    },
504    Directory {
505        /// The number of sub-directories in this directory.
506        sub_dirs: u64,
507        /// If set, contains the wrapping key id used to encrypt the file contents and filenames in
508        /// this directory.
509        wrapping_key_id: Option<u128>,
510        /// If true, all files and sub-directories created in this directory will support case
511        /// insensitive (but case-preserving) file naming.
512        casefold: bool,
513    },
514    Graveyard,
515    Symlink {
516        /// The number of references to this symbolic link.
517        refs: u64,
518        /// `link` is the target of the link and has no meaning within Fxfs; clients are free to
519        /// interpret it however they like.
520        link: Vec<u8>,
521    },
522    EncryptedSymlink {
523        /// The number of references to this symbolic link.
524        refs: u64,
525        /// `link` is the target of the link and has no meaning within Fxfs; clients are free to
526        /// interpret it however they like.
527        /// `link` is stored here in encrypted form, encrypted with the symlink's key using the
528        /// same encryption scheme as the one used to encrypt filenames.
529        link: Vec<u8>,
530    },
531}
532
533#[derive(Migrate, Debug, Serialize, Deserialize, PartialEq, TypeFingerprint)]
534#[migrate_to_version(ObjectKindV46)]
535pub enum ObjectKindV41 {
536    File { refs: u64 },
537    Directory { sub_dirs: u64, wrapping_key_id: Option<u128>, casefold: bool },
538    Graveyard,
539    Symlink { refs: u64, link: Vec<u8> },
540}
541
542#[derive(Debug, Serialize, Deserialize, PartialEq, TypeFingerprint)]
543pub enum ObjectKindV40 {
544    File { refs: u64, has_overwrite_extents: bool },
545    Directory { sub_dirs: u64, wrapping_key_id: Option<u128>, casefold: bool },
546    Graveyard,
547    Symlink { refs: u64, link: Vec<u8> },
548}
549
550impl From<ObjectKindV40> for ObjectKindV41 {
551    fn from(value: ObjectKindV40) -> Self {
552        match value {
553            // Ignore has_overwrite_extents - it wasn't used here and we are moving it.
554            ObjectKindV40::File { refs, .. } => ObjectKindV41::File { refs },
555            ObjectKindV40::Directory { sub_dirs, wrapping_key_id, casefold } => {
556                ObjectKindV41::Directory { sub_dirs, wrapping_key_id, casefold }
557            }
558            ObjectKindV40::Graveyard => ObjectKindV41::Graveyard,
559            ObjectKindV40::Symlink { refs, link } => ObjectKindV41::Symlink { refs, link },
560        }
561    }
562}
563
564#[derive(Debug, Serialize, Deserialize, PartialEq, TypeFingerprint)]
565pub enum ObjectKindV38 {
566    File { refs: u64, has_overwrite_extents: bool },
567    Directory { sub_dirs: u64 },
568    Graveyard,
569    Symlink { refs: u64, link: Vec<u8> },
570}
571
572impl From<ObjectKindV38> for ObjectKindV40 {
573    fn from(value: ObjectKindV38) -> Self {
574        match value {
575            ObjectKindV38::File { refs, has_overwrite_extents } => {
576                ObjectKindV40::File { refs, has_overwrite_extents }
577            }
578            ObjectKindV38::Directory { sub_dirs } => {
579                ObjectKindV40::Directory { sub_dirs, wrapping_key_id: None, casefold: false }
580            }
581            ObjectKindV38::Graveyard => ObjectKindV40::Graveyard,
582            ObjectKindV38::Symlink { refs, link } => ObjectKindV40::Symlink { refs, link },
583        }
584    }
585}
586
587#[derive(Debug, Deserialize, Serialize, TypeFingerprint)]
588pub enum ObjectKindV32 {
589    File { refs: u64 },
590    Directory { sub_dirs: u64 },
591    Graveyard,
592    Symlink { refs: u64, link: Vec<u8> },
593}
594
595impl From<ObjectKindV32> for ObjectKindV38 {
596    fn from(value: ObjectKindV32) -> Self {
597        match value {
598            // Overwrite extents are introduced in the same version as this flag, so nothing before
599            // it has these extents.
600            ObjectKindV32::File { refs } => {
601                ObjectKindV38::File { refs, has_overwrite_extents: false }
602            }
603            ObjectKindV32::Directory { sub_dirs } => ObjectKindV38::Directory { sub_dirs },
604            ObjectKindV32::Graveyard => ObjectKindV38::Graveyard,
605            ObjectKindV32::Symlink { refs, link } => ObjectKindV38::Symlink { refs, link },
606        }
607    }
608}
609
610pub type EncryptionKeys = EncryptionKeysV40;
611
612#[derive(Clone, Debug, Serialize, Deserialize, PartialEq, TypeFingerprint)]
613pub enum EncryptionKeysV40 {
614    AES256XTS(WrappedKeysV40),
615}
616
617#[derive(Migrate, Serialize, Deserialize, TypeFingerprint)]
618pub enum EncryptionKeysV32 {
619    AES256XTS(WrappedKeysV32),
620}
621
622#[cfg(fuzz)]
623impl<'a> arbitrary::Arbitrary<'a> for EncryptionKeys {
624    fn arbitrary(u: &mut arbitrary::Unstructured<'a>) -> arbitrary::Result<Self> {
625        <u8>::arbitrary(u).and_then(|count| {
626            let mut keys = vec![];
627            for _ in 0..count {
628                keys.push(<(u64, u128)>::arbitrary(u).map(|(id, wrapping_key_id)| {
629                    (
630                        id,
631                        fxfs_crypto::WrappedKey {
632                            wrapping_key_id,
633                            // There doesn't seem to be much point to randomly generate crypto keys.
634                            key: fxfs_crypto::WrappedKeyBytes::default(),
635                        },
636                    )
637                })?);
638            }
639            Ok(EncryptionKeys::AES256XTS(fxfs_crypto::WrappedKeys::from(keys)))
640        })
641    }
642}
643/// This consists of POSIX attributes that are not used in Fxfs but it may be meaningful to some
644/// clients to have the ability to to set and retrieve these values.
645pub type PosixAttributes = PosixAttributesV32;
646
647#[derive(Clone, Debug, Copy, Default, Serialize, Deserialize, PartialEq, TypeFingerprint)]
648#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
649pub struct PosixAttributesV32 {
650    /// The mode bits associated with this object
651    pub mode: u32,
652    /// User ID of owner
653    pub uid: u32,
654    /// Group ID of owner
655    pub gid: u32,
656    /// Device ID
657    pub rdev: u64,
658}
659
660/// Object-level attributes.  Note that these are not the same as "attributes" in the
661/// ObjectValue::Attribute sense, which refers to an arbitrary data payload associated with an
662/// object.  This naming collision is unfortunate.
663pub type ObjectAttributes = ObjectAttributesV32;
664
665#[derive(Clone, Debug, Default, Serialize, Deserialize, PartialEq, TypeFingerprint)]
666#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
667pub struct ObjectAttributesV32 {
668    /// The timestamp at which the object was created (i.e. crtime).
669    pub creation_time: TimestampV32,
670    /// The timestamp at which the object's data was last modified (i.e. mtime).
671    pub modification_time: TimestampV32,
672    /// The project id to associate this object's resource usage with. Zero means none.
673    pub project_id: u64,
674    /// Mode, uid, gid, and rdev
675    pub posix_attributes: Option<PosixAttributesV32>,
676    /// The number of bytes allocated to all extents across all attributes for this object.
677    pub allocated_size: u64,
678    /// The timestamp at which the object was last read (i.e. atime).
679    pub access_time: TimestampV32,
680    /// The timestamp at which the object's status was last modified (i.e. ctime).
681    pub change_time: TimestampV32,
682}
683
684pub type ExtendedAttributeValue = ExtendedAttributeValueV32;
685
686#[derive(Clone, Debug, Serialize, Deserialize, PartialEq, TypeFingerprint)]
687#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
688pub enum ExtendedAttributeValueV32 {
689    /// The extended attribute value is stored directly in this object. If the value is above a
690    /// certain size, it should be stored as an attribute with extents instead.
691    Inline(Vec<u8>),
692    /// The extended attribute value is stored as an attribute with extents. The attribute id
693    /// should be chosen to be within the range of 64-512.
694    AttributeId(u64),
695}
696
697/// Id and descriptor for a child entry.
698pub type ChildValue = ChildValueV32;
699
700#[derive(Clone, Debug, Serialize, Deserialize, PartialEq, TypeFingerprint)]
701#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
702pub struct ChildValueV32 {
703    /// The ID of the child object.
704    pub object_id: u64,
705    /// Describes the type of the child.
706    pub object_descriptor: ObjectDescriptorV32,
707}
708
709pub type RootDigest = RootDigestV33;
710
711#[derive(
712    Clone, Debug, Eq, Hash, Ord, PartialEq, PartialOrd, Serialize, Deserialize, TypeFingerprint,
713)]
714#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
715pub enum RootDigestV33 {
716    Sha256([u8; 32]),
717    Sha512(Vec<u8>),
718}
719
720pub type FsverityMetadata = FsverityMetadataV33;
721
722#[derive(Debug, Clone, PartialEq, Serialize, Deserialize, TypeFingerprint, Versioned)]
723#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
724pub struct FsverityMetadataV33 {
725    pub root_digest: RootDigestV33,
726    pub salt: Vec<u8>,
727}
728
729/// ObjectValue is the value of an item in the object store.
730/// Note that the tree stores deltas on objects, so these values describe deltas. Unless specified
731/// otherwise, a value indicates an insert/replace mutation.
732pub type ObjectValue = ObjectValueV46;
733impl Value for ObjectValue {
734    const DELETED_MARKER: Self = Self::None;
735}
736
737#[derive(Clone, Debug, Serialize, Deserialize, PartialEq, TypeFingerprint, Versioned)]
738#[cfg_attr(fuzz, derive(arbitrary::Arbitrary))]
739pub enum ObjectValueV46 {
740    /// Some keys have no value (this often indicates a tombstone of some sort).  Records with this
741    /// value are always filtered when a major compaction is performed, so the meaning must be the
742    /// same as if the item was not present.
743    None,
744    /// Some keys have no value but need to differentiate between a present value and no value
745    /// (None) i.e. their value is really a boolean: None => false, Some => true.
746    Some,
747    /// The value for an ObjectKey::Object record.
748    Object { kind: ObjectKindV46, attributes: ObjectAttributesV32 },
749    /// Encryption keys for an object.
750    Keys(EncryptionKeysV40),
751    /// An attribute associated with a file object. |size| is the size of the attribute in bytes.
752    Attribute { size: u64, has_overwrite_extents: bool },
753    /// An extent associated with an object.
754    Extent(ExtentValueV38),
755    /// A child of an object.
756    Child(ChildValueV32),
757    /// Graveyard entries can contain these entries which will cause a file that has extents beyond
758    /// EOF to be trimmed at mount time.  This is used in cases where shrinking a file can exceed
759    /// the bounds of a single transaction.
760    Trim,
761    /// Added to support tracking Project ID usage and limits.
762    BytesAndNodes { bytes: i64, nodes: i64 },
763    /// A value for an extended attribute. Either inline or a redirection to an attribute with
764    /// extents.
765    ExtendedAttribute(ExtendedAttributeValueV32),
766    /// An attribute associated with a verified file object. |size| is the size of the attribute
767    /// in bytes. |fsverity_metadata| holds the descriptor for the fsverity-enabled file.
768    VerifiedAttribute { size: u64, fsverity_metadata: FsverityMetadataV33 },
769}
770
771#[derive(Migrate, Serialize, Deserialize, TypeFingerprint, Versioned)]
772#[migrate_to_version(ObjectValueV46)]
773pub enum ObjectValueV41 {
774    None,
775    Some,
776    Object { kind: ObjectKindV41, attributes: ObjectAttributesV32 },
777    Keys(EncryptionKeysV40),
778    Attribute { size: u64, has_overwrite_extents: bool },
779    Extent(ExtentValueV38),
780    Child(ChildValueV32),
781    Trim,
782    BytesAndNodes { bytes: i64, nodes: i64 },
783    ExtendedAttribute(ExtendedAttributeValueV32),
784    VerifiedAttribute { size: u64, fsverity_metadata: FsverityMetadataV33 },
785}
786
787impl From<ObjectValueV40> for ObjectValueV41 {
788    fn from(value: ObjectValueV40) -> Self {
789        match value {
790            ObjectValueV40::None => ObjectValueV41::None,
791            ObjectValueV40::Some => ObjectValueV41::Some,
792            ObjectValueV40::Object { kind, attributes } => {
793                ObjectValueV41::Object { kind: kind.into(), attributes }
794            }
795            ObjectValueV40::Keys(keys) => ObjectValueV41::Keys(keys),
796            ObjectValueV40::Attribute { size } => {
797                ObjectValueV41::Attribute { size, has_overwrite_extents: false }
798            }
799            ObjectValueV40::Extent(extent_value) => ObjectValueV41::Extent(extent_value),
800            ObjectValueV40::Child(child) => ObjectValueV41::Child(child),
801            ObjectValueV40::Trim => ObjectValueV41::Trim,
802            ObjectValueV40::BytesAndNodes { bytes, nodes } => {
803                ObjectValueV41::BytesAndNodes { bytes, nodes }
804            }
805            ObjectValueV40::ExtendedAttribute(xattr) => ObjectValueV41::ExtendedAttribute(xattr),
806            ObjectValueV40::VerifiedAttribute { size, fsverity_metadata } => {
807                ObjectValueV41::VerifiedAttribute { size, fsverity_metadata }
808            }
809        }
810    }
811}
812
813#[derive(Serialize, Deserialize, TypeFingerprint, Versioned)]
814pub enum ObjectValueV40 {
815    None,
816    Some,
817    Object { kind: ObjectKindV40, attributes: ObjectAttributesV32 },
818    Keys(EncryptionKeysV40),
819    Attribute { size: u64 },
820    Extent(ExtentValueV38),
821    Child(ChildValueV32),
822    Trim,
823    BytesAndNodes { bytes: i64, nodes: i64 },
824    ExtendedAttribute(ExtendedAttributeValueV32),
825    VerifiedAttribute { size: u64, fsverity_metadata: FsverityMetadataV33 },
826}
827
828#[derive(Migrate, Serialize, Deserialize, TypeFingerprint, Versioned)]
829#[migrate_to_version(ObjectValueV40)]
830pub enum ObjectValueV38 {
831    None,
832    Some,
833    Object { kind: ObjectKindV38, attributes: ObjectAttributesV32 },
834    Keys(EncryptionKeysV32),
835    Attribute { size: u64 },
836    Extent(ExtentValueV38),
837    Child(ChildValueV32),
838    Trim,
839    BytesAndNodes { bytes: i64, nodes: i64 },
840    ExtendedAttribute(ExtendedAttributeValueV32),
841    VerifiedAttribute { size: u64, fsverity_metadata: FsverityMetadataV33 },
842}
843
844#[derive(Migrate, Serialize, Deserialize, TypeFingerprint, Versioned)]
845#[migrate_to_version(ObjectValueV38)]
846pub enum ObjectValueV37 {
847    None,
848    Some,
849    Object { kind: ObjectKindV32, attributes: ObjectAttributesV32 },
850    Keys(EncryptionKeysV32),
851    Attribute { size: u64 },
852    Extent(ExtentValueV37),
853    Child(ChildValueV32),
854    Trim,
855    BytesAndNodes { bytes: i64, nodes: i64 },
856    ExtendedAttribute(ExtendedAttributeValueV32),
857    VerifiedAttribute { size: u64, fsverity_metadata: FsverityMetadataV33 },
858}
859
860#[derive(Serialize, Deserialize, Migrate, TypeFingerprint, Versioned)]
861#[migrate_to_version(ObjectValueV37)]
862pub enum ObjectValueV33 {
863    None,
864    Some,
865    Object { kind: ObjectKindV32, attributes: ObjectAttributesV32 },
866    Keys(EncryptionKeysV32),
867    Attribute { size: u64 },
868    Extent(ExtentValueV32),
869    Child(ChildValueV32),
870    Trim,
871    BytesAndNodes { bytes: i64, nodes: i64 },
872    ExtendedAttribute(ExtendedAttributeValueV32),
873    VerifiedAttribute { size: u64, fsverity_metadata: FsverityMetadataV33 },
874}
875
876#[derive(Deserialize, Migrate, Serialize, Versioned, TypeFingerprint)]
877#[migrate_to_version(ObjectValueV33)]
878pub enum ObjectValueV32 {
879    None,
880    Some,
881    Object { kind: ObjectKindV32, attributes: ObjectAttributesV32 },
882    Keys(EncryptionKeysV32),
883    Attribute { size: u64 },
884    Extent(ExtentValueV32),
885    Child(ChildValueV32),
886    Trim,
887    BytesAndNodes { bytes: i64, nodes: i64 },
888    ExtendedAttribute(ExtendedAttributeValueV32),
889}
890
891impl ObjectValue {
892    /// Creates an ObjectValue for a file object.
893    pub fn file(
894        refs: u64,
895        allocated_size: u64,
896        creation_time: Timestamp,
897        modification_time: Timestamp,
898        access_time: Timestamp,
899        change_time: Timestamp,
900        project_id: u64,
901        posix_attributes: Option<PosixAttributes>,
902    ) -> ObjectValue {
903        ObjectValue::Object {
904            kind: ObjectKind::File { refs },
905            attributes: ObjectAttributes {
906                creation_time,
907                modification_time,
908                project_id,
909                posix_attributes,
910                allocated_size,
911                access_time,
912                change_time,
913            },
914        }
915    }
916    pub fn keys(keys: EncryptionKeys) -> ObjectValue {
917        ObjectValue::Keys(keys)
918    }
919    /// Creates an ObjectValue for an object attribute.
920    pub fn attribute(size: u64, has_overwrite_extents: bool) -> ObjectValue {
921        ObjectValue::Attribute { size, has_overwrite_extents }
922    }
923    /// Creates an ObjectValue for an object attribute of a verified file.
924    pub fn verified_attribute(size: u64, fsverity_metadata: FsverityMetadata) -> ObjectValue {
925        ObjectValue::VerifiedAttribute { size, fsverity_metadata }
926    }
927    /// Creates an ObjectValue for an insertion/replacement of an object extent.
928    pub fn extent(device_offset: u64, key_id: u64) -> ObjectValue {
929        ObjectValue::Extent(ExtentValue::new_raw(device_offset, key_id))
930    }
931    /// Creates an ObjectValue for an insertion/replacement of an object extent.
932    pub fn extent_with_checksum(
933        device_offset: u64,
934        checksum: Checksums,
935        key_id: u64,
936    ) -> ObjectValue {
937        ObjectValue::Extent(ExtentValue::with_checksum(device_offset, checksum, key_id))
938    }
939    /// Creates an ObjectValue for a deletion of an object extent.
940    pub fn deleted_extent() -> ObjectValue {
941        ObjectValue::Extent(ExtentValue::deleted_extent())
942    }
943    /// Creates an ObjectValue for an object child.
944    pub fn child(object_id: u64, object_descriptor: ObjectDescriptor) -> ObjectValue {
945        ObjectValue::Child(ChildValue { object_id, object_descriptor })
946    }
947    /// Creates an ObjectValue for an object symlink.
948    pub fn symlink(
949        link: impl Into<Vec<u8>>,
950        creation_time: Timestamp,
951        modification_time: Timestamp,
952        project_id: u64,
953    ) -> ObjectValue {
954        ObjectValue::Object {
955            kind: ObjectKind::Symlink { refs: 1, link: link.into() },
956            attributes: ObjectAttributes {
957                creation_time,
958                modification_time,
959                project_id,
960                ..Default::default()
961            },
962        }
963    }
964    /// Creates an ObjectValue for an encrypted symlink object.
965    pub fn encrypted_symlink(
966        link: impl Into<Vec<u8>>,
967        creation_time: Timestamp,
968        modification_time: Timestamp,
969        project_id: u64,
970    ) -> ObjectValue {
971        ObjectValue::Object {
972            kind: ObjectKind::EncryptedSymlink { refs: 1, link: link.into() },
973            attributes: ObjectAttributes {
974                creation_time,
975                modification_time,
976                project_id,
977                ..Default::default()
978            },
979        }
980    }
981    pub fn inline_extended_attribute(value: impl Into<Vec<u8>>) -> ObjectValue {
982        ObjectValue::ExtendedAttribute(ExtendedAttributeValue::Inline(value.into()))
983    }
984    pub fn extended_attribute(attribute_id: u64) -> ObjectValue {
985        ObjectValue::ExtendedAttribute(ExtendedAttributeValue::AttributeId(attribute_id))
986    }
987}
988
989pub type ObjectItem = ObjectItemV46;
990pub type ObjectItemV46 = Item<ObjectKeyV43, ObjectValueV46>;
991pub type ObjectItemV43 = Item<ObjectKeyV43, ObjectValueV41>;
992pub type ObjectItemV41 = Item<ObjectKeyV40, ObjectValueV41>;
993pub type ObjectItemV40 = Item<ObjectKeyV40, ObjectValueV40>;
994
995impl From<ObjectItemV43> for ObjectItemV46 {
996    fn from(item: ObjectItemV43) -> Self {
997        Self { key: item.key.into(), value: item.value.into(), sequence: item.sequence }
998    }
999}
1000
1001impl From<ObjectItemV41> for ObjectItemV43 {
1002    fn from(item: ObjectItemV41) -> Self {
1003        Self { key: item.key.into(), value: item.value.into(), sequence: item.sequence }
1004    }
1005}
1006impl From<ObjectItemV40> for ObjectItemV41 {
1007    fn from(item: ObjectItemV40) -> Self {
1008        Self { key: item.key.into(), value: item.value.into(), sequence: item.sequence }
1009    }
1010}
1011
1012impl ObjectItem {
1013    pub fn is_tombstone(&self) -> bool {
1014        matches!(
1015            self,
1016            Item {
1017                key: ObjectKey { data: ObjectKeyData::Object, .. },
1018                value: ObjectValue::None,
1019                ..
1020            }
1021        )
1022    }
1023}
1024
1025// If the given item describes an extent, unwraps it and returns the extent key/value.
1026impl<'a> From<ItemRef<'a, ObjectKey, ObjectValue>>
1027    for Option<(/*object-id*/ u64, /*attribute-id*/ u64, &'a ExtentKey, &'a ExtentValue)>
1028{
1029    fn from(item: ItemRef<'a, ObjectKey, ObjectValue>) -> Self {
1030        match item {
1031            ItemRef {
1032                key:
1033                    ObjectKey {
1034                        object_id,
1035                        data:
1036                            ObjectKeyData::Attribute(
1037                                attribute_id, //
1038                                AttributeKey::Extent(ref extent_key),
1039                            ),
1040                    },
1041                value: ObjectValue::Extent(ref extent_value),
1042                ..
1043            } => Some((*object_id, *attribute_id, extent_key, extent_value)),
1044            _ => None,
1045        }
1046    }
1047}
1048
1049#[cfg(test)]
1050mod tests {
1051    use super::ObjectKey;
1052    use crate::lsm_tree::types::{LayerKey, OrdLowerBound, OrdUpperBound, RangeKey};
1053    use std::cmp::Ordering;
1054
1055    #[test]
1056    fn test_next_key() {
1057        let next_key = ObjectKey::extent(1, 0, 0..100).next_key().unwrap();
1058        assert_eq!(ObjectKey::extent(1, 0, 101..200).cmp_lower_bound(&next_key), Ordering::Greater);
1059        assert_eq!(ObjectKey::extent(1, 0, 100..200).cmp_lower_bound(&next_key), Ordering::Equal);
1060        assert_eq!(ObjectKey::extent(1, 0, 100..101).cmp_lower_bound(&next_key), Ordering::Equal);
1061        assert_eq!(ObjectKey::extent(1, 0, 99..100).cmp_lower_bound(&next_key), Ordering::Less);
1062        assert_eq!(ObjectKey::extent(1, 0, 0..100).cmp_upper_bound(&next_key), Ordering::Less);
1063        assert_eq!(ObjectKey::extent(1, 0, 99..100).cmp_upper_bound(&next_key), Ordering::Less);
1064        assert_eq!(ObjectKey::extent(1, 0, 100..101).cmp_upper_bound(&next_key), Ordering::Equal);
1065        assert_eq!(ObjectKey::extent(1, 0, 100..200).cmp_upper_bound(&next_key), Ordering::Greater);
1066        assert_eq!(ObjectKey::extent(1, 0, 50..101).cmp_upper_bound(&next_key), Ordering::Equal);
1067        assert_eq!(ObjectKey::extent(1, 0, 50..200).cmp_upper_bound(&next_key), Ordering::Greater);
1068    }
1069    #[test]
1070    fn test_range_key() {
1071        assert_eq!(ObjectKey::object(1).overlaps(&ObjectKey::object(1)), true);
1072        assert_eq!(ObjectKey::object(1).overlaps(&ObjectKey::object(2)), false);
1073        assert_eq!(ObjectKey::extent(1, 0, 0..100).overlaps(&ObjectKey::object(1)), false);
1074        assert_eq!(ObjectKey::object(1).overlaps(&ObjectKey::extent(1, 0, 0..100)), false);
1075        assert_eq!(
1076            ObjectKey::extent(1, 0, 0..100).overlaps(&ObjectKey::extent(2, 0, 0..100)),
1077            false
1078        );
1079        assert_eq!(
1080            ObjectKey::extent(1, 0, 0..100).overlaps(&ObjectKey::extent(1, 1, 0..100)),
1081            false
1082        );
1083        assert_eq!(
1084            ObjectKey::extent(1, 0, 0..100).overlaps(&ObjectKey::extent(1, 0, 0..100)),
1085            true
1086        );
1087
1088        assert_eq!(
1089            ObjectKey::extent(1, 0, 0..50).overlaps(&ObjectKey::extent(1, 0, 49..100)),
1090            true
1091        );
1092        assert_eq!(
1093            ObjectKey::extent(1, 0, 49..100).overlaps(&ObjectKey::extent(1, 0, 0..50)),
1094            true
1095        );
1096
1097        assert_eq!(
1098            ObjectKey::extent(1, 0, 0..50).overlaps(&ObjectKey::extent(1, 0, 50..100)),
1099            false
1100        );
1101        assert_eq!(
1102            ObjectKey::extent(1, 0, 50..100).overlaps(&ObjectKey::extent(1, 0, 0..50)),
1103            false
1104        );
1105    }
1106}