LCOV - code coverage report
Current view: top level - libs/remote_storage/src - azure_blob.rs (source / functions) Coverage Total Hit
Test: 322b88762cba8ea666f63cda880cccab6936bf37.info Lines: 19.8 % 420 83
Test Date: 2024-02-29 11:57:12 Functions: 14.5 % 76 11

            Line data    Source code
       1              : //! Azure Blob Storage wrapper
       2              : 
       3              : use std::borrow::Cow;
       4              : use std::collections::HashMap;
       5              : use std::env;
       6              : use std::num::NonZeroU32;
       7              : use std::pin::Pin;
       8              : use std::str::FromStr;
       9              : use std::sync::Arc;
      10              : use std::time::Duration;
      11              : use std::time::SystemTime;
      12              : 
      13              : use super::REMOTE_STORAGE_PREFIX_SEPARATOR;
      14              : use anyhow::Result;
      15              : use azure_core::request_options::{MaxResults, Metadata, Range};
      16              : use azure_core::RetryOptions;
      17              : use azure_identity::DefaultAzureCredential;
      18              : use azure_storage::StorageCredentials;
      19              : use azure_storage_blobs::blob::CopyStatus;
      20              : use azure_storage_blobs::prelude::ClientBuilder;
      21              : use azure_storage_blobs::{blob::operations::GetBlobBuilder, prelude::ContainerClient};
      22              : use bytes::Bytes;
      23              : use futures::stream::Stream;
      24              : use futures_util::StreamExt;
      25              : use futures_util::TryStreamExt;
      26              : use http_types::{StatusCode, Url};
      27              : use tokio_util::sync::CancellationToken;
      28              : use tracing::debug;
      29              : 
      30              : use crate::{
      31              :     error::Cancelled, s3_bucket::RequestKind, AzureConfig, ConcurrencyLimiter, Download,
      32              :     DownloadError, Listing, ListingMode, RemotePath, RemoteStorage, StorageMetadata,
      33              :     TimeTravelError, TimeoutOrCancel,
      34              : };
      35              : 
      36              : pub struct AzureBlobStorage {
      37              :     client: ContainerClient,
      38              :     prefix_in_container: Option<String>,
      39              :     max_keys_per_list_response: Option<NonZeroU32>,
      40              :     concurrency_limiter: ConcurrencyLimiter,
      41              :     // Per-request timeout. Accessible for tests.
      42              :     pub timeout: Duration,
      43              : }
      44              : 
      45              : impl AzureBlobStorage {
      46            6 :     pub fn new(azure_config: &AzureConfig, timeout: Duration) -> Result<Self> {
      47            6 :         debug!(
      48            0 :             "Creating azure remote storage for azure container {}",
      49            0 :             azure_config.container_name
      50            0 :         );
      51              : 
      52            6 :         let account = env::var("AZURE_STORAGE_ACCOUNT").expect("missing AZURE_STORAGE_ACCOUNT");
      53              : 
      54              :         // If the `AZURE_STORAGE_ACCESS_KEY` env var has an access key, use that,
      55              :         // otherwise try the token based credentials.
      56            6 :         let credentials = if let Ok(access_key) = env::var("AZURE_STORAGE_ACCESS_KEY") {
      57            6 :             StorageCredentials::access_key(account.clone(), access_key)
      58              :         } else {
      59            0 :             let token_credential = DefaultAzureCredential::default();
      60            0 :             StorageCredentials::token_credential(Arc::new(token_credential))
      61              :         };
      62              : 
      63              :         // we have an outer retry
      64            6 :         let builder = ClientBuilder::new(account, credentials).retry(RetryOptions::none());
      65            6 : 
      66            6 :         let client = builder.container_client(azure_config.container_name.to_owned());
      67              : 
      68            6 :         let max_keys_per_list_response =
      69            6 :             if let Some(limit) = azure_config.max_keys_per_list_response {
      70              :                 Some(
      71            2 :                     NonZeroU32::new(limit as u32)
      72            2 :                         .ok_or_else(|| anyhow::anyhow!("max_keys_per_list_response can't be 0"))?,
      73              :                 )
      74              :             } else {
      75            4 :                 None
      76              :             };
      77              : 
      78            6 :         Ok(AzureBlobStorage {
      79            6 :             client,
      80            6 :             prefix_in_container: azure_config.prefix_in_container.to_owned(),
      81            6 :             max_keys_per_list_response,
      82            6 :             concurrency_limiter: ConcurrencyLimiter::new(azure_config.concurrency_limit.get()),
      83            6 :             timeout,
      84            6 :         })
      85            6 :     }
      86              : 
      87          107 :     pub fn relative_path_to_name(&self, path: &RemotePath) -> String {
      88          107 :         assert_eq!(std::path::MAIN_SEPARATOR, REMOTE_STORAGE_PREFIX_SEPARATOR);
      89          107 :         let path_string = path
      90          107 :             .get_path()
      91          107 :             .as_str()
      92          107 :             .trim_end_matches(REMOTE_STORAGE_PREFIX_SEPARATOR);
      93          107 :         match &self.prefix_in_container {
      94          107 :             Some(prefix) => {
      95          107 :                 if prefix.ends_with(REMOTE_STORAGE_PREFIX_SEPARATOR) {
      96          107 :                     prefix.clone() + path_string
      97              :                 } else {
      98            0 :                     format!("{prefix}{REMOTE_STORAGE_PREFIX_SEPARATOR}{path_string}")
      99              :                 }
     100              :             }
     101            0 :             None => path_string.to_string(),
     102              :         }
     103          107 :     }
     104              : 
     105           53 :     fn name_to_relative_path(&self, key: &str) -> RemotePath {
     106           53 :         let relative_path =
     107           53 :             match key.strip_prefix(self.prefix_in_container.as_deref().unwrap_or_default()) {
     108           53 :                 Some(stripped) => stripped,
     109              :                 // we rely on Azure to return properly prefixed paths
     110              :                 // for requests with a certain prefix
     111            0 :                 None => panic!(
     112            0 :                     "Key {key} does not start with container prefix {:?}",
     113            0 :                     self.prefix_in_container
     114            0 :                 ),
     115              :             };
     116           53 :         RemotePath(
     117           53 :             relative_path
     118           53 :                 .split(REMOTE_STORAGE_PREFIX_SEPARATOR)
     119           53 :                 .collect(),
     120           53 :         )
     121           53 :     }
     122              : 
     123            7 :     async fn download_for_builder(
     124            7 :         &self,
     125            7 :         builder: GetBlobBuilder,
     126            7 :         cancel: &CancellationToken,
     127            7 :     ) -> Result<Download, DownloadError> {
     128            0 :         let kind = RequestKind::Get;
     129              : 
     130            0 :         let _permit = self.permit(kind, cancel).await?;
     131              : 
     132            0 :         let mut etag = None;
     133            0 :         let mut last_modified = None;
     134            0 :         let mut metadata = HashMap::new();
     135            0 :         // TODO give proper streaming response instead of buffering into RAM
     136            0 :         // https://github.com/neondatabase/neon/issues/5563
     137            0 : 
     138            0 :         let download = async {
     139            0 :             let response = builder
     140            0 :                 // convert to concrete Pageable
     141            0 :                 .into_stream()
     142            0 :                 // convert to TryStream
     143            0 :                 .into_stream()
     144            0 :                 .map_err(to_download_error);
     145            0 : 
     146            0 :             // apply per request timeout
     147            0 :             let response = tokio_stream::StreamExt::timeout(response, self.timeout);
     148            0 : 
     149            0 :             // flatten
     150            0 :             let response = response.map(|res| match res {
     151            0 :                 Ok(res) => res,
     152            0 :                 Err(_elapsed) => Err(DownloadError::Timeout),
     153            0 :             });
     154            0 : 
     155            0 :             let mut response = std::pin::pin!(response);
     156            0 : 
     157            0 :             let mut bufs = Vec::new();
     158            0 :             while let Some(part) = response.next().await {
     159            0 :                 let part = part?;
     160            0 :                 let etag_str: &str = part.blob.properties.etag.as_ref();
     161            0 :                 if etag.is_none() {
     162            0 :                     etag = Some(etag.unwrap_or_else(|| etag_str.to_owned()));
     163            0 :                 }
     164            0 :                 if last_modified.is_none() {
     165            0 :                     last_modified = Some(part.blob.properties.last_modified.into());
     166            0 :                 }
     167            0 :                 if let Some(blob_meta) = part.blob.metadata {
     168            0 :                     metadata.extend(blob_meta.iter().map(|(k, v)| (k.to_owned(), v.to_owned())));
     169            0 :                 }
     170            0 :                 let data = part
     171            0 :                     .data
     172            0 :                     .collect()
     173            0 :                     .await
     174            0 :                     .map_err(|e| DownloadError::Other(e.into()))?;
     175            0 :                 bufs.push(data);
     176              :             }
     177            0 :             Ok(Download {
     178            0 :                 download_stream: Box::pin(futures::stream::iter(bufs.into_iter().map(Ok))),
     179            0 :                 etag,
     180            0 :                 last_modified,
     181            0 :                 metadata: Some(StorageMetadata(metadata)),
     182            0 :             })
     183            0 :         };
     184              : 
     185            0 :         tokio::select! {
     186            0 :             bufs = download => bufs,
     187              :             _ = cancel.cancelled() => Err(DownloadError::Cancelled),
     188              :         }
     189            0 :     }
     190              : 
     191          108 :     async fn permit(
     192          108 :         &self,
     193          108 :         kind: RequestKind,
     194          108 :         cancel: &CancellationToken,
     195          108 :     ) -> Result<tokio::sync::SemaphorePermit<'_>, Cancelled> {
     196            0 :         let acquire = self.concurrency_limiter.acquire(kind);
     197            0 : 
     198            0 :         tokio::select! {
     199            0 :             permit = acquire => Ok(permit.expect("never closed")),
     200              :             _ = cancel.cancelled() => Err(Cancelled),
     201              :         }
     202            0 :     }
     203              : }
     204              : 
     205            0 : fn to_azure_metadata(metadata: StorageMetadata) -> Metadata {
     206            0 :     let mut res = Metadata::new();
     207            0 :     for (k, v) in metadata.0.into_iter() {
     208            0 :         res.insert(k, v);
     209            0 :     }
     210            0 :     res
     211            0 : }
     212              : 
     213            0 : fn to_download_error(error: azure_core::Error) -> DownloadError {
     214            0 :     if let Some(http_err) = error.as_http_error() {
     215            0 :         match http_err.status() {
     216            0 :             StatusCode::NotFound => DownloadError::NotFound,
     217            0 :             StatusCode::BadRequest => DownloadError::BadInput(anyhow::Error::new(error)),
     218            0 :             _ => DownloadError::Other(anyhow::Error::new(error)),
     219              :         }
     220              :     } else {
     221            0 :         DownloadError::Other(error.into())
     222              :     }
     223            0 : }
     224              : 
     225              : impl RemoteStorage for AzureBlobStorage {
     226            6 :     async fn list(
     227            6 :         &self,
     228            6 :         prefix: Option<&RemotePath>,
     229            6 :         mode: ListingMode,
     230            6 :         max_keys: Option<NonZeroU32>,
     231            6 :         cancel: &CancellationToken,
     232            6 :     ) -> anyhow::Result<Listing, DownloadError> {
     233            0 :         let _permit = self.permit(RequestKind::List, cancel).await?;
     234              : 
     235            0 :         let op = async {
     236            0 :             // get the passed prefix or if it is not set use prefix_in_bucket value
     237            0 :             let list_prefix = prefix
     238            0 :                 .map(|p| self.relative_path_to_name(p))
     239            0 :                 .or_else(|| self.prefix_in_container.clone())
     240            0 :                 .map(|mut p| {
     241              :                     // required to end with a separator
     242              :                     // otherwise request will return only the entry of a prefix
     243            0 :                     if matches!(mode, ListingMode::WithDelimiter)
     244            0 :                         && !p.ends_with(REMOTE_STORAGE_PREFIX_SEPARATOR)
     245            0 :                     {
     246            0 :                         p.push(REMOTE_STORAGE_PREFIX_SEPARATOR);
     247            0 :                     }
     248            0 :                     p
     249            0 :                 });
     250            0 : 
     251            0 :             let mut builder = self.client.list_blobs();
     252            0 : 
     253            0 :             if let ListingMode::WithDelimiter = mode {
     254            0 :                 builder = builder.delimiter(REMOTE_STORAGE_PREFIX_SEPARATOR.to_string());
     255            0 :             }
     256              : 
     257            0 :             if let Some(prefix) = list_prefix {
     258            0 :                 builder = builder.prefix(Cow::from(prefix.to_owned()));
     259            0 :             }
     260              : 
     261            0 :             if let Some(limit) = self.max_keys_per_list_response {
     262            0 :                 builder = builder.max_results(MaxResults::new(limit));
     263            0 :             }
     264              : 
     265            0 :             let response = builder.into_stream();
     266            0 :             let response = response.into_stream().map_err(to_download_error);
     267            0 :             let response = tokio_stream::StreamExt::timeout(response, self.timeout);
     268            0 :             let response = response.map(|res| match res {
     269            0 :                 Ok(res) => res,
     270            0 :                 Err(_elapsed) => Err(DownloadError::Timeout),
     271            0 :             });
     272            0 : 
     273            0 :             let mut response = std::pin::pin!(response);
     274            0 : 
     275            0 :             let mut res = Listing::default();
     276            0 : 
     277            0 :             let mut max_keys = max_keys.map(|mk| mk.get());
     278            0 :             while let Some(entry) = response.next().await {
     279            0 :                 let entry = entry?;
     280            0 :                 let prefix_iter = entry
     281            0 :                     .blobs
     282            0 :                     .prefixes()
     283            0 :                     .map(|prefix| self.name_to_relative_path(&prefix.name));
     284            0 :                 res.prefixes.extend(prefix_iter);
     285            0 : 
     286            0 :                 let blob_iter = entry
     287            0 :                     .blobs
     288            0 :                     .blobs()
     289            0 :                     .map(|k| self.name_to_relative_path(&k.name));
     290              : 
     291            0 :                 for key in blob_iter {
     292            0 :                     res.keys.push(key);
     293              : 
     294            0 :                     if let Some(mut mk) = max_keys {
     295            0 :                         assert!(mk > 0);
     296            0 :                         mk -= 1;
     297            0 :                         if mk == 0 {
     298            0 :                             return Ok(res); // limit reached
     299            0 :                         }
     300            0 :                         max_keys = Some(mk);
     301            0 :                     }
     302              :                 }
     303              :             }
     304              : 
     305            0 :             Ok(res)
     306            0 :         };
     307              : 
     308            0 :         tokio::select! {
     309            0 :             res = op => res,
     310              :             _ = cancel.cancelled() => Err(DownloadError::Cancelled),
     311              :         }
     312            0 :     }
     313              : 
     314            0 :     async fn upload(
     315            0 :         &self,
     316            0 :         from: impl Stream<Item = std::io::Result<Bytes>> + Send + Sync + 'static,
     317            0 :         data_size_bytes: usize,
     318            0 :         to: &RemotePath,
     319            0 :         metadata: Option<StorageMetadata>,
     320            0 :         cancel: &CancellationToken,
     321            0 :     ) -> anyhow::Result<()> {
     322            0 :         let _permit = self.permit(RequestKind::Put, cancel).await?;
     323              : 
     324            0 :         let op = async {
     325            0 :             let blob_client = self.client.blob_client(self.relative_path_to_name(to));
     326            0 : 
     327            0 :             let from: Pin<Box<dyn Stream<Item = std::io::Result<Bytes>> + Send + Sync + 'static>> =
     328            0 :                 Box::pin(from);
     329            0 : 
     330            0 :             let from = NonSeekableStream::new(from, data_size_bytes);
     331            0 : 
     332            0 :             let body = azure_core::Body::SeekableStream(Box::new(from));
     333            0 : 
     334            0 :             let mut builder = blob_client.put_block_blob(body);
     335              : 
     336            0 :             if let Some(metadata) = metadata {
     337            0 :                 builder = builder.metadata(to_azure_metadata(metadata));
     338            0 :             }
     339              : 
     340            0 :             let fut = builder.into_future();
     341            0 :             let fut = tokio::time::timeout(self.timeout, fut);
     342            0 : 
     343            0 :             match fut.await {
     344            0 :                 Ok(Ok(_response)) => Ok(()),
     345            0 :                 Ok(Err(azure)) => Err(azure.into()),
     346            0 :                 Err(_timeout) => Err(TimeoutOrCancel::Cancel.into()),
     347              :             }
     348            0 :         };
     349              : 
     350            0 :         tokio::select! {
     351            0 :             res = op => res,
     352              :             _ = cancel.cancelled() => Err(TimeoutOrCancel::Cancel.into()),
     353              :         }
     354            0 :     }
     355              : 
     356            2 :     async fn download(
     357            2 :         &self,
     358            2 :         from: &RemotePath,
     359            2 :         cancel: &CancellationToken,
     360            2 :     ) -> Result<Download, DownloadError> {
     361            0 :         let blob_client = self.client.blob_client(self.relative_path_to_name(from));
     362            0 : 
     363            0 :         let builder = blob_client.get();
     364            0 : 
     365            0 :         self.download_for_builder(builder, cancel).await
     366            0 :     }
     367              : 
     368            5 :     async fn download_byte_range(
     369            5 :         &self,
     370            5 :         from: &RemotePath,
     371            5 :         start_inclusive: u64,
     372            5 :         end_exclusive: Option<u64>,
     373            5 :         cancel: &CancellationToken,
     374            5 :     ) -> Result<Download, DownloadError> {
     375            0 :         let blob_client = self.client.blob_client(self.relative_path_to_name(from));
     376            0 : 
     377            0 :         let mut builder = blob_client.get();
     378              : 
     379            0 :         let range: Range = if let Some(end_exclusive) = end_exclusive {
     380            0 :             (start_inclusive..end_exclusive).into()
     381              :         } else {
     382            0 :             (start_inclusive..).into()
     383              :         };
     384            0 :         builder = builder.range(range);
     385            0 : 
     386            0 :         self.download_for_builder(builder, cancel).await
     387            0 :     }
     388              : 
     389           44 :     async fn delete(&self, path: &RemotePath, cancel: &CancellationToken) -> anyhow::Result<()> {
     390            0 :         self.delete_objects(std::array::from_ref(path), cancel)
     391            0 :             .await
     392            0 :     }
     393              : 
     394           47 :     async fn delete_objects<'a>(
     395           47 :         &self,
     396           47 :         paths: &'a [RemotePath],
     397           47 :         cancel: &CancellationToken,
     398           47 :     ) -> anyhow::Result<()> {
     399            0 :         let _permit = self.permit(RequestKind::Delete, cancel).await?;
     400              : 
     401            0 :         let op = async {
     402              :             // TODO batch requests are also not supported by the SDK
     403              :             // https://github.com/Azure/azure-sdk-for-rust/issues/1068
     404              :             // https://github.com/Azure/azure-sdk-for-rust/issues/1249
     405            0 :             for path in paths {
     406            0 :                 let blob_client = self.client.blob_client(self.relative_path_to_name(path));
     407            0 : 
     408            0 :                 let request = blob_client.delete().into_future();
     409              : 
     410            0 :                 let res = tokio::time::timeout(self.timeout, request).await;
     411              : 
     412            0 :                 match res {
     413            0 :                     Ok(Ok(_response)) => continue,
     414            0 :                     Ok(Err(e)) => {
     415            0 :                         if let Some(http_err) = e.as_http_error() {
     416            0 :                             if http_err.status() == StatusCode::NotFound {
     417            0 :                                 continue;
     418            0 :                             }
     419            0 :                         }
     420            0 :                         return Err(e.into());
     421              :                     }
     422            0 :                     Err(_elapsed) => return Err(TimeoutOrCancel::Timeout.into()),
     423              :                 }
     424              :             }
     425              : 
     426            0 :             Ok(())
     427            0 :         };
     428              : 
     429            0 :         tokio::select! {
     430            0 :             res = op => res,
     431              :             _ = cancel.cancelled() => Err(TimeoutOrCancel::Cancel.into()),
     432              :         }
     433            0 :     }
     434              : 
     435            1 :     async fn copy(
     436            1 :         &self,
     437            1 :         from: &RemotePath,
     438            1 :         to: &RemotePath,
     439            1 :         cancel: &CancellationToken,
     440            1 :     ) -> anyhow::Result<()> {
     441            0 :         let _permit = self.permit(RequestKind::Copy, cancel).await?;
     442              : 
     443            0 :         let timeout = tokio::time::sleep(self.timeout);
     444            0 : 
     445            0 :         let mut copy_status = None;
     446            0 : 
     447            0 :         let op = async {
     448            0 :             let blob_client = self.client.blob_client(self.relative_path_to_name(to));
     449              : 
     450            0 :             let source_url = format!(
     451            0 :                 "{}/{}",
     452            0 :                 self.client.url()?,
     453            0 :                 self.relative_path_to_name(from)
     454              :             );
     455              : 
     456            0 :             let builder = blob_client.copy(Url::from_str(&source_url)?);
     457            0 :             let copy = builder.into_future();
     458              : 
     459            0 :             let result = copy.await?;
     460              : 
     461            0 :             copy_status = Some(result.copy_status);
     462              :             loop {
     463            0 :                 match copy_status.as_ref().expect("we always set it to Some") {
     464              :                     CopyStatus::Aborted => {
     465            0 :                         anyhow::bail!("Received abort for copy from {from} to {to}.");
     466              :                     }
     467              :                     CopyStatus::Failed => {
     468            0 :                         anyhow::bail!("Received failure response for copy from {from} to {to}.");
     469              :                     }
     470            0 :                     CopyStatus::Success => return Ok(()),
     471            0 :                     CopyStatus::Pending => (),
     472            0 :                 }
     473            0 :                 // The copy is taking longer. Waiting a second and then re-trying.
     474            0 :                 // TODO estimate time based on copy_progress and adjust time based on that
     475            0 :                 tokio::time::sleep(Duration::from_millis(1000)).await;
     476            0 :                 let properties = blob_client.get_properties().into_future().await?;
     477            0 :                 let Some(status) = properties.blob.properties.copy_status else {
     478            0 :                     tracing::warn!("copy_status for copy is None!, from={from}, to={to}");
     479            0 :                     return Ok(());
     480              :                 };
     481            0 :                 copy_status = Some(status);
     482              :             }
     483            0 :         };
     484              : 
     485            0 :         tokio::select! {
     486            0 :             res = op => res,
     487              :             _ = cancel.cancelled() => Err(anyhow::Error::new(TimeoutOrCancel::Cancel)),
     488              :             _ = timeout => {
     489              :                 let e = anyhow::Error::new(TimeoutOrCancel::Timeout);
     490              :                 let e = e.context(format!("Timeout, last status: {copy_status:?}"));
     491              :                 Err(e)
     492              :             },
     493              :         }
     494            0 :     }
     495              : 
     496            0 :     async fn time_travel_recover(
     497            0 :         &self,
     498            0 :         _prefix: Option<&RemotePath>,
     499            0 :         _timestamp: SystemTime,
     500            0 :         _done_if_after: SystemTime,
     501            0 :         _cancel: &CancellationToken,
     502            0 :     ) -> Result<(), TimeTravelError> {
     503            0 :         // TODO use Azure point in time recovery feature for this
     504            0 :         // https://learn.microsoft.com/en-us/azure/storage/blobs/point-in-time-restore-overview
     505            0 :         Err(TimeTravelError::Unimplemented)
     506            0 :     }
     507              : }
     508              : 
     509              : pin_project_lite::pin_project! {
     510              :     /// Hack to work around not being able to stream once with azure sdk.
     511              :     ///
     512              :     /// Azure sdk clones streams around with the assumption that they are like
     513              :     /// `Arc<tokio::fs::File>` (except not supporting tokio), however our streams are not like
     514              :     /// that. For example for an `index_part.json` we just have a single chunk of [`Bytes`]
     515              :     /// representing the whole serialized vec. It could be trivially cloneable and "semi-trivially"
     516              :     /// seekable, but we can also just re-try the request easier.
     517              :     #[project = NonSeekableStreamProj]
     518              :     enum NonSeekableStream<S> {
     519              :         /// A stream wrappers initial form.
     520              :         ///
     521              :         /// Mutex exists to allow moving when cloning. If the sdk changes to do less than 1
     522              :         /// clone before first request, then this must be changed.
     523              :         Initial {
     524              :             inner: std::sync::Mutex<Option<tokio_util::compat::Compat<tokio_util::io::StreamReader<S, Bytes>>>>,
     525              :             len: usize,
     526              :         },
     527              :         /// The actually readable variant, produced by cloning the Initial variant.
     528              :         ///
     529              :         /// The sdk currently always clones once, even without retry policy.
     530              :         Actual {
     531              :             #[pin]
     532              :             inner: tokio_util::compat::Compat<tokio_util::io::StreamReader<S, Bytes>>,
     533              :             len: usize,
     534              :             read_any: bool,
     535              :         },
     536              :         /// Most likely unneeded, but left to make life easier, in case more clones are added.
     537              :         Cloned {
     538              :             len_was: usize,
     539              :         }
     540              :     }
     541              : }
     542              : 
     543              : impl<S> NonSeekableStream<S>
     544              : where
     545              :     S: Stream<Item = std::io::Result<Bytes>> + Send + Sync + 'static,
     546              : {
     547            0 :     fn new(inner: S, len: usize) -> NonSeekableStream<S> {
     548            0 :         use tokio_util::compat::TokioAsyncReadCompatExt;
     549            0 : 
     550            0 :         let inner = tokio_util::io::StreamReader::new(inner).compat();
     551            0 :         let inner = Some(inner);
     552            0 :         let inner = std::sync::Mutex::new(inner);
     553            0 :         NonSeekableStream::Initial { inner, len }
     554            0 :     }
     555              : }
     556              : 
     557              : impl<S> std::fmt::Debug for NonSeekableStream<S> {
     558            0 :     fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
     559            0 :         match self {
     560            0 :             Self::Initial { len, .. } => f.debug_struct("Initial").field("len", len).finish(),
     561            0 :             Self::Actual { len, .. } => f.debug_struct("Actual").field("len", len).finish(),
     562            0 :             Self::Cloned { len_was, .. } => f.debug_struct("Cloned").field("len", len_was).finish(),
     563              :         }
     564            0 :     }
     565              : }
     566              : 
     567              : impl<S> futures::io::AsyncRead for NonSeekableStream<S>
     568              : where
     569              :     S: Stream<Item = std::io::Result<Bytes>>,
     570              : {
     571            0 :     fn poll_read(
     572            0 :         self: std::pin::Pin<&mut Self>,
     573            0 :         cx: &mut std::task::Context<'_>,
     574            0 :         buf: &mut [u8],
     575            0 :     ) -> std::task::Poll<std::io::Result<usize>> {
     576            0 :         match self.project() {
     577              :             NonSeekableStreamProj::Actual {
     578            0 :                 inner, read_any, ..
     579            0 :             } => {
     580            0 :                 *read_any = true;
     581            0 :                 inner.poll_read(cx, buf)
     582              :             }
     583              :             // NonSeekableStream::Initial does not support reading because it is just much easier
     584              :             // to have the mutex in place where one does not poll the contents, or that's how it
     585              :             // seemed originally. If there is a version upgrade which changes the cloning, then
     586              :             // that support needs to be hacked in.
     587              :             //
     588              :             // including {self:?} into the message would be useful, but unsure how to unproject.
     589            0 :             _ => std::task::Poll::Ready(Err(std::io::Error::new(
     590            0 :                 std::io::ErrorKind::Other,
     591            0 :                 "cloned or initial values cannot be read",
     592            0 :             ))),
     593              :         }
     594            0 :     }
     595              : }
     596              : 
     597              : impl<S> Clone for NonSeekableStream<S> {
     598              :     /// Weird clone implementation exists to support the sdk doing cloning before issuing the first
     599              :     /// request, see type documentation.
     600            0 :     fn clone(&self) -> Self {
     601            0 :         use NonSeekableStream::*;
     602            0 : 
     603            0 :         match self {
     604            0 :             Initial { inner, len } => {
     605            0 :                 if let Some(inner) = inner.lock().unwrap().take() {
     606            0 :                     Actual {
     607            0 :                         inner,
     608            0 :                         len: *len,
     609            0 :                         read_any: false,
     610            0 :                     }
     611              :                 } else {
     612            0 :                     Self::Cloned { len_was: *len }
     613              :                 }
     614              :             }
     615            0 :             Actual { len, .. } => Cloned { len_was: *len },
     616            0 :             Cloned { len_was } => Cloned { len_was: *len_was },
     617              :         }
     618            0 :     }
     619              : }
     620              : 
     621              : #[async_trait::async_trait]
     622              : impl<S> azure_core::SeekableStream for NonSeekableStream<S>
     623              : where
     624              :     S: Stream<Item = std::io::Result<Bytes>> + Unpin + Send + Sync + 'static,
     625              : {
     626            0 :     async fn reset(&mut self) -> azure_core::error::Result<()> {
     627              :         use NonSeekableStream::*;
     628              : 
     629            0 :         let msg = match self {
     630            0 :             Initial { inner, .. } => {
     631            0 :                 if inner.get_mut().unwrap().is_some() {
     632            0 :                     return Ok(());
     633              :                 } else {
     634            0 :                     "reset after first clone is not supported"
     635              :                 }
     636              :             }
     637            0 :             Actual { read_any, .. } if !*read_any => return Ok(()),
     638            0 :             Actual { .. } => "reset after reading is not supported",
     639            0 :             Cloned { .. } => "reset after second clone is not supported",
     640              :         };
     641            0 :         Err(azure_core::error::Error::new(
     642            0 :             azure_core::error::ErrorKind::Io,
     643            0 :             std::io::Error::new(std::io::ErrorKind::Other, msg),
     644            0 :         ))
     645            0 :     }
     646              : 
     647              :     // Note: it is not documented if this should be the total or remaining length, total passes the
     648              :     // tests.
     649            0 :     fn len(&self) -> usize {
     650            0 :         use NonSeekableStream::*;
     651            0 :         match self {
     652            0 :             Initial { len, .. } => *len,
     653            0 :             Actual { len, .. } => *len,
     654            0 :             Cloned { len_was, .. } => *len_was,
     655              :         }
     656            0 :     }
     657              : }
        

Generated by: LCOV version 2.1-beta