-
Notifications
You must be signed in to change notification settings - Fork 179
Expand file tree
/
Copy paths3_middleware.rs
More file actions
477 lines (441 loc) · 15.6 KB
/
s3_middleware.rs
File metadata and controls
477 lines (441 loc) · 15.6 KB
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
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
//! Middleware to handle `s3://` URLs to pull artifacts from an S3 bucket
use std::{collections::HashMap, sync::Arc};
use anyhow::{Context, Error};
use async_once_cell::OnceCell;
use async_trait::async_trait;
use aws_config::BehaviorVersion;
use aws_sdk_s3::config::SharedHttpClient;
use aws_sdk_s3::presigning::PresigningConfig;
use http::Method;
use reqwest::{Request, Response};
use reqwest_middleware::{Middleware, Next, Result as MiddlewareResult};
use url::Url;
use crate::{Authentication, AuthenticationStorage};
/// Configuration for the S3 middleware.
#[derive(Clone, Debug)]
pub enum S3Config {
/// Use the default AWS configuration.
FromAWS,
/// Use a custom configuration.
Custom {
/// The endpoint URL to use for the S3 client.
endpoint_url: Url,
/// The region to use for the S3 client.
region: String,
/// Whether to force path style for the S3 client.
force_path_style: bool,
},
}
#[cfg(feature = "rattler_config")]
/// Compute the S3 configuration from the given S3 options.
pub fn compute_s3_config<M>(s3_options: &M) -> HashMap<String, S3Config>
where
M: IntoIterator<Item = (String, rattler_config::config::s3::S3Options)> + Clone,
{
s3_options
.clone()
.into_iter()
.map(|(k, v)| {
(
k,
S3Config::Custom {
endpoint_url: v.endpoint_url,
region: v.region,
force_path_style: v.force_path_style,
},
)
})
.collect()
}
/// Wrapper around S3 client.
#[derive(Clone, Debug)]
pub struct S3 {
auth_storage: AuthenticationStorage,
config: HashMap<String, S3Config>,
expiration: std::time::Duration,
default_client: Arc<async_once_cell::OnceCell<aws_config::SdkConfig>>,
}
/// S3 middleware to authenticate requests.
#[derive(Clone, Debug)]
pub struct S3Middleware {
s3: S3,
}
impl S3Middleware {
/// Create a new S3 middleware.
pub fn new(config: HashMap<String, S3Config>, auth_storage: AuthenticationStorage) -> Self {
tracing::trace!("Creating S3 middleware using {:?}", config);
Self {
s3: S3::new(config, auth_storage),
}
}
}
impl S3 {
/// Create a new S3 client wrapper.
pub fn new(config: HashMap<String, S3Config>, auth_storage: AuthenticationStorage) -> Self {
Self {
config,
auth_storage,
expiration: std::time::Duration::from_secs(300),
default_client: Arc::new(OnceCell::new()),
}
}
/// Returns the default HTTP client.
fn default_http_client() -> SharedHttpClient {
use aws_smithy_http_client::{
tls::{self, rustls_provider::CryptoMode},
Builder,
};
static CLIENT: std::sync::OnceLock<SharedHttpClient> = std::sync::OnceLock::new();
CLIENT
.get_or_init(|| {
Builder::new()
.tls_provider(tls::Provider::Rustls(CryptoMode::Ring))
.build_https()
})
.clone()
}
/// Create an S3 client.
///
/// # Arguments
///
/// * `url` - The S3 URL to obtain authentication information from the
/// authentication storage. Only respected for custom (non-AWS-based)
/// configuration.
pub async fn create_s3_client(&self, url: Url) -> Result<aws_sdk_s3::Client, Error> {
let sdk_config = self
.default_client
.get_or_init(
aws_config::defaults(BehaviorVersion::latest())
.http_client(Self::default_http_client())
.load(),
)
.await;
let bucket_name = url
.host_str()
.ok_or_else(|| anyhow::anyhow!("host should be present in S3 URL"))?;
if let S3Config::Custom {
endpoint_url,
region,
force_path_style,
} = self
.config
.get(bucket_name)
.unwrap_or(&S3Config::FromAWS)
.clone()
{
let auth = self.auth_storage.get_by_url(url)?;
let config_builder = match auth {
(
_,
Some(Authentication::S3Credentials {
access_key_id,
secret_access_key,
session_token,
}),
) => aws_sdk_s3::config::Builder::from(sdk_config)
.endpoint_url(endpoint_url)
.region(aws_sdk_s3::config::Region::new(region))
.force_path_style(force_path_style)
.credentials_provider(aws_sdk_s3::config::Credentials::new(
access_key_id,
secret_access_key,
session_token,
None,
"rattler",
)),
(_, Some(_)) => {
return Err(anyhow::anyhow!("unsupported authentication method"));
}
(_, None) => {
return Err(anyhow::anyhow!("no S3 authentication found"));
}
};
let s3_config = config_builder.build();
Ok(aws_sdk_s3::Client::from_conf(s3_config))
} else {
let mut s3_config_builder = aws_sdk_s3::config::Builder::from(sdk_config);
// Set the region from the default provider chain.
s3_config_builder.set_region(sdk_config.region().cloned());
Ok(aws_sdk_s3::Client::from_conf(s3_config_builder.build()))
}
}
/// Generate a pre-signed S3 `GetObject` request.
async fn generate_presigned_s3_url(&self, url: Url, method: &Method) -> MiddlewareResult<Url> {
let client = self.create_s3_client(url.clone()).await?;
let presign_config = PresigningConfig::expires_in(self.expiration)
.map_err(reqwest_middleware::Error::middleware)?;
let bucket_name = url
.host_str()
.ok_or_else(|| anyhow::anyhow!("host should be present in S3 URL"))?;
let key = url
.path()
.strip_prefix("/")
.ok_or_else(|| anyhow::anyhow!("invalid s3 url: {url}"))?;
let presigned_request = match *method {
Method::HEAD => client
.head_object()
.bucket(bucket_name)
.key(key)
.presigned(presign_config)
.await
.context("failed to presign S3 HEAD request")?,
Method::POST => client
.put_object()
.bucket(bucket_name)
.key(key)
.presigned(presign_config)
.await
.context("failed to presign S3 PUT request")?,
Method::GET => client
.get_object()
.bucket(bucket_name)
.key(key)
.presigned(presign_config)
.await
.context("failed to presign S3 GET request")?,
_ => unimplemented!("Only HEAD, POST and GET are supported for S3 requests"),
};
Ok(Url::parse(presigned_request.uri()).context("failed to parse presigned S3 URL")?)
}
}
#[async_trait]
impl Middleware for S3Middleware {
/// Create a new authentication middleware for S3.
async fn handle(
&self,
mut req: Request,
extensions: &mut http::Extensions,
next: Next<'_>,
) -> MiddlewareResult<Response> {
// Only intercept `s3://` requests.
if req.url().scheme() != "s3" {
return next.run(req, extensions).await;
}
let url = req.url().clone();
let presigned_url = self.s3.generate_presigned_s3_url(url, req.method()).await?;
*req.url_mut() = presigned_url;
next.run(req.try_clone().unwrap(), extensions).await
}
}
#[cfg(test)]
mod tests {
use std::sync::Arc;
use rstest::{fixture, rstest};
use temp_env::async_with_vars;
use tempfile::{tempdir, TempDir};
use super::*;
use crate::authentication_storage::backends::file::FileStorage;
#[tokio::test]
async fn test_presigned_s3_request_endpoint_url() {
let s3 = S3::new(HashMap::new(), AuthenticationStorage::empty());
let presigned = async_with_vars(
[
("AWS_ACCESS_KEY_ID", Some("minioadmin")),
("AWS_SECRET_ACCESS_KEY", Some("minioadmin")),
("AWS_REGION", Some("eu-central-1")),
("AWS_ENDPOINT_URL", Some("http://custom-aws")),
],
async {
s3.generate_presigned_s3_url(
Url::parse("s3://rattler-s3-testing/channel/noarch/repodata.json").unwrap(),
&Method::GET,
)
.await
.unwrap()
},
)
.await;
assert!(
presigned
.to_string()
.starts_with("http://rattler-s3-testing.custom-aws/channel/noarch/repodata.json?"),
"Unexpected presigned URL: {presigned:?}"
);
}
#[tokio::test]
async fn test_presigned_s3_request_aws() {
let s3 = S3::new(HashMap::new(), AuthenticationStorage::empty());
let presigned = async_with_vars(
[
("AWS_ACCESS_KEY_ID", Some("minioadmin")),
("AWS_SECRET_ACCESS_KEY", Some("minioadmin")),
("AWS_REGION", Some("eu-central-1")),
],
async {
s3.generate_presigned_s3_url(
Url::parse("s3://rattler-s3-testing/channel/noarch/repodata.json").unwrap(),
&Method::GET,
)
.await
.unwrap()
},
)
.await;
assert!(presigned.to_string().starts_with("https://rattler-s3-testing.s3.eu-central-1.amazonaws.com/channel/noarch/repodata.json?"), "Unexpected presigned URL: {presigned:?}"
);
}
#[fixture]
fn aws_config() -> (TempDir, std::path::PathBuf) {
let temp_dir = tempdir().unwrap();
let aws_config = r#"
[profile default]
aws_access_key_id = minioadmin
aws_secret_access_key = minioadmin
region = eu-central-1
[profile packages]
aws_access_key_id = minioadmin
aws_secret_access_key = minioadmin
endpoint_url = http://localhost:9000
region = eu-central-1
[profile public]
endpoint_url = http://localhost:9000
region = eu-central-1
"#;
let aws_config_path = temp_dir.path().join("aws.config");
std::fs::write(&aws_config_path, aws_config).unwrap();
(temp_dir, aws_config_path)
}
#[rstest]
#[tokio::test]
async fn test_presigned_s3_request_custom_config_from_env(
aws_config: (TempDir, std::path::PathBuf),
) {
let s3 = S3::new(HashMap::new(), AuthenticationStorage::empty());
let presigned = async_with_vars(
[
("AWS_CONFIG_FILE", Some(aws_config.1.to_str().unwrap())),
("AWS_PROFILE", Some("packages")),
],
async {
s3.generate_presigned_s3_url(
Url::parse("s3://rattler-s3-testing/channel/noarch/repodata.json").unwrap(),
&Method::GET,
)
.await
.unwrap()
},
)
.await;
assert!(
presigned.to_string().contains("localhost:9000"),
"Unexpected presigned URL: {presigned:?}"
);
}
#[rstest]
#[tokio::test]
async fn test_presigned_s3_request_env_precedence(aws_config: (TempDir, std::path::PathBuf)) {
let s3 = S3::new(HashMap::new(), AuthenticationStorage::empty());
let presigned = async_with_vars(
[
("AWS_ENDPOINT_URL", Some("http://localhost:9000")),
("AWS_CONFIG_FILE", Some(aws_config.1.to_str().unwrap())),
],
async {
s3.generate_presigned_s3_url(
Url::parse("s3://rattler-s3-testing/channel/noarch/repodata.json").unwrap(),
&Method::GET,
)
.await
.unwrap()
},
)
.await;
assert!(
presigned.to_string().contains("localhost:9000"),
"Unexpected presigned URL: {presigned:?}"
);
}
#[tokio::test]
async fn test_presigned_s3_request_custom_config() {
let temp_dir = tempdir().unwrap();
let credentials = r#"
{
"s3://rattler-s3-testing/channel": {
"S3Credentials": {
"access_key_id": "minioadmin",
"secret_access_key": "minioadmin"
}
}
}
"#;
let credentials_path = temp_dir.path().join("credentials.json");
std::fs::write(&credentials_path, credentials).unwrap();
let mut store = AuthenticationStorage::empty();
store.add_backend(Arc::from(FileStorage::from_path(credentials_path).unwrap()));
let s3 = S3::new(
HashMap::from([(
"rattler-s3-testing".into(),
S3Config::Custom {
endpoint_url: Url::parse("http://localhost:9000").unwrap(),
region: "eu-central-1".into(),
force_path_style: true,
},
)]),
store,
);
let presigned = s3
.generate_presigned_s3_url(
Url::parse("s3://rattler-s3-testing/channel/noarch/repodata.json").unwrap(),
&Method::GET,
)
.await
.unwrap();
assert_eq!(
presigned.path(),
"/rattler-s3-testing/channel/noarch/repodata.json"
);
assert_eq!(presigned.scheme(), "http");
assert_eq!(presigned.host_str().unwrap(), "localhost");
assert!(presigned.query().unwrap().contains("X-Amz-Credential"));
}
#[tokio::test]
async fn test_presigned_s3_request_no_credentials() {
let s3 = S3::new(
HashMap::from([(
"rattler-s3-testing".into(),
S3Config::Custom {
endpoint_url: Url::parse("http://localhost:9000").unwrap(),
region: "eu-central-1".into(),
force_path_style: true,
},
)]),
AuthenticationStorage::empty(),
);
let result = s3
.generate_presigned_s3_url(
Url::parse("s3://rattler-s3-testing/channel/noarch/repodata.json").unwrap(),
&Method::GET,
)
.await;
assert!(result.is_err());
let err_message = result.err().unwrap().to_string();
assert!(
err_message.contains("no S3 authentication found"),
"{}",
err_message
);
}
#[rstest]
#[tokio::test]
async fn test_presigned_s3_request_public_bucket_aws(
aws_config: (TempDir, std::path::PathBuf),
) {
let s3 = S3::new(HashMap::new(), AuthenticationStorage::empty());
async_with_vars(
[
("AWS_CONFIG_FILE", Some(aws_config.1.to_str().unwrap())),
("AWS_PROFILE", Some("public")),
],
async {
let result = s3
.generate_presigned_s3_url(
Url::parse("s3://rattler-s3-testing/channel/noarch/repodata.json").unwrap(),
&Method::GET,
)
.await;
assert!(result.is_err());
},
)
.await;
}
}