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
//! Create test data in S3-compatible object storage
use crate::Result;
use aws_sdk_s3::{primitives::ByteStream, Client};
use bytes::Bytes;
use futures::{StreamExt, TryStreamExt};
use rand::prelude::*;
use sha2::Digest;
use std::{
borrow::Cow,
collections::{HashMap, HashSet},
path::Path,
};
use tokio::io::AsyncReadExt;
use tracing::instrument;
use url::Url;
/// Max concurrent S3 operations when dealing with test data
const MAX_CONCURRENCY: usize = 10;
#[derive(Clone, Debug)]
pub struct TestObject {
pub key: String,
pub size: usize,
}
impl TestObject {
/// Make a new test object spec with the size specified as a string so we can use
/// human-friendly units like "10 KB" or "20 MiB"
pub fn new(key: impl Into<String>, size: impl AsRef<str>) -> Self {
let key = key.into();
let size = byte_unit::Byte::from_str(size).unwrap();
Self {
key,
size: size.get_bytes() as usize,
}
}
}
/// The same test object spec as in [`TestObject`], but with the data that is written to the object
/// as well
#[derive(Clone, Debug)]
pub struct TestObjectWithData {
pub key: String,
pub url: Url,
pub data: Vec<u8>,
pub hash: [u8; 32],
}
/// Generate a unique prefix ending in a `/` character, and prepend it to the `key` in a collection
/// of [`TestObject`]s.
///
/// Returns the unique prefix an an iterator that yields the modified test objects.
///
/// This is useful when running tests against a real S3 bucket, where multiple runs of the same
/// test may write to the bucket so each test's object keys must be unique
pub fn prepend_unique_prefix(
objects: impl IntoIterator<Item = TestObject>,
) -> (String, impl IntoIterator<Item = TestObject>) {
let prefix = format!("{:08x}/", rand::thread_rng().next_u32());
let objects = {
let prefix = prefix.clone();
objects.into_iter().map(move |mut object| {
object.key = format!("{}{}", prefix, object.key);
object
})
};
(prefix, objects)
}
/// Generate one or more test objects in a bucket.
///
/// Each object has a size specified. Random data will be generated for each object.
///
/// The return value upon success is the same test objects specified on input, but with test data
/// included. The key to the hash table is the object key
pub async fn make_test_data(
client: &Client,
bucket: &str,
objects: impl IntoIterator<Item = TestObject>,
) -> Result<HashMap<String, TestObjectWithData>> {
let create_futs = objects.into_iter().map(|test_object| async move {
let data =
make_test_data_object(client, bucket, &test_object.key.clone(), test_object.size)
.await?;
Result::<_>::Ok((test_object.key, data))
});
// Run these futures in parallel as part of a stream
let mut test_data_stream = futures::stream::iter(create_futs).buffer_unordered(MAX_CONCURRENCY);
let mut test_objects = HashMap::new();
while let Some(result) = test_data_stream.next().await {
let (key, data) = result?;
let mut hasher = sha2::Sha256::new();
hasher.update(&data);
let mut hash = [0u8; 32];
hash.copy_from_slice(&hasher.finalize());
let object = TestObjectWithData {
url: format!("s3://{}/{}", bucket, key).parse().unwrap(),
key: key.clone(),
data,
hash,
};
assert!(
test_objects.insert(object.key.clone(), object).is_none(),
"BUG: test data contains the same key '{}' more than once",
key
);
}
Ok(test_objects)
}
/// Generate test data for and upload a single test object
pub async fn make_test_data_object(
client: &Client,
bucket: &str,
key: &str,
size: usize,
) -> Result<Vec<u8>> {
let mut rand = rand::thread_rng();
let mut data = vec![0u8; size];
rand.fill(&mut data[..]);
client
.put_object()
.bucket(bucket)
.key(key.to_string())
.body(ByteStream::from(Bytes::from(data.clone())))
.send()
.await?;
Result::<_>::Ok(data)
}
/// Validate the test data in a hash map against files in a directory where the file paths relative
/// to `path` correspond to the keys in [`TestObjectWithData`].
///
/// This assumes that the tar archive has been extracted to local storage somewhere for validation
/// purposes.
pub async fn validate_test_data_in_dir<Keys, Item>(
test_data: &HashMap<String, TestObjectWithData>,
path: &Path,
expected_keys: Keys,
) -> Result<()>
where
Keys: IntoIterator<Item = Item>,
Item: Into<Cow<'static, str>>,
{
// First recursively list all files in `path` (with their paths relative to `path` so it will
// match the corresponding object store keys) and verify the files on disk and the expected
// test data objects match exactly
println!(
"Test data dir {} contains the following files:",
path.display()
);
let files = walkdir::WalkDir::new(path)
.into_iter()
.filter(|result| {
// We are not interested in directories, just files
if let Ok(entry) = &result {
!entry.file_type().is_dir()
} else {
// Errors should always be passed on to the next stage so they get reported
true
}
})
.map(|result| {
let entry = result?;
let relative_path = entry.path().strip_prefix(path)?.to_owned();
println!(
" {} ({} bytes)",
relative_path.display(),
entry.path().metadata()?.len()
);
Result::<_>::Ok(relative_path)
})
.collect::<Result<Vec<_>>>()?;
// Verify all of the expected keys are actually present in the `test_data` hash table, and make
// a new hash table of just the expected keys
let mut expected_test_data: HashMap<String, &TestObjectWithData> = expected_keys.into_iter()
.map(|item| {
let key = item.into();
let data = test_data.get(key.as_ref())
.unwrap_or_else(|| panic!("BUG: test specifies expected key '{key}' but the `test_data` collection doesn't have such an entry"));
// On Windows, the file paths listed in `files` will use `\` path separators, but our
// tests always specify expected keys using `/` separators. Rewrite the expected keys
// here
#[cfg(windows)]
let key = key.replace('/', "\\");
#[cfg(not(windows))]
let key = key.to_string();
(key, data)
})
.collect();
// Make a set of all expected object keys, and go file by file making sure there was an object key with
// the same name, then remove it from the set so that we can also list excess object keys that
// don't correspond to any files
let mut expected_keys = expected_test_data
.keys()
.map(|key| key.to_string())
.collect::<HashSet<_>>();
for relative_path in files {
let key = relative_path.to_string_lossy();
let test_data = expected_test_data.remove(key.as_ref()).unwrap_or_else(|| {
// There was no object with this name
panic!(
"Tar archive contains file `{}` which is not among the expected test data",
relative_path.display()
);
});
expected_keys.remove(key.as_ref());
// Verify the file contents matches the expected data
let mut file = tokio::fs::File::open(path.join(&relative_path)).await?;
let metadata = file.metadata().await?;
let mut data = Vec::with_capacity(metadata.len() as usize);
file.read_to_end(&mut data).await?;
let mut hasher = sha2::Sha256::new();
hasher.update(&data);
let mut hash = [0u8; 32];
hash.copy_from_slice(&hasher.finalize());
assert_eq!(
hash,
test_data.hash,
"File '{}' (key '{}') hash doesn't match expected value",
relative_path.display(),
key
);
}
if !expected_keys.is_empty() {
// Some test data objects were not present in the path
panic!(
"One or more test data objects were not found in the archive: {}",
expected_keys.into_iter().collect::<Vec<_>>().join(",")
)
}
Ok(())
}
/// Validate the test data in a hash map against an S3 bucket to which an archive containing the
/// test data has been extracted.
#[instrument(err, skip_all, fields(bucket, prefix))]
pub async fn validate_test_data_in_s3<Keys, Item>(
client: &aws_sdk_s3::Client,
test_data: &HashMap<String, TestObjectWithData>,
bucket: &str,
prefix: &str,
expected_keys: Keys,
) -> Result<()>
where
Keys: IntoIterator<Item = Item>,
Item: Into<Cow<'static, str>>,
{
// First list all objects in the bucket and prefix
let mut objects = HashMap::new();
let pages = client
.list_objects_v2()
.bucket(bucket)
.prefix(prefix)
.into_paginator()
.send();
// Translate this stream of pages of object listings into a stream of AWS SDK
// 'Object' structs so we can process them one at a time
let mut pages = pages.map(|result| {
let page = result?;
let result: Result<Vec<aws_sdk_s3::types::Object>> = Ok(page.contents.unwrap_or_default());
result
});
while let Some(result) = pages.next().await {
for object in result? {
objects.insert(object.key().unwrap().to_owned(), object);
}
}
// Verify all of the expected keys are actually present in the `test_data` hash table, and make
// a new hash table of just the expected keys
let mut expected_test_data: HashMap<Cow<'static, str>, &TestObjectWithData> = expected_keys.into_iter()
.map(|item| {
let key = item.into();
let data = test_data.get(key.as_ref())
.unwrap_or_else(|| panic!("BUG: test specifies expected key '{key}' but the `test_data` collection doesn't have such an entry"));
(key, data)
})
.collect();
// Make a set of all expected object keys, and go object by object making sure there was an object key with
// the same name, then remove it from the set so that we can also list excess object keys that
// don't correspond to any objects
let mut expected_keys = expected_test_data
.keys()
.map(|key| key.to_string())
.collect::<HashSet<_>>();
for (key, _object) in objects {
// In the test data hashmap, keys are identified without whatever prefix was used when
// extracting, so use that form here
let relative_key = key.strip_prefix(prefix).unwrap();
let test_data = expected_test_data.remove(relative_key).unwrap_or_else(|| {
// There was no object with this name
panic!(
"Bucket contains object `{}` which is not among the expected test data",
relative_key
);
});
expected_keys.remove(relative_key);
// Verify the object contents matches the expected data.
//
// This usually requires reading the entire object back and calculating the hash, even
// though the extract operation populates the SHA256 hash header. That's not enough to
// avoid having to read the whole data because:
//
// - For multi-part uploads, the SHA256 checksum that gets reported is a hash of the hashes
// of all of the parts, not the hash of the contents. When we generate test data we don't
// know how it will be broken up into parts, so we dont' know these per-part hashes. That
// means for the biggest of objects (by nature multipart uploads are performed on objects
// large enough to exceed the multipart threshold) we still have to download and recompute
// the contents
// - As of January 2023, the latest MinIO is a new and interesting kind of broken. It
// computes SHA256 hashes for multipart uploads, but it does it in a way that doesn't match
// the AWS behavior, so rather than try to guess which S3 impl this is and calculate the
// hash in the appropriate way, it's easier to just download the object and compute its
// hash.
let hash = {
let response = client.get_object().bucket(bucket).key(&key).send().await?;
let mut body = response.body;
let mut hasher = sha2::Sha256::new();
while let Some(bytes) = body.try_next().await? {
hasher.update(bytes);
}
let mut hash = [0u8; 32];
hash.copy_from_slice(&hasher.finalize());
hash
};
assert_eq!(
hash, test_data.hash,
"S3 object '{}' (key '{}') hash doesn't match expected value",
relative_key, key
);
}
if !expected_keys.is_empty() {
// Some test data objects were not present in the path
panic!(
"One or more test data objects were not found in the archive: {}",
expected_keys.into_iter().collect::<Vec<_>>().join(",")
)
}
Ok(())
}