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 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270
// SPDX-License-Identifier: Apache-2.0
// SPDX-FileCopyrightText: Copyright The Lance Authors
//! Indices for mapping row ids to their corresponding addresses.
//!
//! Each fragment in a table has a [RowIdSequence] that contains the row ids
//! in the order they appear in the fragment. The [RowIdIndex] aggregates these
//! sequences and maps row ids to their corresponding addresses across the
//! whole dataset.
//!
//! [RowIdSequence]s are serialized individually and stored in the fragment
//! metadata. Use [read_row_ids] and [write_row_ids] to read and write these
//! sequences. The on-disk format is designed to align well with the in-memory
//! representation, to avoid unnecessary deserialization.
use std::ops::Range;
// TODO: replace this with Arrow BooleanBuffer.
// These are all internal data structures, and are private.
mod bitmap;
mod encoded_array;
mod index;
mod segment;
mod serde;
use deepsize::DeepSizeOf;
// These are the public API.
pub use index::RowIdIndex;
pub use serde::{read_row_ids, write_row_ids};
use segment::U64Segment;
/// A sequence of row ids.
///
/// Row ids are u64s that:
///
/// 1. Are **unique** within a table (except for tombstones)
/// 2. Are *often* but not always sorted and/or contiguous.
///
/// This sequence of row ids is optimized to be compact when the row ids are
/// contiguous and sorted. However, it does not require that the row ids are
/// contiguous or sorted.
///
/// We can make optimizations that assume uniqueness.
#[derive(Debug, Clone, DeepSizeOf)]
pub struct RowIdSequence(Vec<U64Segment>);
impl std::fmt::Display for RowIdSequence {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
let mut iter = self.iter();
let mut first_10 = Vec::new();
let mut last_10 = Vec::new();
for row_id in iter.by_ref() {
first_10.push(row_id);
if first_10.len() > 10 {
break;
}
}
while let Some(row_id) = iter.next_back() {
last_10.push(row_id);
if last_10.len() > 10 {
break;
}
}
last_10.reverse();
let theres_more = iter.next().is_some();
write!(f, "[")?;
for row_id in first_10 {
write!(f, "{}", row_id)?;
}
if theres_more {
write!(f, ", ...")?;
}
for row_id in last_10 {
write!(f, ", {}", row_id)?;
}
write!(f, "]")
}
}
impl From<Range<u64>> for RowIdSequence {
fn from(range: Range<u64>) -> Self {
Self(vec![U64Segment::Range(range)])
}
}
impl RowIdSequence {
pub fn iter(&self) -> impl DoubleEndedIterator<Item = u64> + '_ {
self.0.iter().flat_map(|segment| segment.iter())
}
pub fn len(&self) -> u64 {
self.0.iter().map(|segment| segment.len() as u64).sum()
}
pub fn is_empty(&self) -> bool {
self.0.is_empty()
}
/// Combines this row id sequence with another row id sequence.
pub fn extend(&mut self, other: Self) {
// If the last element of this sequence and the first element of next
// sequence are ranges, we might be able to combine them into a single
// range.
if let (Some(U64Segment::Range(range1)), Some(U64Segment::Range(range2))) =
(self.0.last(), other.0.first())
{
if range1.end == range2.start {
let new_range = U64Segment::Range(range1.start..range2.end);
self.0.pop();
self.0.push(new_range);
self.0.extend(other.0.into_iter().skip(1));
return;
}
}
// TODO: add other optimizations, such as combining two RangeWithHoles.
self.0.extend(other.0);
}
/// Mark a set of row ids as deleted. Their value will be replaced with tombstones.
pub fn delete(&mut self, row_ids: impl IntoIterator<Item = u64>) {
// Order the row ids by position in which they appear in the sequence.
let (row_ids, offsets) = self.find_ids(row_ids);
let capacity = self.0.capacity();
let old_segments = std::mem::replace(&mut self.0, Vec::with_capacity(capacity));
let mut remaining_segments = old_segments.as_slice();
for (segment_idx, range) in offsets {
let segments_handled = old_segments.len() - remaining_segments.len();
let segments_to_add = segment_idx - segments_handled;
self.0
.extend_from_slice(&remaining_segments[..segments_to_add]);
remaining_segments = &remaining_segments[segments_to_add..];
let segment;
(segment, remaining_segments) = remaining_segments.split_first().unwrap();
let segment_ids = &row_ids[range];
self.0.push(segment.delete(segment_ids));
}
// Add the remaining segments.
self.0.extend_from_slice(remaining_segments);
}
/// Find the row ids in the sequence.
///
/// Returns the row ids sorted by their appearane in the sequence.
/// Also returns the segment index and the range where that segment's
/// row id matches are found in the returned row id vector.
fn find_ids(
&self,
row_ids: impl IntoIterator<Item = u64>,
) -> (Vec<u64>, Vec<(usize, Range<usize>)>) {
// Often, the row ids will already be provided in the order they appear.
// So the optimal way to search will be to cycle through rather than
// restarting the search from the beginning each time.
let mut segment_iter = self.0.iter().enumerate().cycle();
let mut segment_matches = vec![Vec::new(); self.0.len()];
row_ids.into_iter().for_each(|row_id| {
let mut i = 0;
// If we've cycled through all segments, we know the row id is not in the sequence.
while i < self.0.len() {
let (segment_idx, segment) = segment_iter.next().unwrap();
if segment
.range()
.map_or(false, |range| range.contains(&row_id))
{
if let Some(offset) = segment.position(row_id) {
segment_matches.get_mut(segment_idx).unwrap().push(offset);
}
// The row id was not found it the segment. It might be in a later segment.
}
i += 1;
}
});
for matches in &mut segment_matches {
matches.sort_unstable();
}
let mut offset = 0;
let segment_ranges = segment_matches
.iter()
.enumerate()
.filter(|(_, matches)| !matches.is_empty())
.map(|(segment_idx, matches)| {
let range = offset..offset + matches.len();
offset += matches.len();
(segment_idx, range)
})
.collect();
let row_ids = segment_matches
.into_iter()
.enumerate()
.flat_map(|(segment_idx, offset)| {
offset
.into_iter()
.map(move |offset| self.0[segment_idx].get(offset).unwrap())
})
.collect();
(row_ids, segment_ranges)
}
}
#[cfg(test)]
mod test {
use super::*;
use pretty_assertions::assert_eq;
use test::bitmap::Bitmap;
#[test]
fn test_row_id_sequence_from_range() {
let sequence = RowIdSequence::from(0..10);
assert_eq!(sequence.len(), 10);
assert_eq!(sequence.is_empty(), false);
let iter = sequence.iter();
assert_eq!(iter.collect::<Vec<_>>(), (0..10).collect::<Vec<_>>());
}
#[test]
fn test_row_id_sequence_extend() {
let mut sequence = RowIdSequence::from(0..10);
sequence.extend(RowIdSequence::from(10..20));
assert_eq!(sequence.0, vec![U64Segment::Range(0..20)]);
let mut sequence = RowIdSequence::from(0..10);
sequence.extend(RowIdSequence::from(20..30));
assert_eq!(
sequence.0,
vec![U64Segment::Range(0..10), U64Segment::Range(20..30)]
);
}
#[test]
fn test_row_id_sequence_delete() {
let mut sequence = RowIdSequence::from(0..10);
sequence.delete(vec![1, 3, 5, 7, 9]);
let mut expected_bitmap = Bitmap::new_empty(9);
for i in [0, 2, 4, 6, 8] {
expected_bitmap.set(i as usize);
}
assert_eq!(
sequence.0,
vec![U64Segment::RangeWithBitmap {
range: 0..9,
bitmap: expected_bitmap
},]
);
let mut sequence = RowIdSequence::from(0..10);
sequence.extend(RowIdSequence::from(12..20));
sequence.delete(vec![0, 9, 10, 11, 12, 13]);
assert_eq!(
sequence.0,
vec![U64Segment::Range(1..9), U64Segment::Range(14..20),]
);
let mut sequence = RowIdSequence::from(0..10);
sequence.delete(vec![0, 1, 2, 3, 4, 5, 6, 7, 8, 9]);
assert_eq!(sequence.0, vec![U64Segment::Range(0..0)]);
}
}