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 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062
//! Traits for in-memory or persistent maps of blob with bao encoded outboards.
use std::{collections::BTreeSet, future::Future, io, path::PathBuf, time::Duration};
pub use bao_tree;
use bao_tree::{
io::{
fsm::{
encode_ranges_validated, BaoContentItem, Outboard, ResponseDecoder, ResponseDecoderNext,
},
DecodeError,
},
BaoTree, ChunkRanges,
};
use bytes::Bytes;
use futures_lite::{Stream, StreamExt};
use genawaiter::rc::{Co, Gen};
use iroh_io::{AsyncSliceReader, AsyncStreamReader, AsyncStreamWriter};
pub use range_collections;
use serde::{Deserialize, Serialize};
use tokio::io::AsyncRead;
use crate::{
hashseq::parse_hash_seq,
protocol::RangeSpec,
util::{
local_pool::{self, LocalPool},
progress::{BoxedProgressSender, IdGenerator, ProgressSender},
Tag,
},
BlobFormat, Hash, HashAndFormat, TempTag, IROH_BLOCK_SIZE,
};
/// A fallible but owned iterator over the entries in a store.
pub type DbIter<T> = Box<dyn Iterator<Item = io::Result<T>> + Send + Sync + 'static>;
/// Export trogress callback
pub type ExportProgressCb = Box<dyn Fn(u64) -> io::Result<()> + Send + Sync + 'static>;
/// The availability status of an entry in a store.
#[derive(Debug, Clone, Eq, PartialEq)]
pub enum EntryStatus {
/// The entry is completely available.
Complete,
/// The entry is partially available.
Partial,
/// The entry is not in the store.
NotFound,
}
/// The size of a bao file
#[derive(Debug, Clone, Copy, Serialize, Deserialize, Eq, PartialEq)]
pub enum BaoBlobSize {
/// A remote side told us the size, but we have insufficient data to verify it.
Unverified(u64),
/// We have verified the size.
Verified(u64),
}
impl BaoBlobSize {
/// Create a new `BaoFileSize` with the given size and verification status.
pub fn new(size: u64, verified: bool) -> Self {
if verified {
BaoBlobSize::Verified(size)
} else {
BaoBlobSize::Unverified(size)
}
}
/// Get just the value, no matter if it is verified or not.
pub fn value(&self) -> u64 {
match self {
BaoBlobSize::Unverified(size) => *size,
BaoBlobSize::Verified(size) => *size,
}
}
}
/// An entry for one hash in a bao map
///
/// The entry has the ability to provide you with an (outboard, data)
/// reader pair. Creating the reader is async and may fail. The futures that
/// create the readers must be `Send`, but the readers themselves don't have to
/// be.
pub trait MapEntry: std::fmt::Debug + Clone + Send + Sync + 'static {
/// The hash of the entry.
fn hash(&self) -> Hash;
/// The size of the entry.
fn size(&self) -> BaoBlobSize;
/// Returns `true` if the entry is complete.
///
/// Note that this does not actually verify if the bytes on disk are complete,
/// it only checks if the entry was marked as complete in the store.
fn is_complete(&self) -> bool;
/// A future that resolves to a reader that can be used to read the outboard
fn outboard(&self) -> impl Future<Output = io::Result<impl Outboard>> + Send;
/// A future that resolves to a reader that can be used to read the data
fn data_reader(&self) -> impl Future<Output = io::Result<impl AsyncSliceReader>> + Send;
/// Encodes data and outboard into a [`AsyncStreamWriter`].
///
/// Data and outboard parts will be interleaved.
///
/// `offset` is the byte offset in the blob to start the stream from. It will be rounded down to
/// the next chunk group.
///
/// Returns immediately without error if `start` is equal or larger than the entry's size.
fn write_verifiable_stream<'a>(
&'a self,
offset: u64,
writer: impl AsyncStreamWriter + 'a,
) -> impl Future<Output = io::Result<()>> + 'a {
async move {
let size = self.size().value();
if offset >= size {
return Ok(());
}
let ranges = range_from_offset_and_length(offset, size - offset);
let (outboard, data) = tokio::try_join!(self.outboard(), self.data_reader())?;
encode_ranges_validated(data, outboard, &ranges, writer).await?;
Ok(())
}
}
}
/// A generic map from hashes to bao blobs (blobs with bao outboards).
///
/// This is the readonly view. To allow updates, a concrete implementation must
/// also implement [`MapMut`].
///
/// Entries are *not* guaranteed to be complete for all implementations.
/// They are also not guaranteed to be immutable, since this could be the
/// readonly view of a mutable store.
pub trait Map: Clone + Send + Sync + 'static {
/// The entry type. An entry is a cheaply cloneable handle that can be used
/// to open readers for both the data and the outboard
type Entry: MapEntry;
/// Get an entry for a hash.
///
/// This can also be used for a membership test by just checking if there
/// is an entry. Creating an entry should be cheap, any expensive ops should
/// be deferred to the creation of the actual readers.
///
/// It is not guaranteed that the entry is complete.
fn get(&self, hash: &Hash) -> impl Future<Output = io::Result<Option<Self::Entry>>> + Send;
}
/// A partial entry
pub trait MapEntryMut: MapEntry {
/// Get a batch writer
fn batch_writer(&self) -> impl Future<Output = io::Result<impl BaoBatchWriter>> + Send;
}
/// An async batch interface for writing bao content items to a pair of data and
/// outboard.
///
/// Details like the chunk group size and the actual storage location are left
/// to the implementation.
pub trait BaoBatchWriter {
/// Write a batch of bao content items to the underlying storage.
///
/// The batch is guaranteed to be sorted as data is received from the network.
/// So leaves will be sorted by offset, and parents will be sorted by pre order
/// traversal offset. There is no guarantee that they will be consecutive
/// though.
///
/// The size is the total size of the blob that the remote side told us.
/// It is not guaranteed to be correct, but it is guaranteed to be
/// consistent with all data in the batch. The size therefore represents
/// an upper bound on the maximum offset of all leaf items.
/// So it is guaranteed that `leaf.offset + leaf.size <= size` for all
/// leaf items in the batch.
///
/// Batches should not become too large. Typically, a batch is just a few
/// parent nodes and a leaf.
///
/// Batch is a vec so it can be moved into a task, which is unfortunately
/// necessary in typical io code.
fn write_batch(
&mut self,
size: u64,
batch: Vec<BaoContentItem>,
) -> impl Future<Output = io::Result<()>>;
/// Sync the written data to permanent storage, if applicable.
/// E.g. for a file based implementation, this would call sync_data
/// on all files.
fn sync(&mut self) -> impl Future<Output = io::Result<()>>;
}
/// Implement BaoBatchWriter for mutable references
impl<W: BaoBatchWriter> BaoBatchWriter for &mut W {
async fn write_batch(&mut self, size: u64, batch: Vec<BaoContentItem>) -> io::Result<()> {
(**self).write_batch(size, batch).await
}
async fn sync(&mut self) -> io::Result<()> {
(**self).sync().await
}
}
/// A wrapper around a batch writer that calls a progress callback for one leaf
/// per batch.
#[derive(Debug)]
pub(crate) struct FallibleProgressBatchWriter<W, F>(W, F);
impl<W: BaoBatchWriter, F: Fn(u64, usize) -> io::Result<()> + 'static>
FallibleProgressBatchWriter<W, F>
{
/// Create a new `FallibleProgressBatchWriter` from an inner writer and a progress callback
///
/// The `on_write` function is called for each write, with the `offset` as the first and the
/// length of the data as the second param. `on_write` must return an `io::Result`.
/// If `on_write` returns an error, the download is aborted.
pub fn new(inner: W, on_write: F) -> Self {
Self(inner, on_write)
}
}
impl<W: BaoBatchWriter, F: Fn(u64, usize) -> io::Result<()> + 'static> BaoBatchWriter
for FallibleProgressBatchWriter<W, F>
{
async fn write_batch(&mut self, size: u64, batch: Vec<BaoContentItem>) -> io::Result<()> {
// find the offset and length of the first (usually only) chunk
let chunk = batch
.iter()
.filter_map(|item| {
if let BaoContentItem::Leaf(leaf) = item {
Some((leaf.offset, leaf.data.len()))
} else {
None
}
})
.next();
self.0.write_batch(size, batch).await?;
// call the progress callback
if let Some((offset, len)) = chunk {
(self.1)(offset, len)?;
}
Ok(())
}
async fn sync(&mut self) -> io::Result<()> {
self.0.sync().await
}
}
/// A mutable bao map.
///
/// This extends the readonly [`Map`] trait with methods to create and modify entries.
pub trait MapMut: Map {
/// An entry that is possibly writable
type EntryMut: MapEntryMut;
/// Get an existing entry as an EntryMut.
///
/// For implementations where EntryMut and Entry are the same type, this is just an alias for
/// `get`.
fn get_mut(
&self,
hash: &Hash,
) -> impl Future<Output = io::Result<Option<Self::EntryMut>>> + Send;
/// Get an existing partial entry, or create a new one.
///
/// We need to know the size of the partial entry. This might produce an
/// error e.g. if there is not enough space on disk.
fn get_or_create(
&self,
hash: Hash,
size: u64,
) -> impl Future<Output = io::Result<Self::EntryMut>> + Send;
/// Find out if the data behind a `hash` is complete, partial, or not present.
///
/// Note that this does not actually verify the on-disc data, but only checks in which section
/// of the store the entry is present.
fn entry_status(&self, hash: &Hash) -> impl Future<Output = io::Result<EntryStatus>> + Send;
/// Sync version of `entry_status`, for the doc sync engine until we can get rid of it.
///
/// Don't count on this to be efficient.
fn entry_status_sync(&self, hash: &Hash) -> io::Result<EntryStatus>;
/// Upgrade a partial entry to a complete entry.
fn insert_complete(&self, entry: Self::EntryMut)
-> impl Future<Output = io::Result<()>> + Send;
}
/// Extension of [`Map`] to add misc methods used by the rpc calls.
pub trait ReadableStore: Map {
/// list all blobs in the database. This includes both raw blobs that have
/// been imported, and hash sequences that have been created internally.
fn blobs(&self) -> impl Future<Output = io::Result<DbIter<Hash>>> + Send;
/// list all tags (collections or other explicitly added things) in the database
fn tags(&self) -> impl Future<Output = io::Result<DbIter<(Tag, HashAndFormat)>>> + Send;
/// Temp tags
fn temp_tags(&self) -> Box<dyn Iterator<Item = HashAndFormat> + Send + Sync + 'static>;
/// Perform a consistency check on the database
fn consistency_check(
&self,
repair: bool,
tx: BoxedProgressSender<ConsistencyCheckProgress>,
) -> impl Future<Output = io::Result<()>> + Send;
/// list partial blobs in the database
fn partial_blobs(&self) -> impl Future<Output = io::Result<DbIter<Hash>>> + Send;
/// This trait method extracts a file to a local path.
///
/// `hash` is the hash of the file
/// `target` is the path to the target file
/// `mode` is a hint how the file should be exported.
/// `progress` is a callback that is called with the total number of bytes that have been written
fn export(
&self,
hash: Hash,
target: PathBuf,
mode: ExportMode,
progress: ExportProgressCb,
) -> impl Future<Output = io::Result<()>> + Send;
}
/// The mutable part of a Bao store.
pub trait Store: ReadableStore + MapMut + std::fmt::Debug {
/// This trait method imports a file from a local path.
///
/// `data` is the path to the file.
/// `mode` is a hint how the file should be imported.
/// `progress` is a sender that provides a way for the importer to send progress messages
/// when importing large files. This also serves as a way to cancel the import. If the
/// consumer of the progress messages is dropped, subsequent attempts to send progress
/// will fail.
///
/// Returns the hash of the imported file. The reason to have this method is that some database
/// implementations might be able to import a file without copying it.
fn import_file(
&self,
data: PathBuf,
mode: ImportMode,
format: BlobFormat,
progress: impl ProgressSender<Msg = ImportProgress> + IdGenerator,
) -> impl Future<Output = io::Result<(TempTag, u64)>> + Send;
/// Import data from memory.
///
/// It is a special case of `import` that does not use the file system.
fn import_bytes(
&self,
bytes: Bytes,
format: BlobFormat,
) -> impl Future<Output = io::Result<TempTag>> + Send;
/// Import data from a stream of bytes.
fn import_stream(
&self,
data: impl Stream<Item = io::Result<Bytes>> + Send + Unpin + 'static,
format: BlobFormat,
progress: impl ProgressSender<Msg = ImportProgress> + IdGenerator,
) -> impl Future<Output = io::Result<(TempTag, u64)>> + Send;
/// Import data from an async byte reader.
fn import_reader(
&self,
data: impl AsyncRead + Send + Unpin + 'static,
format: BlobFormat,
progress: impl ProgressSender<Msg = ImportProgress> + IdGenerator,
) -> impl Future<Output = io::Result<(TempTag, u64)>> + Send {
let stream = tokio_util::io::ReaderStream::new(data);
self.import_stream(stream, format, progress)
}
/// Import a blob from a verified stream, as emitted by [`MapEntry::write_verifiable_stream`];
///
/// `total_size` is the total size of the blob as reported by the remote.
/// `offset` is the byte offset in the blob where the stream starts. It will be rounded
/// to the next chunk group.
fn import_verifiable_stream<'a>(
&'a self,
hash: Hash,
total_size: u64,
offset: u64,
reader: impl AsyncStreamReader + 'a,
) -> impl Future<Output = io::Result<()>> + 'a {
async move {
if offset >= total_size {
return Err(io::Error::new(
io::ErrorKind::InvalidInput,
"offset must not be greater than total_size",
));
}
let entry = self.get_or_create(hash, total_size).await?;
let mut bw = entry.batch_writer().await?;
let ranges = range_from_offset_and_length(offset, total_size - offset);
let mut decoder = ResponseDecoder::new(
hash.into(),
ranges,
BaoTree::new(total_size, IROH_BLOCK_SIZE),
reader,
);
let size = decoder.tree().size();
let mut buf = Vec::new();
let is_complete = loop {
decoder = match decoder.next().await {
ResponseDecoderNext::More((decoder, item)) => {
let item = match item {
Err(DecodeError::LeafNotFound(_) | DecodeError::ParentNotFound(_)) => {
break false
}
Err(err) => return Err(err.into()),
Ok(item) => item,
};
match &item {
BaoContentItem::Parent(_) => {
buf.push(item);
}
BaoContentItem::Leaf(_) => {
buf.push(item);
let batch = std::mem::take(&mut buf);
bw.write_batch(size, batch).await?;
}
}
decoder
}
ResponseDecoderNext::Done(_reader) => {
debug_assert!(buf.is_empty(), "last node of bao tree must be leaf node");
break true;
}
};
};
bw.sync().await?;
drop(bw);
if is_complete {
self.insert_complete(entry).await?;
}
Ok(())
}
}
/// Set a tag
fn set_tag(
&self,
name: Tag,
hash: Option<HashAndFormat>,
) -> impl Future<Output = io::Result<()>> + Send;
/// Create a new tag
fn create_tag(&self, hash: HashAndFormat) -> impl Future<Output = io::Result<Tag>> + Send;
/// Create a temporary pin for this store
fn temp_tag(&self, value: HashAndFormat) -> TempTag;
/// Start the GC loop
///
/// The gc task will shut down, when dropping the returned future.
fn gc_run<G, Gut>(&self, config: super::GcConfig, protected_cb: G) -> impl Future<Output = ()>
where
G: Fn() -> Gut,
Gut: Future<Output = BTreeSet<Hash>> + Send;
/// physically delete the given hashes from the store.
fn delete(&self, hashes: Vec<Hash>) -> impl Future<Output = io::Result<()>> + Send;
/// Shutdown the store.
fn shutdown(&self) -> impl Future<Output = ()> + Send;
/// Sync the store.
fn sync(&self) -> impl Future<Output = io::Result<()>> + Send;
/// Validate the database
///
/// This will check that the file and outboard content is correct for all complete
/// entries, and output valid ranges for all partial entries.
///
/// It will not check the internal consistency of the database.
fn validate(
&self,
repair: bool,
tx: BoxedProgressSender<ValidateProgress>,
) -> impl Future<Output = io::Result<()>> + Send {
validate_impl(self, repair, tx)
}
}
fn range_from_offset_and_length(offset: u64, length: u64) -> bao_tree::ChunkRanges {
let ranges = bao_tree::ByteRanges::from(offset..(offset + length));
bao_tree::io::round_up_to_chunks(&ranges)
}
async fn validate_impl(
store: &impl Store,
repair: bool,
tx: BoxedProgressSender<ValidateProgress>,
) -> io::Result<()> {
use futures_buffered::BufferedStreamExt;
let validate_parallelism: usize = num_cpus::get();
let lp = LocalPool::new(local_pool::Config {
threads: validate_parallelism,
..Default::default()
});
let complete = store.blobs().await?.collect::<io::Result<Vec<_>>>()?;
let partial = store
.partial_blobs()
.await?
.collect::<io::Result<Vec<_>>>()?;
tx.send(ValidateProgress::Starting {
total: complete.len() as u64,
})
.await?;
let complete_result = futures_lite::stream::iter(complete)
.map(|hash| {
let store = store.clone();
let tx = tx.clone();
lp.spawn(move || async move {
let entry = store
.get(&hash)
.await?
.ok_or_else(|| io::Error::new(io::ErrorKind::NotFound, "entry not found"))?;
let size = entry.size().value();
let outboard = entry.outboard().await?;
let data = entry.data_reader().await?;
let chunk_ranges = ChunkRanges::all();
let mut ranges = bao_tree::io::fsm::valid_ranges(outboard, data, &chunk_ranges);
let id = tx.new_id();
tx.send(ValidateProgress::Entry {
id,
hash,
path: None,
size,
})
.await?;
let mut actual_chunk_ranges = ChunkRanges::empty();
while let Some(item) = ranges.next().await {
let item = item?;
let offset = item.start.to_bytes();
actual_chunk_ranges |= ChunkRanges::from(item);
tx.try_send(ValidateProgress::EntryProgress { id, offset })?;
}
let expected_chunk_range =
ChunkRanges::from(..BaoTree::new(size, IROH_BLOCK_SIZE).chunks());
let incomplete = actual_chunk_ranges == expected_chunk_range;
let error = if incomplete {
None
} else {
Some(format!(
"expected chunk ranges {:?}, got chunk ranges {:?}",
expected_chunk_range, actual_chunk_ranges
))
};
tx.send(ValidateProgress::EntryDone { id, error }).await?;
drop(ranges);
drop(entry);
io::Result::Ok((hash, incomplete))
})
})
.buffered_unordered(validate_parallelism)
.collect::<Vec<_>>()
.await;
let partial_result = futures_lite::stream::iter(partial)
.map(|hash| {
let store = store.clone();
let tx = tx.clone();
lp.spawn(move || async move {
let entry = store
.get(&hash)
.await?
.ok_or_else(|| io::Error::new(io::ErrorKind::NotFound, "entry not found"))?;
let size = entry.size().value();
let outboard = entry.outboard().await?;
let data = entry.data_reader().await?;
let chunk_ranges = ChunkRanges::all();
let mut ranges = bao_tree::io::fsm::valid_ranges(outboard, data, &chunk_ranges);
let id = tx.new_id();
tx.send(ValidateProgress::PartialEntry {
id,
hash,
path: None,
size,
})
.await?;
let mut actual_chunk_ranges = ChunkRanges::empty();
while let Some(item) = ranges.next().await {
let item = item?;
let offset = item.start.to_bytes();
actual_chunk_ranges |= ChunkRanges::from(item);
tx.try_send(ValidateProgress::PartialEntryProgress { id, offset })?;
}
tx.send(ValidateProgress::PartialEntryDone {
id,
ranges: RangeSpec::new(&actual_chunk_ranges),
})
.await?;
drop(ranges);
drop(entry);
io::Result::Ok(())
})
})
.buffered_unordered(validate_parallelism)
.collect::<Vec<_>>()
.await;
let mut to_downgrade = Vec::new();
for item in complete_result {
let (hash, incomplete) = item??;
if incomplete {
to_downgrade.push(hash);
}
}
for item in partial_result {
item??;
}
if repair {
return Err(io::Error::new(
io::ErrorKind::Other,
"repair not implemented",
));
}
Ok(())
}
/// Configuration for the GC mark and sweep.
#[derive(derive_more::Debug)]
pub struct GcConfig {
/// The period at which to execute the GC.
pub period: Duration,
/// An optional callback called every time a GC round finishes.
#[debug("done_callback")]
pub done_callback: Option<Box<dyn Fn() + Send>>,
}
/// Implementation of the gc loop.
pub(super) async fn gc_run_loop<S, F, Fut, G, Gut>(
store: &S,
config: GcConfig,
start_cb: F,
protected_cb: G,
) where
S: Store,
F: Fn() -> Fut,
Fut: Future<Output = io::Result<()>> + Send,
G: Fn() -> Gut,
Gut: Future<Output = BTreeSet<Hash>> + Send,
{
tracing::info!("Starting GC task with interval {:?}", config.period);
let mut live = BTreeSet::new();
'outer: loop {
if let Err(cause) = start_cb().await {
tracing::debug!("unable to notify the db of GC start: {cause}. Shutting down GC loop.");
break;
}
// do delay before the two phases of GC
tokio::time::sleep(config.period).await;
tracing::debug!("Starting GC");
live.clear();
let p = protected_cb().await;
live.extend(p);
tracing::debug!("Starting GC mark phase");
let live_ref = &mut live;
let mut stream = Gen::new(|co| async move {
if let Err(e) = gc_mark_task(store, live_ref, &co).await {
co.yield_(GcMarkEvent::Error(e)).await;
}
});
while let Some(item) = stream.next().await {
match item {
GcMarkEvent::CustomDebug(text) => {
tracing::debug!("{}", text);
}
GcMarkEvent::CustomWarning(text, _) => {
tracing::warn!("{}", text);
}
GcMarkEvent::Error(err) => {
tracing::error!("Fatal error during GC mark {}", err);
continue 'outer;
}
}
}
drop(stream);
tracing::debug!("Starting GC sweep phase");
let live_ref = &live;
let mut stream = Gen::new(|co| async move {
if let Err(e) = gc_sweep_task(store, live_ref, &co).await {
co.yield_(GcSweepEvent::Error(e)).await;
}
});
while let Some(item) = stream.next().await {
match item {
GcSweepEvent::CustomDebug(text) => {
tracing::debug!("{}", text);
}
GcSweepEvent::CustomWarning(text, _) => {
tracing::warn!("{}", text);
}
GcSweepEvent::Error(err) => {
tracing::error!("Fatal error during GC mark {}", err);
continue 'outer;
}
}
}
if let Some(ref cb) = config.done_callback {
cb();
}
}
}
/// Implementation of the gc method.
pub(super) async fn gc_mark_task<'a>(
store: &'a impl Store,
live: &'a mut BTreeSet<Hash>,
co: &Co<GcMarkEvent>,
) -> anyhow::Result<()> {
macro_rules! debug {
($($arg:tt)*) => {
co.yield_(GcMarkEvent::CustomDebug(format!($($arg)*))).await;
};
}
macro_rules! warn {
($($arg:tt)*) => {
co.yield_(GcMarkEvent::CustomWarning(format!($($arg)*), None)).await;
};
}
let mut roots = BTreeSet::new();
debug!("traversing tags");
for item in store.tags().await? {
let (name, haf) = item?;
debug!("adding root {:?} {:?}", name, haf);
roots.insert(haf);
}
debug!("traversing temp roots");
for haf in store.temp_tags() {
debug!("adding temp pin {:?}", haf);
roots.insert(haf);
}
for HashAndFormat { hash, format } in roots {
// we need to do this for all formats except raw
if live.insert(hash) && !format.is_raw() {
let Some(entry) = store.get(&hash).await? else {
warn!("gc: {} not found", hash);
continue;
};
if !entry.is_complete() {
warn!("gc: {} is partial", hash);
continue;
}
let Ok(reader) = entry.data_reader().await else {
warn!("gc: {} creating data reader failed", hash);
continue;
};
let Ok((mut stream, count)) = parse_hash_seq(reader).await else {
warn!("gc: {} parse failed", hash);
continue;
};
debug!("parsed collection {} {:?}", hash, count);
loop {
let item = match stream.next().await {
Ok(Some(item)) => item,
Ok(None) => break,
Err(_err) => {
warn!("gc: {} parse failed", hash);
break;
}
};
// if format != raw we would have to recurse here by adding this to current
live.insert(item);
}
}
}
debug!("gc mark done. found {} live blobs", live.len());
Ok(())
}
async fn gc_sweep_task<'a>(
store: &'a impl Store,
live: &BTreeSet<Hash>,
co: &Co<GcSweepEvent>,
) -> anyhow::Result<()> {
let blobs = store.blobs().await?.chain(store.partial_blobs().await?);
let mut count = 0;
let mut batch = Vec::new();
for hash in blobs {
let hash = hash?;
if !live.contains(&hash) {
batch.push(hash);
count += 1;
}
if batch.len() >= 100 {
store.delete(batch.clone()).await?;
batch.clear();
}
}
if !batch.is_empty() {
store.delete(batch).await?;
}
co.yield_(GcSweepEvent::CustomDebug(format!(
"deleted {} blobs",
count
)))
.await;
Ok(())
}
/// An event related to GC
#[derive(Debug)]
pub enum GcMarkEvent {
/// A custom event (info)
CustomDebug(String),
/// A custom non critical error
CustomWarning(String, Option<anyhow::Error>),
/// An unrecoverable error during GC
Error(anyhow::Error),
}
/// An event related to GC
#[derive(Debug)]
pub enum GcSweepEvent {
/// A custom event (debug)
CustomDebug(String),
/// A custom non critical error
CustomWarning(String, Option<anyhow::Error>),
/// An unrecoverable error during GC
Error(anyhow::Error),
}
/// Progress messages for an import operation
///
/// An import operation involves computing the outboard of a file, and then
/// either copying or moving the file into the database.
#[allow(missing_docs)]
#[derive(Debug)]
pub enum ImportProgress {
/// Found a path
///
/// This will be the first message for an id
Found { id: u64, name: String },
/// Progress when copying the file to the store
///
/// This will be omitted if the store can use the file in place
///
/// There will be multiple of these messages for an id
CopyProgress { id: u64, offset: u64 },
/// Determined the size
///
/// This will come after `Found` and zero or more `CopyProgress` messages.
/// For unstable files, determining the size will only be done once the file
/// is fully copied.
Size { id: u64, size: u64 },
/// Progress when computing the outboard
///
/// There will be multiple of these messages for an id
OutboardProgress { id: u64, offset: u64 },
/// Done computing the outboard
///
/// This comes after `Size` and zero or more `OutboardProgress` messages
OutboardDone { id: u64, hash: Hash },
}
/// The import mode describes how files will be imported.
///
/// This is a hint to the import trait method. For some implementations, this
/// does not make any sense. E.g. an in memory implementation will always have
/// to copy the file into memory. Also, a disk based implementation might choose
/// to copy small files even if the mode is `Reference`.
#[derive(Debug, Clone, Copy, PartialEq, Eq, Default, Serialize, Deserialize)]
pub enum ImportMode {
/// This mode will copy the file into the database before hashing.
///
/// This is the safe default because the file can not be accidentally modified
/// after it has been imported.
#[default]
Copy,
/// This mode will try to reference the file in place and assume it is unchanged after import.
///
/// This has a large performance and storage benefit, but it is less safe since
/// the file might be modified after it has been imported.
///
/// Stores are allowed to ignore this mode and always copy the file, e.g.
/// if the file is very small or if the store does not support referencing files.
TryReference,
}
/// The import mode describes how files will be imported.
///
/// This is a hint to the import trait method. For some implementations, this
/// does not make any sense. E.g. an in memory implementation will always have
/// to copy the file into memory. Also, a disk based implementation might choose
/// to copy small files even if the mode is `Reference`.
#[derive(Debug, Clone, Copy, PartialEq, Eq, Default, Deserialize, Serialize)]
pub enum ExportMode {
/// This mode will copy the file to the target directory.
///
/// This is the safe default because the file can not be accidentally modified
/// after it has been exported.
#[default]
Copy,
/// This mode will try to move the file to the target directory and then reference it from
/// the database.
///
/// This has a large performance and storage benefit, but it is less safe since
/// the file might be modified in the target directory after it has been exported.
///
/// Stores are allowed to ignore this mode and always copy the file, e.g.
/// if the file is very small or if the store does not support referencing files.
TryReference,
}
/// The expected format of a hash being exported.
#[derive(Debug, Clone, Serialize, Deserialize, Default)]
pub enum ExportFormat {
/// The hash refers to any blob and will be exported to a single file.
#[default]
Blob,
/// The hash refers to a [`crate::format::collection::Collection`] blob
/// and all children of the collection shall be exported to one file per child.
///
/// If the blob can be parsed as a [`BlobFormat::HashSeq`], and the first child contains
/// collection metadata, all other children of the collection will be exported to
/// a file each, with their collection name treated as a relative path to the export
/// destination path.
///
/// If the blob cannot be parsed as a collection, the operation will fail.
Collection,
}
#[allow(missing_docs)]
#[derive(Debug)]
pub enum ExportProgress {
/// Starting to export to a file
///
/// This will be the first message for an id
Start {
id: u64,
hash: Hash,
path: PathBuf,
stable: bool,
},
/// Progress when copying the file to the target
///
/// This will be omitted if the store can move the file or use copy on write
///
/// There will be multiple of these messages for an id
Progress { id: u64, offset: u64 },
/// Done exporting
Done { id: u64 },
}
/// Level for generic validation messages
#[derive(
Debug, Clone, Copy, derive_more::Display, Serialize, Deserialize, PartialOrd, Ord, PartialEq, Eq,
)]
pub enum ReportLevel {
/// Very unimportant info messages
Trace,
/// Info messages
Info,
/// Warnings, something is not quite right
Warn,
/// Errors, something is very wrong
Error,
}
/// Progress updates for the validate operation
#[derive(Debug, Serialize, Deserialize)]
pub enum ConsistencyCheckProgress {
/// Consistency check started
Start,
/// Consistency check update
Update {
/// The message
message: String,
/// The entry this message is about, if any
entry: Option<Hash>,
/// The level of the message
level: ReportLevel,
},
/// Consistency check ended
Done,
/// We got an error and need to abort.
Abort(serde_error::Error),
}
/// Progress updates for the validate operation
#[derive(Debug, Serialize, Deserialize)]
pub enum ValidateProgress {
/// started validating
Starting {
/// The total number of entries to validate
total: u64,
},
/// We started validating a complete entry
Entry {
/// a new unique id for this entry
id: u64,
/// the hash of the entry
hash: Hash,
/// location of the entry.
///
/// In case of a file, this is the path to the file.
/// Otherwise it might be an url or something else to uniquely identify the entry.
path: Option<String>,
/// The size of the entry, in bytes.
size: u64,
},
/// We got progress ingesting item `id`.
EntryProgress {
/// The unique id of the entry.
id: u64,
/// The offset of the progress, in bytes.
offset: u64,
},
/// We are done with `id`
EntryDone {
/// The unique id of the entry.
id: u64,
/// An error if we failed to validate the entry.
error: Option<String>,
},
/// We started validating an entry
PartialEntry {
/// a new unique id for this entry
id: u64,
/// the hash of the entry
hash: Hash,
/// location of the entry.
///
/// In case of a file, this is the path to the file.
/// Otherwise it might be an url or something else to uniquely identify the entry.
path: Option<String>,
/// The best known size of the entry, in bytes.
size: u64,
},
/// We got progress ingesting item `id`.
PartialEntryProgress {
/// The unique id of the entry.
id: u64,
/// The offset of the progress, in bytes.
offset: u64,
},
/// We are done with `id`
PartialEntryDone {
/// The unique id of the entry.
id: u64,
/// Available ranges.
ranges: RangeSpec,
},
/// We are done with the whole operation.
AllDone,
/// We got an error and need to abort.
Abort(serde_error::Error),
}
/// Database events
#[derive(Debug, Clone, PartialEq, Eq)]
pub enum Event {
/// A GC was started
GcStarted,
/// A GC was completed
GcCompleted,
}