garage/src/api/api_server.rs

197 lines
5.4 KiB
Rust
Raw Normal View History

2020-04-24 18:47:11 +00:00
use std::collections::HashMap;
use std::net::SocketAddr;
use std::sync::Arc;
2020-04-06 17:55:39 +00:00
use futures::future::Future;
use hyper::server::conn::AddrStream;
use hyper::service::{make_service_fn, service_fn};
2020-04-24 18:47:11 +00:00
use hyper::{Body, Method, Request, Response, Server};
2020-04-24 10:10:01 +00:00
use garage_util::error::Error;
2020-04-23 17:05:46 +00:00
2020-04-24 10:10:01 +00:00
use garage_core::garage::Garage;
2020-04-23 17:05:46 +00:00
2020-04-24 10:10:01 +00:00
use crate::http_util::*;
2020-04-24 17:46:52 +00:00
use crate::signature::check_signature;
2020-04-26 20:39:32 +00:00
use crate::s3_get::*;
use crate::s3_list::*;
use crate::s3_put::*;
pub async fn run_api_server(
garage: Arc<Garage>,
shutdown_signal: impl Future<Output = ()>,
) -> Result<(), Error> {
2020-04-24 17:46:52 +00:00
let addr = &garage.config.s3_api.api_bind_addr;
let service = make_service_fn(|conn: &AddrStream| {
2020-04-08 20:00:41 +00:00
let garage = garage.clone();
let client_addr = conn.remote_addr();
2020-04-06 17:55:39 +00:00
async move {
Ok::<_, Error>(service_fn(move |req: Request<Body>| {
2020-04-08 20:00:41 +00:00
let garage = garage.clone();
handler(garage, req, client_addr)
2020-04-06 17:55:39 +00:00
}))
}
});
let server = Server::bind(&addr).serve(service);
let graceful = server.with_graceful_shutdown(shutdown_signal);
2020-04-21 12:54:55 +00:00
info!("API server listening on http://{}", addr);
graceful.await?;
Ok(())
}
async fn handler(
garage: Arc<Garage>,
req: Request<Body>,
addr: SocketAddr,
) -> Result<Response<BodyType>, Error> {
2020-04-24 17:46:52 +00:00
info!("{} {} {}", addr, req.method(), req.uri());
debug!("{:?}", req);
match handler_inner(garage, req).await {
Ok(x) => {
debug!("{} {:?}", x.status(), x.headers());
Ok(x)
}
Err(e) => {
let body: BodyType = Box::new(BytesBody::from(format!("{}\n", e)));
let mut http_error = Response::new(body);
2020-04-09 15:32:28 +00:00
*http_error.status_mut() = e.http_status_code();
2020-04-24 17:46:52 +00:00
warn!("Response: error {}, {}", e.http_status_code(), e);
2020-04-09 15:32:28 +00:00
Ok(http_error)
}
}
}
async fn handler_inner(
garage: Arc<Garage>,
req: Request<Body>,
) -> Result<Response<BodyType>, Error> {
2020-04-24 17:46:52 +00:00
let path = req.uri().path().to_string();
let path = path.trim_start_matches('/');
let (bucket, key) = match path.find('/') {
Some(i) => {
let (bucket, key) = path.split_at(i);
let key = key.trim_start_matches('/');
2020-04-24 17:46:52 +00:00
(bucket, Some(key))
}
2020-04-24 17:46:52 +00:00
None => (path, None),
};
if bucket.len() == 0 {
return Err(Error::Forbidden(format!(
"Operations on buckets not allowed"
)));
}
let api_key = check_signature(&garage, &req).await?;
let allowed = match req.method() {
&Method::HEAD | &Method::GET => api_key.allow_read(&bucket),
_ => api_key.allow_write(&bucket),
};
if !allowed {
return Err(Error::Forbidden(format!(
"Operation is not allowed for this key."
)));
}
2020-04-26 20:39:32 +00:00
let mut params = HashMap::new();
if let Some(query) = req.uri().query() {
let query_pairs = url::form_urlencoded::parse(query.as_bytes());
for (key, val) in query_pairs {
params.insert(key.to_lowercase(), val.to_string());
}
}
2020-04-24 17:46:52 +00:00
if let Some(key) = key {
match req.method() {
2020-04-26 20:39:32 +00:00
&Method::HEAD => {
// HeadObject query
Ok(handle_head(garage, &bucket, &key).await?)
}
&Method::GET => {
// GetObject query
Ok(handle_get(garage, &bucket, &key).await?)
}
2020-04-24 17:46:52 +00:00
&Method::PUT => {
2020-04-26 20:39:32 +00:00
if ["partnumber", "uploadid"]
.iter()
.all(|x| params.contains_key(&x.to_string()))
{
let part_number = params.get("partnumber").unwrap();
let upload_id = params.get("uploadid").unwrap();
Ok(handle_put_part(garage, req, &bucket, &key, part_number, upload_id).await?)
} else {
// PutObject query
Ok(handle_put(garage, req, &bucket, &key).await?)
}
2020-04-24 17:46:52 +00:00
}
&Method::DELETE => {
2020-04-26 20:39:32 +00:00
// DeleteObject query
2020-04-24 17:46:52 +00:00
let version_uuid = handle_delete(garage, &bucket, &key).await?;
2020-04-26 20:39:32 +00:00
let response = format!("{}\n", hex::encode(version_uuid));
2020-04-24 17:46:52 +00:00
Ok(Response::new(Box::new(BytesBody::from(response))))
}
2020-04-26 20:39:32 +00:00
&Method::POST => {
if params.contains_key(&"uploads".to_string()) {
// CreateMultipartUpload call
Ok(handle_create_multipart_upload(garage, &req, &bucket, &key).await?)
} else if params.contains_key(&"uploadid".to_string()) {
let upload_id = params.get("uploadid").unwrap();
Ok(handle_complete_multipart_upload(garage, req, &bucket, &key, upload_id).await?)
} else {
Err(Error::BadRequest(format!(
"Not a CreateMultipartUpload call, what is it?"
)))
}
}
2020-04-24 17:46:52 +00:00
_ => Err(Error::BadRequest(format!("Invalid method"))),
}
2020-04-24 17:46:52 +00:00
} else {
2020-04-24 18:47:11 +00:00
match req.method() {
&Method::PUT | &Method::HEAD => {
2020-04-26 20:39:32 +00:00
// If PUT: CreateBucket, if HEAD: HeadBucket
// If we're here, the bucket already exists, so just answer ok
let empty_body: BodyType = Box::new(BytesBody::from(vec![]));
let response = Response::builder()
.header("Location", format!("/{}", bucket))
.body(empty_body)
.unwrap();
Ok(response)
2020-04-26 18:55:13 +00:00
}
2020-04-26 20:39:32 +00:00
&Method::DELETE => {
// DeleteBucket query
Err(Error::Forbidden(
"Cannot delete buckets using S3 api, please talk to Garage directly".into(),
))
}
2020-04-24 18:47:11 +00:00
&Method::GET => {
if ["delimiter", "prefix"]
.iter()
.all(|x| params.contains_key(&x.to_string()))
{
2020-04-26 20:39:32 +00:00
// ListObjects query
2020-04-24 18:47:11 +00:00
let delimiter = params.get("delimiter").unwrap();
let max_keys = params
.get("max-keys")
.map(|x| {
x.parse::<usize>().map_err(|e| {
Error::BadRequest(format!("Invalid value for max-keys: {}", e))
})
})
.unwrap_or(Ok(1000))?;
let prefix = params.get("prefix").unwrap();
Ok(handle_list(garage, bucket, delimiter, max_keys, prefix).await?)
} else {
Err(Error::BadRequest(format!(
"Not a list call, so what is it?"
)))
}
}
2020-04-24 18:47:11 +00:00
_ => Err(Error::BadRequest(format!("Invalid method"))),
2020-04-09 21:45:07 +00:00
}
}
}