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
use crate::request::Request as AptRequest;
use async_io::Timer;
use futures::stream::{Stream, StreamExt};
use isahc::http::Request;
use std::{
io,
path::{Path, PathBuf},
pin::Pin,
sync::Arc,
time::Duration,
};
use thiserror::Error;
pub type FetchEvents = Pin<Box<dyn Stream<Item = FetchEvent>>>;
#[derive(Debug)]
pub struct FetchEvent {
pub package: Arc<AptRequest>,
pub kind: EventKind,
}
impl FetchEvent {
pub fn new(package: Arc<AptRequest>, kind: EventKind) -> Self {
Self { package, kind }
}
}
#[derive(Debug)]
pub enum EventKind {
Fetching,
Fetched(PathBuf),
Error(FetchError),
Validated(PathBuf),
}
#[derive(Debug, Error)]
pub enum FetchError {
#[error("failure when writing package to disk")]
Copy(#[source] io::Error),
#[error("failed to create file for package")]
Create(#[source] io::Error),
#[error("computed md5sum is invalid")]
InvalidHash(#[source] crate::hash::ChecksumError),
#[error("failed to request package")]
Request(#[from] Box<dyn std::error::Error + 'static + Sync + Send>),
#[error("server responded with error: {}", _0)]
Response(isahc::http::StatusCode),
}
pub struct FetchRequest {
pub package: AptRequest,
pub attempt: usize,
}
pub struct PackageFetcher {
client: isahc::HttpClient,
concurrent: usize,
delay: Option<u64>,
retries: u32,
}
impl PackageFetcher {
pub fn new(client: isahc::HttpClient) -> Self {
Self {
client,
concurrent: 1,
delay: None,
retries: 3,
}
}
pub fn concurrent(mut self, concurrent: usize) -> Self {
self.concurrent = concurrent;
return self;
}
pub fn delay_between(mut self, delay: u64) -> Self {
self.delay = Some(delay);
self
}
pub fn retries(mut self, retries: u32) -> Self {
self.retries = retries;
self
}
pub fn fetch(
self,
packages: impl Stream<Item = Arc<AptRequest>> + Send + 'static,
path: Arc<Path>,
) -> FetchEvents {
let (tx, rx) = flume::bounded(0);
let Self {
client,
concurrent,
delay,
retries,
} = self;
let client = Arc::new(client);
let barrier = Arc::new(async_barrier::Barrier::new(1));
let fetcher =
packages.for_each_concurrent(Some(concurrent), move |uri: Arc<AptRequest>| {
let client = client.clone();
let path = path.clone();
let tx = tx.clone();
let barrier = barrier.clone();
smolscale::spawn(async move {
let event_process = || async {
let _ = tx.send(FetchEvent::new(uri.clone(), EventKind::Fetching));
if let Some(delay) = delay {
let guard = barrier.wait().await;
Timer::after(Duration::from_millis(delay)).await;
drop(guard);
}
let mut resp = match client
.send_async(Request::get(&uri.uri).body(()).unwrap())
.await
{
Ok(resp) => resp,
Err(why) => {
return Err(EventKind::Error(FetchError::Request(Box::from(why))));
}
};
let status = resp.status();
if !status.is_success() {
return Err(EventKind::Error(FetchError::Response(status)));
}
let dest = path.join(&uri.name);
let mut file = match async_fs::File::create(&dest).await {
Ok(f) => f,
Err(why) => {
return Err(EventKind::Error(FetchError::Create(why)));
}
};
if let Err(why) = futures::io::copy(resp.body_mut(), &mut file).await {
return Err(EventKind::Error(FetchError::Copy(why)));
}
let _ = tx.send(FetchEvent::new(
uri.clone(),
EventKind::Fetched(dest.clone()),
));
if let Err(why) =
crate::hash::compare_hash(&dest, uri.size, &uri.md5sum).await
{
return Err(EventKind::Error(FetchError::InvalidHash(why)));
}
let _ = tx.send(FetchEvent::new(uri.clone(), EventKind::Validated(dest)));
Ok(())
};
let mut attempts = 0;
loop {
if let Err(why) = event_process().await {
if attempts == retries {
let _ = tx.send(FetchEvent::new(uri.clone(), why));
break;
}
attempts += 1;
continue;
}
break;
}
})
});
smolscale::spawn(fetcher).detach();
Box::pin(rx.into_stream())
}
}