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
|
use futures::future::join_all;
use just_progress::progress;
use log::{error, info, trace};
use std::path::{Path, PathBuf};
use tokio::{fs::File, io::AsyncWriteExt};
use crate::{
chunker::{
constants::BUTCK_INDEX_FILE_SUFFIX,
context::ButckContext,
rw::error::{ButckRWError, ButckRWErrorKind},
rw::storage,
},
utils::size_display::size_display,
};
pub async fn build(ctx: ButckContext) -> Result<(), ButckRWError> {
if ctx.storage_path.is_none() {
return Err(ButckRWErrorKind::NoButckStorageFound.pack(ctx));
}
if ctx.file_paths.is_empty() {
return Err(
ButckRWErrorKind::RebuildFailed("No bidx files specified".to_string()).pack(ctx),
);
}
let tasks: Vec<_> = ctx
.file_paths
.iter()
.map(|bidx_path| async {
trace!(
"Preparing to rebuild from bidx file `{}`",
bidx_path.display()
);
rebuild_from_bidx(bidx_path, &ctx).await
})
.collect();
let results = join_all(tasks).await;
for result in results {
if let Err(e) = result {
return Err(e.pack(ctx));
}
}
Ok(())
}
async fn rebuild_from_bidx(
bidx_path: &PathBuf,
ctx: &ButckContext,
) -> Result<(), ButckRWErrorKind> {
// Validate file suffix
if let Some(suffix) = bidx_path.extension()
&& suffix != BUTCK_INDEX_FILE_SUFFIX
{
return Err(ButckRWErrorKind::InvalidBidxFormat);
}
info!("Rebuilding from bidx file: {}", bidx_path.display());
// Use the unified bidx file reader
let (original_filename, chunk_infos) =
crate::chunker::rw::storage::bidx::read_bidx_file(bidx_path).map_err(|e| {
error!("Failed to read bidx file: {}", e);
ButckRWErrorKind::InvalidBidxFormat
})?;
trace!("Original filename from bidx: {}", original_filename);
let chunk_count = chunk_infos.len();
info!("Found {} chunks in bidx file", chunk_count);
// Extract hash bytes from chunk infos
let mut chunk_hashes = Vec::with_capacity(chunk_count);
for chunk_info in &chunk_infos {
match hex::decode(&chunk_info.hash) {
Ok(hash_bytes) => {
if hash_bytes.len() == 32 {
let hash_array: [u8; 32] = hash_bytes
.try_into()
.map_err(|_| ButckRWErrorKind::InvalidBidxFormat)?;
chunk_hashes.push(hash_array);
} else {
error!("Invalid hash length: {} bytes", hash_bytes.len());
return Err(ButckRWErrorKind::InvalidBidxFormat);
}
}
Err(e) => {
error!("Failed to decode hash hex: {}", e);
return Err(ButckRWErrorKind::InvalidBidxFormat);
}
}
}
trace!("Parsed {} chunk hashes", chunk_hashes.len());
// Determine output file path
let output_path = if let Some(output_file) = &ctx.output_file {
output_file.clone()
} else {
// Use the original filename read from the bidx file
storage::generate_unique_path(&ctx.output_dir, &original_filename)
};
info!("Rebuilding file to: {}", output_path.display());
let progress_name = format!("Rebuild `{}`", output_path.display());
progress::update_progress(progress_name.as_str(), 0.0);
let step = 1.0 / chunk_count as f64;
let mut tasks = Vec::with_capacity(chunk_count);
for (index, hash_bytes) in chunk_hashes.iter().enumerate() {
let hash_hex = hex::encode(hash_bytes);
tasks.push(read_chunk(
progress_name.as_str(),
step,
hash_hex,
&ctx.output_dir,
index,
));
}
trace!("Starting parallel read of {} chunks", tasks.len());
let results = join_all(tasks).await;
trace!("All read tasks completed");
// Collect chunk data and verify order
let mut chunk_data_list = Vec::with_capacity(chunk_count);
let mut success_count = 0;
for (index, result) in results.into_iter().enumerate() {
match result {
Ok(chunk_data) => {
let chunk_size = chunk_data.len();
success_count += 1;
chunk_data_list.push((index, chunk_data));
trace!(
"Chunk {} read successfully, size: {} bytes",
index, chunk_size
);
}
Err(e) => {
error!("Failed to read chunk {}: {:?}", index, e);
return Err(e);
}
}
}
if success_count != chunk_count {
return Err(ButckRWErrorKind::ChunkNotFound(format!(
"Only {}/{} chunks found in storage",
success_count, chunk_count
)));
}
info!("All {} chunks read successfully", success_count);
// Sort by index and concatenate files
chunk_data_list.sort_by_key(|(index, _)| *index);
// Calculate total size
let total_size: usize = chunk_data_list.iter().map(|(_, data)| data.len()).sum();
let (total_value, total_unit) = size_display(total_size);
info!(
"Rebuilding file: {} chunks, total size: {:.2} {} ({} bytes)",
chunk_count, total_value, total_unit, total_size
);
// Write to output file
trace!("Writing to output file: {}", output_path.display());
let mut output_file = File::create(&output_path).await?;
for (index, chunk_data) in chunk_data_list {
trace!("Writing chunk {} ({} bytes)", index, chunk_data.len());
output_file.write_all(&chunk_data).await?;
progress::increase(progress_name.as_str(), step as f32);
}
output_file.flush().await?;
info!("File successfully rebuilt: {}", output_path.display());
progress::complete(progress_name.as_str());
Ok(())
}
/// Read a single chunk from storage
async fn read_chunk(
progress_name: &str,
step: f64,
hash_hex: String,
storage_dir: &Path,
chunk_index: usize,
) -> Result<Vec<u8>, ButckRWErrorKind> {
trace!("read_chunk[{}]: Starting, hash: {}", chunk_index, hash_hex);
// Build chunk file path
let file_path = storage::get_chunk_path(storage_dir, &hash_hex);
trace!(
"read_chunk[{}]: Looking for file at: {}",
chunk_index,
file_path.display()
);
// Read chunk file
match tokio::fs::read(&file_path).await {
Ok(data) => {
trace!(
"read_chunk[{}]: Read {} bytes successfully",
chunk_index,
data.len()
);
progress::increase(progress_name, step as f32);
Ok(data)
}
Err(e) if e.kind() == std::io::ErrorKind::NotFound => {
trace!("read_chunk[{}]: File not found", chunk_index);
Err(ButckRWErrorKind::ChunkNotFound(format!(
"Chunk {} (hash: {}) not found in storage",
chunk_index, hash_hex
)))
}
Err(e) => {
trace!("read_chunk[{}]: Read failed: {:?}", chunk_index, e);
Err(ButckRWErrorKind::IOError(e))
}
}
}
|