1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
use std::{marker::PhantomData, num::NonZeroU64};

use crate::config::{Config, ConfigPrivate};

// === Key ===

/// Represents a key in the IDR.
///
/// Properties:
/// * non-zero.
/// * always 64bit, even on 32bit platforms.
/// * contains reserved bits, generation, page and slot indexes.
///
/// See [`Config`] for more details.
#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash)]
#[repr(transparent)]
pub struct Key(NonZeroU64);

impl Key {
    /// # Safety
    ///
    /// Both parameters cannot be zero.
    pub(crate) unsafe fn new_unchecked<C: Config>(slot_id: u32, generation: Generation<C>) -> Self {
        debug_assert!(0 < slot_id && slot_id <= C::SLOT_MASK);
        let raw = u64::from(generation.to_u32()) << C::SLOT_BITS | u64::from(slot_id);
        Self(NonZeroU64::new_unchecked(raw))
    }

    pub(crate) fn page_no<C: Config>(self) -> PageNo<C> {
        let slot_id = self.slot_id::<C>();

        // Let's assume (for example):
        // * width = 8bits
        // * ips (initial page size) = 4
        //
        //   repr    page  index    slot
        // +--------+----+-------+--------+
        //  000001xx  0    0..=3   0..=3
        //  00001xxx  1    0..=7   4..=11
        //  0001xxxx  2    0..=15  12..=27
        //  001xxxxx  3    0..=31  28..=59
        //  01xxxxxx  4    0..=63  60..=123
        //  1xxxxxxx  5    0..=127 124..=251
        //
        // Pros:
        // * less operations on read by key than in sharded-slab
        // * repr != 0 => key is non-zero
        //
        // Cons:
        // * total capacity is less (by ips) compared to sharded-slab
        //
        // page = width - lz(repr >> log2(ips))
        //      = (width - tz(ips) - 1) - lz(repr)   [2ops]
        //        '-------------------'
        //              constant
        //
        // index = repr - (1 << (tz(ips) + page))    [1op]
        //                '---------------------'
        //                         cached

        let base = 32 - C::INITIAL_PAGE_SIZE.trailing_zeros() - 1;
        let lz_repr = slot_id.leading_zeros();

        // For valid keys, `base - lz_repr` is enough.
        // However, keys can be created from `u64`, so the page bit can be unset.
        let page_no = base.wrapping_sub(lz_repr);

        PageNo::new(page_no)
    }

    pub(crate) fn slot_id<C: Config>(self) -> u32 {
        self.0.get() as u32 & C::SLOT_MASK
    }

    pub(crate) fn generation<C: Config>(self) -> Generation<C> {
        let gen = (self.0.get() >> C::SLOT_BITS) as u32 & C::GENERATION_MASK;
        Generation::new(gen)
    }
}

impl From<NonZeroU64> for Key {
    fn from(raw: NonZeroU64) -> Self {
        Self(raw)
    }
}

impl From<Key> for NonZeroU64 {
    fn from(key: Key) -> NonZeroU64 {
        key.0
    }
}

impl TryFrom<u64> for Key {
    type Error = std::num::TryFromIntError;

    fn try_from(raw: u64) -> Result<Self, Self::Error> {
        NonZeroU64::try_from(raw).map(Into::into)
    }
}

impl From<Key> for u64 {
    fn from(key: Key) -> u64 {
        key.0.get()
    }
}

// === PageNo ===

#[repr(transparent)]
pub(crate) struct PageNo<C> {
    value: u32,
    _config: PhantomData<C>,
}

impl<C> Copy for PageNo<C> {}

impl<C> Clone for PageNo<C> {
    fn clone(&self) -> Self {
        *self
    }
}

impl<C: Config> PageNo<C> {
    pub(crate) fn new(value: u32) -> Self {
        Self {
            value,
            _config: PhantomData,
        }
    }

    pub(crate) fn to_usize(self) -> usize {
        self.value as usize
    }

    pub(crate) fn start_slot_id(self) -> u32 {
        let shift = C::INITIAL_PAGE_SIZE.trailing_zeros() + self.value;
        1 << shift
    }

    pub(crate) fn capacity(self) -> u32 {
        C::INITIAL_PAGE_SIZE * 2u32.pow(self.value)
    }
}

impl<C> PartialEq for PageNo<C> {
    fn eq(&self, other: &Self) -> bool {
        self.value == other.value
    }
}

// === Generation ===

#[repr(transparent)]
pub(crate) struct Generation<C> {
    value: u32,
    _config: PhantomData<C>,
}

impl<C> Copy for Generation<C> {}

impl<C> Clone for Generation<C> {
    fn clone(&self) -> Self {
        *self
    }
}

impl<C: Config> Generation<C> {
    pub(crate) fn new(value: u32) -> Self {
        Self {
            value,
            _config: PhantomData,
        }
    }

    pub(crate) fn to_u32(self) -> u32 {
        self.value
    }

    pub(crate) fn inc(self) -> Self {
        Self {
            value: (self.value + 1) & C::GENERATION_MASK,
            _config: PhantomData,
        }
    }
}

impl<C> PartialEq for Generation<C> {
    fn eq(&self, other: &Self) -> bool {
        self.value == other.value
    }
}