proxmox-backup/src/server/rest.rs

409 lines
13 KiB
Rust
Raw Normal View History

2018-11-15 16:07:10 +00:00
use crate::api::schema::*;
use crate::api::router::*;
use crate::api::config::*;
2018-12-05 11:42:25 +00:00
use super::formatter::*;
2018-11-15 09:14:08 +00:00
2018-11-15 09:42:01 +00:00
use std::fmt;
use std::path::{Path, PathBuf};
use std::sync::Arc;
2018-11-16 08:15:33 +00:00
use std::collections::HashMap;
use failure::*;
use serde_json::{json, Value};
2018-11-16 08:15:33 +00:00
use url::form_urlencoded;
use futures::future::{self, Either};
//use tokio::prelude::*;
//use tokio::timer::Delay;
use tokio::fs::File;
use tokio_codec;
//use bytes::{BytesMut, BufMut};
//use hyper::body::Payload;
use hyper::http::request::Parts;
2018-11-15 09:57:52 +00:00
use hyper::{Body, Request, Response, StatusCode};
use hyper::service::{Service, NewService};
use hyper::rt::{Future, Stream};
use hyper::header;
2018-11-15 09:18:01 +00:00
pub struct RestServer {
pub api_config: Arc<ApiConfig>,
}
impl RestServer {
pub fn new(api_config: ApiConfig) -> Self {
Self { api_config: Arc::new(api_config) }
}
}
impl NewService for RestServer
{
type ReqBody = Body;
type ResBody = Body;
type Error = hyper::Error;
type InitError = hyper::Error;
type Service = ApiService;
type Future = Box<Future<Item = Self::Service, Error = Self::InitError> + Send>;
fn new_service(&self) -> Self::Future {
Box::new(future::ok(ApiService { api_config: self.api_config.clone() }))
}
}
pub struct ApiService {
pub api_config: Arc<ApiConfig>,
}
impl Service for ApiService {
type ReqBody = Body;
type ResBody = Body;
type Error = hyper::Error;
type Future = Box<Future<Item = Response<Body>, Error = Self::Error> + Send>;
fn call(&mut self, req: Request<Self::ReqBody>) -> Self::Future {
Box::new(handle_request(self.api_config.clone(), req).then(|result| {
match result {
Ok(res) => Ok::<_, hyper::Error>(res),
Err(err) => {
2018-12-05 11:42:25 +00:00
if let Some(apierr) = err.downcast_ref::<HttpError>() {
2018-11-15 09:18:01 +00:00
let mut resp = Response::new(Body::from(apierr.message.clone()));
*resp.status_mut() = apierr.code;
Ok(resp)
} else {
let mut resp = Response::new(Body::from(err.to_string()));
*resp.status_mut() = StatusCode::BAD_REQUEST;
Ok(resp)
}
}
}
}))
}
}
type BoxFut = Box<Future<Item = Response<Body>, Error = failure::Error> + Send>;
2018-11-15 09:42:01 +00:00
#[derive(Debug, Fail)]
pub struct HttpError {
pub code: StatusCode,
pub message: String,
}
impl HttpError {
pub fn new(code: StatusCode, message: String) -> Self {
HttpError { code, message }
}
}
impl fmt::Display for HttpError {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
write!(f, "Error {}: {}", self.code, self.message)
}
}
macro_rules! http_err {
($status:ident, $msg:expr) => {{
Error::from(HttpError::new(StatusCode::$status, $msg))
}}
}
2018-11-15 09:25:59 +00:00
fn get_request_parameters_async(
info: &'static ApiMethod,
parts: Parts,
req_body: Body,
2018-11-16 08:15:33 +00:00
uri_param: HashMap<String, String>,
2018-11-15 09:25:59 +00:00
) -> Box<Future<Item = Value, Error = failure::Error> + Send>
{
let resp = req_body
2018-11-15 09:42:01 +00:00
.map_err(|err| http_err!(BAD_REQUEST, format!("Promlems reading request body: {}", err)))
.fold(Vec::new(), |mut acc, chunk| {
if acc.len() + chunk.len() < 64*1024 { //fimxe: max request body size?
acc.extend_from_slice(&*chunk);
Ok(acc)
}
2018-11-15 09:42:01 +00:00
else { Err(http_err!(BAD_REQUEST, format!("Request body too large"))) }
})
.and_then(move |body| {
let bytes = String::from_utf8(body.to_vec())?; // why copy??
println!("GOT BODY {:?}", bytes);
2018-11-16 08:15:33 +00:00
let mut param_list: Vec<(String, String)> = vec![];
if bytes.len() > 0 {
2018-11-16 08:15:33 +00:00
for (k, v) in form_urlencoded::parse(bytes.as_bytes()).into_owned() {
param_list.push((k, v));
}
}
if let Some(query_str) = parts.uri.query() {
2018-11-16 08:15:33 +00:00
for (k, v) in form_urlencoded::parse(query_str.as_bytes()).into_owned() {
2018-12-05 11:42:25 +00:00
if k == "_dc" { continue; } // skip extjs "disable cache" parameter
2018-11-16 08:15:33 +00:00
param_list.push((k, v));
}
}
2018-11-16 08:15:33 +00:00
for (k, v) in uri_param {
param_list.push((k.clone(), v.clone()));
}
let params = parse_parameter_strings(&param_list, &info.parameters, true)?;
println!("GOT PARAMS {}", params);
Ok(params)
});
Box::new(resp)
}
2018-11-15 09:25:59 +00:00
fn handle_sync_api_request(
info: &'static ApiMethod,
2018-12-05 11:42:25 +00:00
formatter: &'static OutputFormatter,
parts: Parts,
req_body: Body,
2018-11-16 08:15:33 +00:00
uri_param: HashMap<String, String>,
2018-11-15 09:25:59 +00:00
) -> BoxFut
{
2018-11-16 08:15:33 +00:00
let params = get_request_parameters_async(info, parts, req_body, uri_param);
let resp = params
.and_then(move |params| {
println!("GOT PARAMS {}", params);
/*
let when = Instant::now() + Duration::from_millis(3000);
let task = Delay::new(when).then(|_| {
println!("A LAZY TASK");
ok(())
});
tokio::spawn(task);
*/
let res = (info.handler)(params, info)?;
Ok(res)
2018-12-05 11:42:25 +00:00
}).then(move |result| {
match result {
Ok(ref value) => {
2018-12-05 11:42:25 +00:00
let (raw, content_type) = (formatter.format_result)(value);
Ok(Response::builder()
.status(StatusCode::OK)
2018-12-05 11:42:25 +00:00
.header(header::CONTENT_TYPE, content_type)
.body(Body::from(raw))?)
}
2018-11-15 09:57:52 +00:00
Err(err) => Err(http_err!(BAD_REQUEST, err.to_string()))
}
});
Box::new(resp)
}
fn get_index() -> BoxFut {
let nodename = "unknown";
let username = "";
let token = "abc";
let setup = json!({
"Setup": { "auth_cookie_name": "PBSAuthCookie" },
"NodeName": nodename,
"UserName": username,
"CSRFPreventionToken": token
});
let index = format!(r###"
<!DOCTYPE html>
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=1, user-scalable=no">
<title>Proxmox Backup Server</title>
2018-12-01 14:21:25 +00:00
<link rel="icon" sizes="128x128" href="/images/logo-128.png" />
<link rel="apple-touch-icon" sizes="128x128" href="/pve2/images/logo-128.png" />
2018-12-01 14:21:25 +00:00
<link rel="stylesheet" type="text/css" href="/extjs/theme-crisp/resources/theme-crisp-all.css" />
<link rel="stylesheet" type="text/css" href="/extjs/crisp/resources/charts-all.css" />
<link rel="stylesheet" type="text/css" href="/fontawesome/css/font-awesome.css" />
<script type='text/javascript'> function gettext(buf) {{ return buf; }} </script>
2018-12-01 14:21:25 +00:00
<script type="text/javascript" src="/extjs/ext-all-debug.js"></script>
<script type="text/javascript" src="/extjs/charts-debug.js"></script>
<script type="text/javascript">
Proxmox = {};
</script>
2018-12-01 14:21:25 +00:00
<script type="text/javascript" src="/widgettoolkit/proxmoxlib.js"></script>
<script type="text/javascript" src="/extjs/locale/locale-en.js"></script>
<script type="text/javascript">
Ext.History.fieldid = 'x-history-field';
</script>
2018-12-04 16:53:10 +00:00
<script type="text/javascript" src="/js/proxmox-backup-gui.js"></script>
</head>
<body>
<!-- Fields required for history management -->
<form id="history-form" class="x-hidden">
<input type="hidden" id="x-history-field"/>
</form>
</body>
</html>
"###, setup.to_string());
Box::new(future::ok(Response::new(index.into())))
}
fn extension_to_content_type(filename: &Path) -> (&'static str, bool) {
if let Some(ext) = filename.extension().and_then(|osstr| osstr.to_str()) {
return match ext {
"css" => ("text/css", false),
"html" => ("text/html", false),
"js" => ("application/javascript", false),
"json" => ("application/json", false),
"map" => ("application/json", false),
"png" => ("image/png", true),
"ico" => ("image/x-icon", true),
"gif" => ("image/gif", true),
"svg" => ("image/svg+xml", false),
"jar" => ("application/java-archive", true),
"woff" => ("application/font-woff", true),
"woff2" => ("application/font-woff2", true),
"ttf" => ("application/font-snft", true),
"pdf" => ("application/pdf", true),
"epub" => ("application/epub+zip", true),
"mp3" => ("audio/mpeg", true),
"oga" => ("audio/ogg", true),
"tgz" => ("application/x-compressed-tar", true),
_ => ("application/octet-stream", false),
};
}
("application/octet-stream", false)
}
fn simple_static_file_download(filename: PathBuf) -> BoxFut {
let (content_type, _nocomp) = extension_to_content_type(&filename);
Box::new(File::open(filename)
2018-11-15 09:42:01 +00:00
.map_err(|err| http_err!(BAD_REQUEST, format!("File open failed: {}", err)))
.and_then(move |file| {
let buf: Vec<u8> = Vec::new();
tokio::io::read_to_end(file, buf)
2018-11-15 09:42:01 +00:00
.map_err(|err| http_err!(BAD_REQUEST, format!("File read failed: {}", err)))
.and_then(move |data| {
let mut response = Response::new(data.1.into());
response.headers_mut().insert(
header::CONTENT_TYPE,
header::HeaderValue::from_static(content_type));
Ok(response)
})
}))
}
fn chuncked_static_file_download(filename: PathBuf) -> BoxFut {
let (content_type, _nocomp) = extension_to_content_type(&filename);
Box::new(File::open(filename)
2018-11-15 09:42:01 +00:00
.map_err(|err| http_err!(BAD_REQUEST, format!("File open failed: {}", err)))
.and_then(move |file| {
let payload = tokio_codec::FramedRead::new(file, tokio_codec::BytesCodec::new()).
map(|bytes| {
//sigh - howto avoid copy here? or the whole map() ??
hyper::Chunk::from(bytes.to_vec())
});
let body = Body::wrap_stream(payload);
// fixme: set other headers ?
Ok(Response::builder()
.status(StatusCode::OK)
.header(header::CONTENT_TYPE, content_type)
.body(body)
.unwrap())
}))
}
fn handle_static_file_download(filename: PathBuf) -> BoxFut {
let response = tokio::fs::metadata(filename.clone())
2018-11-15 09:42:01 +00:00
.map_err(|err| http_err!(BAD_REQUEST, format!("File access problems: {}", err)))
.and_then(|metadata| {
if metadata.len() < 1024*32 {
Either::A(simple_static_file_download(filename))
} else {
Either::B(chuncked_static_file_download(filename))
}
});
return Box::new(response);
}
pub fn handle_request(api: Arc<ApiConfig>, req: Request<Body>) -> BoxFut {
let (parts, body) = req.into_parts();
let method = parts.method.clone();
let path = parts.uri.path();
// normalize path
// do not allow ".", "..", or hidden files ".XXXX"
// also remove empty path components
let items = path.split('/');
let mut path = String::new();
let mut components = vec![];
for name in items {
if name.is_empty() { continue; }
if name.starts_with(".") {
2018-11-15 09:57:52 +00:00
return Box::new(future::err(http_err!(BAD_REQUEST, "Path contains illegal components.".to_string())));
}
path.push('/');
path.push_str(name);
components.push(name);
}
let comp_len = components.len();
println!("REQUEST {} {}", method, path);
println!("COMPO {:?}", components);
if comp_len >= 1 && components[0] == "api3" {
println!("GOT API REQUEST");
if comp_len >= 2 {
let format = components[1];
2018-12-05 11:42:25 +00:00
let formatter = match format {
"json" => &JSON_FORMATTER,
"extjs" => &EXTJS_FORMATTER,
_ => {
return Box::new(future::err(http_err!(BAD_REQUEST, format!("Unsupported output format '{}'.", format))));
}
};
2018-11-16 08:15:33 +00:00
let mut uri_param = HashMap::new();
if let Some(api_method) = api.find_method(&components[2..], method, &mut uri_param) {
// fixme: handle auth
2018-12-05 11:42:25 +00:00
return handle_sync_api_request(api_method, formatter, parts, body, uri_param);
}
}
} else {
// not Auth for accessing files!
if comp_len == 0 {
return get_index();
} else {
let filename = api.find_alias(&components);
return handle_static_file_download(filename);
}
}
2018-11-15 09:57:52 +00:00
Box::new(future::err(http_err!(NOT_FOUND, "Path not found.".to_string())))
}