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
//! A client to retrieve snapshots data from an Aggregator.
//!
//! In order to do so it defines a [SnapshotClient] which exposes the following features:
//! - [get][SnapshotClient::get]: get a single snapshot data from its digest
//! - [list][SnapshotClient::list]: get the list of available snapshots
//! - [download_unpack][SnapshotClient::download_unpack]: download and unpack the tarball of a snapshot to a directory
//!
//! # Get a single snapshot
//!
//! To get a single snapshot using the [ClientBuilder][crate::client::ClientBuilder].
//!
//! ```no_run
//! # async fn run() -> mithril_client::MithrilResult<()> {
//! use mithril_client::ClientBuilder;
//!
//! let client = ClientBuilder::aggregator("YOUR_AGGREGATOR_ENDPOINT", "YOUR_GENESIS_VERIFICATION_KEY").build()?;
//! let snapshot = client.snapshot().get("SNAPSHOT_DIGEST").await?.unwrap();
//!
//! println!("Snapshot digest={}, size={}", snapshot.digest, snapshot.size);
//! # Ok(())
//! # }
//! ```
//!
//! # List available snapshots
//!
//! To list available snapshots using the [ClientBuilder][crate::client::ClientBuilder].
//!
//! ```no_run
//! # async fn run() -> mithril_client::MithrilResult<()> {
//! use mithril_client::ClientBuilder;
//!
//! let client = ClientBuilder::aggregator("YOUR_AGGREGATOR_ENDPOINT", "YOUR_GENESIS_VERIFICATION_KEY").build()?;
//! let snapshots = client.snapshot().list().await?;
//!
//! for snapshot in snapshots {
//! println!("Snapshot digest={}, size={}", snapshot.digest, snapshot.size);
//! }
//! # Ok(())
//! # }
//! ```
//!
//! # Download a snapshot
//! **Note:** _Available on crate feature_ **fs** _only._
//!
//! To download and simultaneously unpack the tarball of a snapshots using the [ClientBuilder][crate::client::ClientBuilder].
//!
//! ```no_run
//! # #[cfg(feature = "fs")]
//! # async fn run() -> mithril_client::MithrilResult<()> {
//! use mithril_client::ClientBuilder;
//! use std::path::Path;
//!
//! let client = ClientBuilder::aggregator("YOUR_AGGREGATOR_ENDPOINT", "YOUR_GENESIS_VERIFICATION_KEY").build()?;
//! let snapshot = client.snapshot().get("SNAPSHOT_DIGEST").await?.unwrap();
//!
//! // Note: the directory must already exist, and the user running the binary must have read/write access to it.
//! let target_directory = Path::new("/home/user/download/");
//! client
//! .snapshot()
//! .download_unpack(&snapshot, target_directory)
//! .await?;
//! #
//! # Ok(())
//! # }
//! ```
//!
//! # Add statistics
//! **Note:** _Available on crate feature_ **fs** _only._
//!
//! Increments the aggregator snapshot download statistics using the [ClientBuilder][crate::client::ClientBuilder].
//!
//! ```no_run
//! # #[cfg(feature = "fs")]
//! # async fn run() -> mithril_client::MithrilResult<()> {
//! use mithril_client::ClientBuilder;
//! use std::path::Path;
//!
//! let client = ClientBuilder::aggregator("YOUR_AGGREGATOR_ENDPOINT", "YOUR_GENESIS_VERIFICATION_KEY").build()?;
//! let snapshot = client.snapshot().get("SNAPSHOT_DIGEST").await?.unwrap();
//!
//! // Note: the directory must already exist, and the user running the binary must have read/write access to it.
//! let target_directory = Path::new("/home/user/download/");
//! client
//! .snapshot()
//! .download_unpack(&snapshot, target_directory)
//! .await?;
//!
//! client.snapshot().add_statistics(&snapshot).await.unwrap();
//! #
//! # Ok(())
//! # }
//! ```
use anyhow::Context;
#[cfg(feature = "fs")]
use slog::Logger;
use std::sync::Arc;
use thiserror::Error;
use crate::aggregator_client::{AggregatorClient, AggregatorClientError, AggregatorRequest};
#[cfg(feature = "fs")]
use crate::feedback::FeedbackSender;
#[cfg(feature = "fs")]
use crate::snapshot_downloader::SnapshotDownloader;
use crate::{MithrilResult, Snapshot, SnapshotListItem};
/// Error for the Snapshot client
#[derive(Error, Debug)]
pub enum SnapshotClientError {
/// Download location does not work
#[error("Could not find a working download location for the snapshot digest '{digest}', tried location: {{'{locations}'}}.")]
NoWorkingLocation {
/// given digest
digest: String,
/// list of locations tried
locations: String,
},
}
/// Aggregator client for the snapshot artifact
pub struct SnapshotClient {
aggregator_client: Arc<dyn AggregatorClient>,
#[cfg(feature = "fs")]
snapshot_downloader: Arc<dyn SnapshotDownloader>,
#[cfg(feature = "fs")]
feedback_sender: FeedbackSender,
#[cfg(feature = "fs")]
logger: Logger,
}
impl SnapshotClient {
/// Constructs a new `SnapshotClient`.
pub fn new(
aggregator_client: Arc<dyn AggregatorClient>,
#[cfg(feature = "fs")] snapshot_downloader: Arc<dyn SnapshotDownloader>,
#[cfg(feature = "fs")] feedback_sender: FeedbackSender,
#[cfg(feature = "fs")] logger: Logger,
) -> Self {
Self {
aggregator_client,
#[cfg(feature = "fs")]
snapshot_downloader,
#[cfg(feature = "fs")]
feedback_sender,
#[cfg(feature = "fs")]
logger: mithril_common::logging::LoggerExtensions::new_with_component_name::<Self>(
&logger,
),
}
}
/// Return a list of available snapshots
pub async fn list(&self) -> MithrilResult<Vec<SnapshotListItem>> {
let response = self
.aggregator_client
.get_content(AggregatorRequest::ListSnapshots)
.await
.with_context(|| "Snapshot Client can not get the artifact list")?;
let items = serde_json::from_str::<Vec<SnapshotListItem>>(&response)
.with_context(|| "Snapshot Client can not deserialize artifact list")?;
Ok(items)
}
/// Get the given snapshot data. If it cannot be found, a None is returned.
pub async fn get(&self, digest: &str) -> MithrilResult<Option<Snapshot>> {
match self
.aggregator_client
.get_content(AggregatorRequest::GetSnapshot {
digest: digest.to_string(),
})
.await
{
Ok(content) => {
let snapshot: Snapshot = serde_json::from_str(&content)
.with_context(|| "Snapshot Client can not deserialize artifact")?;
Ok(Some(snapshot))
}
Err(AggregatorClientError::RemoteServerLogical(_)) => Ok(None),
Err(e) => Err(e.into()),
}
}
cfg_fs! {
/// Download and unpack the given snapshot to the given directory
///
/// **NOTE**: The directory should already exist, and the user running the binary
/// must have read/write access to it.
pub async fn download_unpack(
&self,
snapshot: &Snapshot,
target_dir: &std::path::Path,
) -> MithrilResult<()> {
use crate::feedback::MithrilEvent;
for location in snapshot.locations.as_slice() {
if self.snapshot_downloader.probe(location).await.is_ok() {
let download_id = MithrilEvent::new_snapshot_download_id();
self.feedback_sender
.send_event(MithrilEvent::SnapshotDownloadStarted {
digest: snapshot.digest.clone(),
download_id: download_id.clone(),
size: snapshot.size,
})
.await;
return match self
.snapshot_downloader
.download_unpack(
location,
target_dir,
snapshot.compression_algorithm,
&download_id,
snapshot.size,
)
.await
{
Ok(()) => {
self.feedback_sender
.send_event(MithrilEvent::SnapshotDownloadCompleted { download_id })
.await;
Ok(())
}
Err(e) => {
slog::warn!(
self.logger, "Failed downloading snapshot from '{location}'";
"error" => ?e
);
Err(e)
}
};
}
}
let locations = snapshot.locations.join(", ");
Err(SnapshotClientError::NoWorkingLocation {
digest: snapshot.digest.clone(),
locations,
}
.into())
}
}
/// Increments the aggregator snapshot download statistics
pub async fn add_statistics(&self, snapshot: &Snapshot) -> MithrilResult<()> {
let _response = self
.aggregator_client
.post_content(AggregatorRequest::IncrementSnapshotStatistic {
snapshot: serde_json::to_string(snapshot)?,
})
.await?;
Ok(())
}
}
#[cfg(all(test, feature = "fs"))]
mod tests_download {
use crate::{
aggregator_client::MockAggregatorHTTPClient,
feedback::{MithrilEvent, StackFeedbackReceiver},
snapshot_downloader::MockHttpSnapshotDownloader,
test_utils,
};
use std::path::Path;
use super::*;
#[tokio::test]
async fn download_unpack_send_feedbacks() {
let mut snapshot_downloader = MockHttpSnapshotDownloader::new();
snapshot_downloader.expect_probe().returning(|_| Ok(()));
snapshot_downloader
.expect_download_unpack()
.returning(|_, _, _, _, _| Ok(()));
let feedback_receiver = Arc::new(StackFeedbackReceiver::new());
let client = SnapshotClient::new(
Arc::new(MockAggregatorHTTPClient::new()),
Arc::new(snapshot_downloader),
FeedbackSender::new(&[feedback_receiver.clone()]),
test_utils::test_logger(),
);
let snapshot = Snapshot::dummy();
client
.download_unpack(&snapshot, Path::new(""))
.await
.expect("download should succeed");
let actual = feedback_receiver.stacked_events();
let id = actual[0].event_id();
let expected = vec![
MithrilEvent::SnapshotDownloadStarted {
digest: snapshot.digest,
download_id: id.to_string(),
size: snapshot.size,
},
MithrilEvent::SnapshotDownloadCompleted {
download_id: id.to_string(),
},
];
assert_eq!(actual, expected);
}
}