gix_pack/data/output/entry/iter_from_counts.rs
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 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432
pub(crate) mod function {
use std::{cmp::Ordering, sync::Arc};
use gix_features::{
parallel,
parallel::SequenceId,
progress::{
prodash::{Count, DynNestedProgress},
Progress,
},
};
use super::{reduce, util, Error, Mode, Options, Outcome, ProgressId};
use crate::data::output;
/// Given a known list of object `counts`, calculate entries ready to be put into a data pack.
///
/// This allows objects to be written quite soon without having to wait for the entire pack to be built in memory.
/// A chunk of objects is held in memory and compressed using DEFLATE, and serve the output of this iterator.
/// That way slow writers will naturally apply back pressure, and communicate to the implementation that more time can be
/// spent compressing objects.
///
/// * `counts`
/// * A list of previously counted objects to add to the pack. Duplication checks are not performed, no object is expected to be duplicated.
/// * `progress`
/// * a way to obtain progress information
/// * `options`
/// * more configuration
///
/// _Returns_ the checksum of the pack
///
/// ## Discussion
///
/// ### Advantages
///
/// * Begins writing immediately and supports back-pressure.
/// * Abstract over object databases and how input is provided.
///
/// ### Disadvantages
///
/// * ~~currently there is no way to easily write the pack index, even though the state here is uniquely positioned to do
/// so with minimal overhead (especially compared to `gix index-from-pack`)~~ Probably works now by chaining Iterators
/// or keeping enough state to write a pack and then generate an index with recorded data.
///
pub fn iter_from_counts<Find>(
mut counts: Vec<output::Count>,
db: Find,
mut progress: Box<dyn DynNestedProgress + 'static>,
Options {
version,
mode,
allow_thin_pack,
thread_limit,
chunk_size,
}: Options,
) -> impl Iterator<Item = Result<(SequenceId, Vec<output::Entry>), Error>>
+ parallel::reduce::Finalize<Reduce = reduce::Statistics<Error>>
where
Find: crate::Find + Send + Clone + 'static,
{
assert!(
matches!(version, crate::data::Version::V2),
"currently we can only write version 2"
);
let (chunk_size, thread_limit, _) =
parallel::optimize_chunk_size_and_thread_limit(chunk_size, Some(counts.len()), thread_limit, None);
{
let progress = Arc::new(parking_lot::Mutex::new(
progress.add_child_with_id("resolving".into(), ProgressId::ResolveCounts.into()),
));
progress.lock().init(None, gix_features::progress::count("counts"));
let enough_counts_present = counts.len() > 4_000;
let start = std::time::Instant::now();
parallel::in_parallel_if(
|| enough_counts_present,
counts.chunks_mut(chunk_size),
thread_limit,
|_n| Vec::<u8>::new(),
{
let progress = Arc::clone(&progress);
let db = db.clone();
move |chunk, buf| {
let chunk_size = chunk.len();
for count in chunk {
use crate::data::output::count::PackLocation::*;
match count.entry_pack_location {
LookedUp(_) => continue,
NotLookedUp => count.entry_pack_location = LookedUp(db.location_by_oid(&count.id, buf)),
}
}
progress.lock().inc_by(chunk_size);
Ok::<_, ()>(())
}
},
parallel::reduce::IdentityWithResult::<(), ()>::default(),
)
.expect("infallible - we ignore none-existing objects");
progress.lock().show_throughput(start);
}
let counts_range_by_pack_id = match mode {
Mode::PackCopyAndBaseObjects => {
let mut progress = progress.add_child_with_id("sorting".into(), ProgressId::SortEntries.into());
progress.init(Some(counts.len()), gix_features::progress::count("counts"));
let start = std::time::Instant::now();
use crate::data::output::count::PackLocation::*;
counts.sort_by(|lhs, rhs| match (&lhs.entry_pack_location, &rhs.entry_pack_location) {
(LookedUp(None), LookedUp(None)) => Ordering::Equal,
(LookedUp(Some(_)), LookedUp(None)) => Ordering::Greater,
(LookedUp(None), LookedUp(Some(_))) => Ordering::Less,
(LookedUp(Some(lhs)), LookedUp(Some(rhs))) => lhs
.pack_id
.cmp(&rhs.pack_id)
.then(lhs.pack_offset.cmp(&rhs.pack_offset)),
(_, _) => unreachable!("counts were resolved beforehand"),
});
let mut index: Vec<(u32, std::ops::Range<usize>)> = Vec::new();
let mut chunks_pack_start = counts.partition_point(|e| e.entry_pack_location.is_none());
let mut slice = &counts[chunks_pack_start..];
while !slice.is_empty() {
let current_pack_id = slice[0].entry_pack_location.as_ref().expect("packed object").pack_id;
let pack_end = slice.partition_point(|e| {
e.entry_pack_location.as_ref().expect("packed object").pack_id == current_pack_id
});
index.push((current_pack_id, chunks_pack_start..chunks_pack_start + pack_end));
slice = &slice[pack_end..];
chunks_pack_start += pack_end;
}
progress.set(counts.len());
progress.show_throughput(start);
index
}
};
let counts = Arc::new(counts);
let progress = Arc::new(parking_lot::Mutex::new(progress));
let chunks = util::ChunkRanges::new(chunk_size, counts.len());
parallel::reduce::Stepwise::new(
chunks.enumerate(),
thread_limit,
{
let progress = Arc::clone(&progress);
move |n| {
(
Vec::new(), // object data buffer
progress
.lock()
.add_child_with_id(format!("thread {n}"), gix_features::progress::UNKNOWN),
)
}
},
{
let counts = Arc::clone(&counts);
move |(chunk_id, chunk_range): (SequenceId, std::ops::Range<usize>), (buf, progress)| {
let mut out = Vec::new();
let chunk = &counts[chunk_range];
let mut stats = Outcome::default();
let mut pack_offsets_to_id = None;
progress.init(Some(chunk.len()), gix_features::progress::count("objects"));
for count in chunk.iter() {
out.push(match count
.entry_pack_location
.as_ref()
.and_then(|l| db.entry_by_location(l).map(|pe| (l, pe)))
{
Some((location, pack_entry)) => {
if let Some((cached_pack_id, _)) = &pack_offsets_to_id {
if *cached_pack_id != location.pack_id {
pack_offsets_to_id = None;
}
}
let pack_range = counts_range_by_pack_id[counts_range_by_pack_id
.binary_search_by_key(&location.pack_id, |e| e.0)
.expect("pack-id always present")]
.1
.clone();
let base_index_offset = pack_range.start;
let counts_in_pack = &counts[pack_range];
let entry = output::Entry::from_pack_entry(
pack_entry,
count,
counts_in_pack,
base_index_offset,
allow_thin_pack.then_some({
|pack_id, base_offset| {
let (cached_pack_id, cache) = pack_offsets_to_id.get_or_insert_with(|| {
db.pack_offsets_and_oid(pack_id)
.map(|mut v| {
v.sort_by_key(|e| e.0);
(pack_id, v)
})
.expect("pack used for counts is still available")
});
debug_assert_eq!(*cached_pack_id, pack_id);
stats.ref_delta_objects += 1;
cache
.binary_search_by_key(&base_offset, |e| e.0)
.ok()
.map(|idx| cache[idx].1)
}
}),
version,
);
match entry {
Some(entry) => {
stats.objects_copied_from_pack += 1;
entry
}
None => match db.try_find(&count.id, buf).map_err(Error::Find)? {
Some((obj, _location)) => {
stats.decoded_and_recompressed_objects += 1;
output::Entry::from_data(count, &obj)
}
None => {
stats.missing_objects += 1;
Ok(output::Entry::invalid())
}
},
}
}
None => match db.try_find(&count.id, buf).map_err(Error::Find)? {
Some((obj, _location)) => {
stats.decoded_and_recompressed_objects += 1;
output::Entry::from_data(count, &obj)
}
None => {
stats.missing_objects += 1;
Ok(output::Entry::invalid())
}
},
}?);
progress.inc();
}
Ok((chunk_id, out, stats))
}
},
reduce::Statistics::default(),
)
}
}
mod util {
#[derive(Clone)]
pub struct ChunkRanges {
cursor: usize,
size: usize,
len: usize,
}
impl ChunkRanges {
pub fn new(size: usize, total: usize) -> Self {
ChunkRanges {
cursor: 0,
size,
len: total,
}
}
}
impl Iterator for ChunkRanges {
type Item = std::ops::Range<usize>;
fn next(&mut self) -> Option<Self::Item> {
if self.cursor >= self.len {
None
} else {
let upper = (self.cursor + self.size).min(self.len);
let range = self.cursor..upper;
self.cursor = upper;
Some(range)
}
}
}
}
mod reduce {
use std::marker::PhantomData;
use gix_features::{parallel, parallel::SequenceId};
use super::Outcome;
use crate::data::output;
pub struct Statistics<E> {
total: Outcome,
_err: PhantomData<E>,
}
impl<E> Default for Statistics<E> {
fn default() -> Self {
Statistics {
total: Default::default(),
_err: PhantomData,
}
}
}
impl<Error> parallel::Reduce for Statistics<Error> {
type Input = Result<(SequenceId, Vec<output::Entry>, Outcome), Error>;
type FeedProduce = (SequenceId, Vec<output::Entry>);
type Output = Outcome;
type Error = Error;
fn feed(&mut self, item: Self::Input) -> Result<Self::FeedProduce, Self::Error> {
item.map(|(cid, entries, stats)| {
self.total.aggregate(stats);
(cid, entries)
})
}
fn finalize(self) -> Result<Self::Output, Self::Error> {
Ok(self.total)
}
}
}
mod types {
use crate::data::output::entry;
/// Information gathered during the run of [`iter_from_counts()`][crate::data::output::entry::iter_from_counts()].
#[derive(Default, PartialEq, Eq, Debug, Hash, Ord, PartialOrd, Clone, Copy)]
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
pub struct Outcome {
/// The amount of fully decoded objects. These are the most expensive as they are fully decoded.
pub decoded_and_recompressed_objects: usize,
/// The amount of objects that could not be located despite them being mentioned during iteration
pub missing_objects: usize,
/// The amount of base or delta objects that could be copied directly from the pack. These are cheapest as they
/// only cost a memory copy for the most part.
pub objects_copied_from_pack: usize,
/// The amount of objects that ref to their base as ref-delta, an indication for a thin back being created.
pub ref_delta_objects: usize,
}
impl Outcome {
pub(in crate::data::output::entry) fn aggregate(
&mut self,
Outcome {
decoded_and_recompressed_objects: decoded_objects,
missing_objects,
objects_copied_from_pack,
ref_delta_objects,
}: Self,
) {
self.decoded_and_recompressed_objects += decoded_objects;
self.missing_objects += missing_objects;
self.objects_copied_from_pack += objects_copied_from_pack;
self.ref_delta_objects += ref_delta_objects;
}
}
/// The way the iterator operates.
#[derive(PartialEq, Eq, Debug, Hash, Ord, PartialOrd, Clone, Copy)]
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
pub enum Mode {
/// Copy base objects and deltas from packs, while non-packed objects will be treated as base objects
/// (i.e. without trying to delta compress them). This is a fast way of obtaining a back while benefiting
/// from existing pack compression and spending the smallest possible time on compressing unpacked objects at
/// the cost of bandwidth.
PackCopyAndBaseObjects,
}
/// Configuration options for the pack generation functions provided in [`iter_from_counts()`][crate::data::output::entry::iter_from_counts()].
#[derive(PartialEq, Eq, Debug, Hash, Ord, PartialOrd, Clone, Copy)]
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
pub struct Options {
/// The amount of threads to use at most when resolving the pack. If `None`, all logical cores are used.
pub thread_limit: Option<usize>,
/// The algorithm to produce a pack
pub mode: Mode,
/// If set, the resulting back can have deltas that refer to an object which is not in the pack. This can happen
/// if the initial counted objects do not contain an object that an existing packed delta refers to, for example, because
/// it wasn't part of the iteration, for instance when the iteration was performed on tree deltas or only a part of the
/// commit graph. Please note that thin packs are not valid packs at rest, thus they are only valid for packs in transit.
///
/// If set to false, delta objects will be decompressed and recompressed as base objects.
pub allow_thin_pack: bool,
/// The amount of objects per chunk or unit of work to be sent to threads for processing
/// TODO: could this become the window size?
pub chunk_size: usize,
/// The pack data version to produce for each entry
pub version: crate::data::Version,
}
impl Default for Options {
fn default() -> Self {
Options {
thread_limit: None,
mode: Mode::PackCopyAndBaseObjects,
allow_thin_pack: false,
chunk_size: 10,
version: Default::default(),
}
}
}
/// The error returned by the pack generation function [`iter_from_counts()`][crate::data::output::entry::iter_from_counts()].
#[derive(Debug, thiserror::Error)]
#[allow(missing_docs)]
pub enum Error {
#[error(transparent)]
Find(gix_object::find::Error),
#[error(transparent)]
NewEntry(#[from] entry::Error),
}
/// The progress ids used in [`write_to_directory()`][crate::Bundle::write_to_directory()].
///
/// Use this information to selectively extract the progress of interest in case the parent application has custom visualization.
#[derive(Debug, Copy, Clone)]
pub enum ProgressId {
/// The amount of [`Count`][crate::data::output::Count] objects which are resolved to their pack location.
ResolveCounts,
/// Layout pack entries for placement into a pack (by pack-id and by offset).
SortEntries,
}
impl From<ProgressId> for gix_features::progress::Id {
fn from(v: ProgressId) -> Self {
match v {
ProgressId::ResolveCounts => *b"ECRC",
ProgressId::SortEntries => *b"ECSE",
}
}
}
}
pub use types::{Error, Mode, Options, Outcome, ProgressId};