X-Git-Url: https://git.proxmox.com/?a=blobdiff_plain;f=src%2Fserver%2Frest.rs;h=c985ccbd06e62845e96883d1005ac11f90651b80;hb=1d5dac1b1dcc1f6bcb503d6fe6fb514ce3c5c109;hp=8af00b2a3356611ba0e6f0d6085188ec717ae9f3;hpb=7171b3e0793d96ae5e73c5346ce5f9b567b4d574;p=proxmox-backup.git diff --git a/src/server/rest.rs b/src/server/rest.rs index 8af00b2a..c985ccbd 100644 --- a/src/server/rest.rs +++ b/src/server/rest.rs @@ -1,31 +1,48 @@ -use crate::tools; -use crate::api::schema::*; -use crate::api::router::*; -use crate::api::config::*; -use crate::auth_helpers::*; -use super::environment::RestEnvironment; -use super::formatter::*; - +use std::collections::HashMap; +use std::future::Future; +use std::hash::BuildHasher; use std::path::{Path, PathBuf}; +use std::pin::Pin; use std::sync::Arc; -use std::collections::HashMap; +use std::task::{Context, Poll}; -use failure::*; +use anyhow::{bail, format_err, Error}; +use futures::future::{self, FutureExt, TryFutureExt}; +use futures::stream::TryStreamExt; +use hyper::header; +use hyper::http::request::Parts; +use hyper::{Body, Request, Response, StatusCode}; use serde_json::{json, Value}; +use tokio::fs::File; +use tokio::time::Instant; use url::form_urlencoded; -use futures::future::{self, Either}; -//use tokio::prelude::*; -//use tokio::timer::Delay; -use tokio::fs::File; -//use bytes::{BytesMut, BufMut}; +use proxmox::http_err; +use proxmox::api::{ + ApiHandler, + ApiMethod, + HttpError, + Permission, + RpcEnvironment, + RpcEnvironmentType, + check_api_permission, +}; +use proxmox::api::schema::{ + ObjectSchema, + parse_parameter_strings, + parse_simple_value, + verify_json_object, +}; -//use hyper::body::Payload; -use hyper::http::request::Parts; -use hyper::{Body, Request, Response, StatusCode}; -use hyper::service::{Service, NewService}; -use hyper::rt::{Future, Stream}; -use hyper::header; +use super::environment::RestEnvironment; +use super::formatter::*; +use super::ApiConfig; + +use crate::auth_helpers::*; +use crate::api2::types::Userid; +use crate::tools; +use crate::tools::ticket::Ticket; +use crate::config::cached_user_info::CachedUserInfo; extern "C" { fn tzset(); } @@ -40,128 +57,201 @@ impl RestServer { } } -impl NewService for RestServer -{ - type ReqBody = Body; - type ResBody = Body; - type Error = hyper::Error; - type InitError = hyper::Error; - type Service = ApiService; - type Future = Box + Send>; - fn new_service(&self) -> Self::Future { - Box::new(future::ok(ApiService { api_config: self.api_config.clone() })) +impl tower_service::Service<&tokio_openssl::SslStream> for RestServer { + type Response = ApiService; + type Error = Error; + type Future = Pin> + Send>>; + + fn poll_ready(&mut self, _cx: &mut Context) -> Poll> { + Poll::Ready(Ok(())) + } + + fn call(&mut self, ctx: &tokio_openssl::SslStream) -> Self::Future { + match ctx.get_ref().peer_addr() { + Err(err) => { + future::err(format_err!("unable to get peer address - {}", err)).boxed() + } + Ok(peer) => { + future::ok(ApiService { peer, api_config: self.api_config.clone() }).boxed() + } + } + } +} + +impl tower_service::Service<&tokio::net::TcpStream> for RestServer { + type Response = ApiService; + type Error = Error; + type Future = Pin> + Send>>; + + fn poll_ready(&mut self, _cx: &mut Context) -> Poll> { + Poll::Ready(Ok(())) + } + + fn call(&mut self, ctx: &tokio::net::TcpStream) -> Self::Future { + match ctx.peer_addr() { + Err(err) => { + future::err(format_err!("unable to get peer address - {}", err)).boxed() + } + Ok(peer) => { + future::ok(ApiService { peer, api_config: self.api_config.clone() }).boxed() + } + } } } pub struct ApiService { + pub peer: std::net::SocketAddr, pub api_config: Arc, } -impl ApiService { - fn log_response(path: &str, resp: &Response) { +fn log_response( + peer: &std::net::SocketAddr, + method: hyper::Method, + path: &str, + resp: &Response, +) { - if resp.extensions().get::().is_some() { return; }; + if resp.extensions().get::().is_some() { return; }; - let status = resp.status(); + let status = resp.status(); - if !status.is_success() { - let reason = status.canonical_reason().unwrap_or("unknown reason"); - let client = "unknown"; // fixme: howto get peer_addr ? - let message = "request failed"; + if !(status.is_success() || status.is_informational()) { + let reason = status.canonical_reason().unwrap_or("unknown reason"); - log::error!("{}: {} {}: [client {}] {}", path, status.as_str(), reason, client, message); + let mut message = "request failed"; + if let Some(data) = resp.extensions().get::() { + message = &data.0; } + + log::error!("{} {}: {} {}: [client {}] {}", method.as_str(), path, status.as_str(), reason, peer, message); } } -impl Service for ApiService { - type ReqBody = Body; - type ResBody = Body; - type Error = hyper::Error; - type Future = Box, Error = Self::Error> + Send>; +impl tower_service::Service> for ApiService { + type Response = Response; + type Error = Error; + type Future = Pin, Self::Error>> + Send>>; - fn call(&mut self, req: Request) -> Self::Future { + fn poll_ready(&mut self, _cx: &mut Context) -> Poll> { + Poll::Ready(Ok(())) + } + + fn call(&mut self, req: Request) -> Self::Future { let path = req.uri().path().to_owned(); - Box::new(handle_request(self.api_config.clone(), req).then(move |result| { - match result { + let method = req.method().clone(); + + let peer = self.peer; + handle_request(self.api_config.clone(), req) + .map(move |result| match result { Ok(res) => { - Self::log_response(&path, &res); - Ok::<_, hyper::Error>(res) + log_response(&peer, method, &path, &res); + Ok::<_, Self::Error>(res) } Err(err) => { if let Some(apierr) = err.downcast_ref::() { let mut resp = Response::new(Body::from(apierr.message.clone())); *resp.status_mut() = apierr.code; - Self::log_response(&path, &resp); + log_response(&peer, method, &path, &resp); Ok(resp) } else { let mut resp = Response::new(Body::from(err.to_string())); *resp.status_mut() = StatusCode::BAD_REQUEST; - Self::log_response(&path, &resp); + log_response(&peer, method, &path, &resp); Ok(resp) } } - } - })) + }) + .boxed() } } -fn get_request_parameters_async( - info: &'static ApiMethod, - parts: Parts, - req_body: Body, - uri_param: HashMap, -) -> Box + Send> -{ - let resp = req_body - .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) - } - else { Err(http_err!(BAD_REQUEST, format!("Request body too large"))) } - }) - .and_then(move |body| { +fn parse_query_parameters( + param_schema: &ObjectSchema, + form: &str, // x-www-form-urlencoded body data + parts: &Parts, + uri_param: &HashMap, +) -> Result { - let utf8 = std::str::from_utf8(&body)?; + let mut param_list: Vec<(String, String)> = vec![]; - let mut param_list: Vec<(String, String)> = vec![]; + if !form.is_empty() { + for (k, v) in form_urlencoded::parse(form.as_bytes()).into_owned() { + param_list.push((k, v)); + } + } - if utf8.len() > 0 { - for (k, v) in form_urlencoded::parse(utf8.as_bytes()).into_owned() { - param_list.push((k, v)); - } + if let Some(query_str) = parts.uri.query() { + for (k, v) in form_urlencoded::parse(query_str.as_bytes()).into_owned() { + if k == "_dc" { continue; } // skip extjs "disable cache" parameter + param_list.push((k, v)); + } + } - } + for (k, v) in uri_param { + param_list.push((k.clone(), v.clone())); + } - if let Some(query_str) = parts.uri.query() { - for (k, v) in form_urlencoded::parse(query_str.as_bytes()).into_owned() { - if k == "_dc" { continue; } // skip extjs "disable cache" parameter - param_list.push((k, v)); - } - } + let params = parse_parameter_strings(¶m_list, param_schema, true)?; + + Ok(params) +} + +async fn get_request_parameters( + param_schema: &ObjectSchema, + parts: Parts, + req_body: Body, + uri_param: HashMap, +) -> Result { - for (k, v) in uri_param { - param_list.push((k.clone(), v.clone())); + let mut is_json = false; + + if let Some(value) = parts.headers.get(header::CONTENT_TYPE) { + match value.to_str().map(|v| v.split(';').next()) { + Ok(Some("application/x-www-form-urlencoded")) => { + is_json = false; + } + Ok(Some("application/json")) => { + is_json = true; } + _ => bail!("unsupported content type {:?}", value.to_str()), + } + } - let params = parse_parameter_strings(¶m_list, &info.parameters, true)?; + let body = req_body + .map_err(|err| http_err!(BAD_REQUEST, "Promlems reading request body: {}", err)) + .try_fold(Vec::new(), |mut acc, chunk| async move { + if acc.len() + chunk.len() < 64*1024 { //fimxe: max request body size? + acc.extend_from_slice(&*chunk); + Ok(acc) + } else { + Err(http_err!(BAD_REQUEST, "Request body too large")) + } + }).await?; - Ok(params) - }); + let utf8_data = std::str::from_utf8(&body) + .map_err(|err| format_err!("Request body not uft8: {}", err))?; - Box::new(resp) + if is_json { + let mut params: Value = serde_json::from_str(utf8_data)?; + for (k, v) in uri_param { + if let Some((_optional, prop_schema)) = param_schema.lookup(&k) { + params[&k] = parse_simple_value(&v, prop_schema)?; + } + } + verify_json_object(¶ms, param_schema)?; + return Ok(params); + } else { + parse_query_parameters(param_schema, utf8_data, &parts, &uri_param) + } } struct NoLogExtension(); -fn proxy_protected_request( +async fn proxy_protected_request( info: &'static ApiMethod, mut parts: Parts, req_body: Body, -) -> BoxFut -{ +) -> Result, Error> { let mut uri_parts = parts.uri.clone().into_parts(); @@ -173,162 +263,124 @@ fn proxy_protected_request( let request = Request::from_parts(parts, req_body); + let reload_timezone = info.reload_timezone; + let resp = hyper::client::Client::new() .request(request) - .map_err(|e| Error::from(e)) - .map(|mut resp| { - resp.extensions_mut().insert(NoLogExtension); + .map_err(Error::from) + .map_ok(|mut resp| { + resp.extensions_mut().insert(NoLogExtension()); resp - }); + }) + .await?; - let resp = if info.reload_timezone { - Either::A(resp.then(|resp| {unsafe { tzset() }; resp })) - } else { - Either::B(resp) - }; + if reload_timezone { unsafe { tzset(); } } - return Box::new(resp); + Ok(resp) } -fn handle_sync_api_request( - mut rpcenv: RestEnvironment, +pub async fn handle_api_request( + mut rpcenv: Env, info: &'static ApiMethod, formatter: &'static OutputFormatter, parts: Parts, req_body: Body, - uri_param: HashMap, -) -> BoxFut -{ - let params = get_request_parameters_async(info, parts, req_body, uri_param); + uri_param: HashMap, +) -> Result, Error> { let delay_unauth_time = std::time::Instant::now() + std::time::Duration::from_millis(3000); - let resp = params - .and_then(move |params| { - let mut delay = false; - let resp = match (info.handler)(params, info, &mut rpcenv) { - Ok(data) => (formatter.format_result)(data, &rpcenv), - Err(err) => { - if let Some(httperr) = err.downcast_ref::() { - if httperr.code == StatusCode::UNAUTHORIZED { delay = true; } - } - (formatter.format_error)(err) - } - }; + let result = match info.handler { + ApiHandler::AsyncHttp(handler) => { + let params = parse_query_parameters(info.parameters, "", &parts, &uri_param)?; + (handler)(parts, req_body, params, info, Box::new(rpcenv)).await + } + ApiHandler::Sync(handler) => { + let params = get_request_parameters(info.parameters, parts, req_body, uri_param).await?; + (handler)(params, info, &mut rpcenv) + .map(|data| (formatter.format_data)(data, &rpcenv)) + } + ApiHandler::Async(handler) => { + let params = get_request_parameters(info.parameters, parts, req_body, uri_param).await?; + (handler)(params, info, &mut rpcenv) + .await + .map(|data| (formatter.format_data)(data, &rpcenv)) + } + }; - if info.reload_timezone { - unsafe { tzset() }; + let resp = match result { + Ok(resp) => resp, + Err(err) => { + if let Some(httperr) = err.downcast_ref::() { + if httperr.code == StatusCode::UNAUTHORIZED { + tokio::time::delay_until(Instant::from_std(delay_unauth_time)).await; + } } + (formatter.format_error)(err) + } + }; - if delay { - let delayed_response = tokio::timer::Delay::new(delay_unauth_time) - .map_err(|err| http_err!(INTERNAL_SERVER_ERROR, format!("tokio timer delay error: {}", err))) - .and_then(|_| Ok(resp)); - - Either::A(delayed_response) - } else { - Either::B(future::ok(resp)) - } - }); + if info.reload_timezone { unsafe { tzset(); } } - Box::new(resp) + Ok(resp) } -fn handle_async_api_request( - mut rpcenv: RestEnvironment, - info: &'static ApiAsyncMethod, - formatter: &'static OutputFormatter, +fn get_index( + userid: Option, + token: Option, + language: Option, + api: &Arc, parts: Parts, - req_body: Body, - uri_param: HashMap, -) -> BoxFut -{ - // fixme: convert parameters to Json - let mut param_list: Vec<(String, String)> = vec![]; +) -> Response { + + let nodename = proxmox::tools::nodename(); + let userid = userid.as_ref().map(|u| u.as_str()).unwrap_or(""); + + let token = token.unwrap_or_else(|| String::from("")); + + let mut debug = false; + let mut template_file = "index"; if let Some(query_str) = parts.uri.query() { for (k, v) in form_urlencoded::parse(query_str.as_bytes()).into_owned() { - if k == "_dc" { continue; } // skip extjs "disable cache" parameter - param_list.push((k, v)); + if k == "debug" && v != "0" && v != "false" { + debug = true; + } else if k == "console" { + template_file = "console"; + } } } - for (k, v) in uri_param { - param_list.push((k.clone(), v.clone())); - } - - let params = match parse_parameter_strings(¶m_list, &info.parameters, true) { - Ok(v) => v, - Err(err) => { - let resp = (formatter.format_error)(Error::from(err)); - return Box::new(future::ok(resp)); - } - }; - - match (info.handler)(parts, req_body, params, info, &mut rpcenv) { - Ok(future) => future, - Err(err) => { - let resp = (formatter.format_error)(Error::from(err)); - Box::new(future::ok(resp)) + let mut lang = String::from(""); + if let Some(language) = language { + if Path::new(&format!("/usr/share/pbs-i18n/pbs-lang-{}.js", language)).exists() { + lang = language; } } -} - -fn get_index() -> BoxFut { - let nodename = tools::nodename(); - let username = ""; // fixme: implement real auth - let token = ""; - - let setup = json!({ - "Setup": { "auth_cookie_name": "PBSAuthCookie" }, + let data = json!({ "NodeName": nodename, - "UserName": username, + "UserName": userid, "CSRFPreventionToken": token, + "language": lang, + "debug": debug, }); - let index = format!(r###" - - - - - - - Proxmox Backup Server - - - - - - - - - - - - - - - - -
- -
- - -"###, setup.to_string()); - - let resp = Response::builder() + let mut ct = "text/html"; + + let index = match api.render_template(template_file, &data) { + Ok(index) => index, + Err(err) => { + ct = "text/plain"; + format!("Error rendering template: {}", err) + } + }; + + Response::builder() .status(StatusCode::OK) - .header(header::CONTENT_TYPE, "text/html") + .header(header::CONTENT_TYPE, ct) .body(index.into()) - .unwrap(); - - Box::new(future::ok(resp)) + .unwrap() } fn extension_to_content_type(filename: &Path) -> (&'static str, bool) { @@ -360,165 +412,217 @@ fn extension_to_content_type(filename: &Path) -> (&'static str, bool) { ("application/octet-stream", false) } -fn simple_static_file_download(filename: PathBuf) -> BoxFut { +async fn simple_static_file_download(filename: PathBuf) -> Result, Error> { let (content_type, _nocomp) = extension_to_content_type(&filename); - Box::new(File::open(filename) - .map_err(|err| http_err!(BAD_REQUEST, format!("File open failed: {}", err))) - .and_then(move |file| { - let buf: Vec = Vec::new(); - tokio::io::read_to_end(file, buf) - .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) - }) - })) -} + use tokio::io::AsyncReadExt; + + let mut file = File::open(filename) + .await + .map_err(|err| http_err!(BAD_REQUEST, "File open failed: {}", err))?; -fn chuncked_static_file_download(filename: PathBuf) -> BoxFut { + let mut data: Vec = Vec::new(); + file.read_to_end(&mut data) + .await + .map_err(|err| http_err!(BAD_REQUEST, "File read failed: {}", err))?; + let mut response = Response::new(data.into()); + response.headers_mut().insert( + header::CONTENT_TYPE, + header::HeaderValue::from_static(content_type)); + Ok(response) +} + +async fn chuncked_static_file_download(filename: PathBuf) -> Result, Error> { let (content_type, _nocomp) = extension_to_content_type(&filename); - Box::new(File::open(filename) - .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()) - })) + let file = File::open(filename) + .await + .map_err(|err| http_err!(BAD_REQUEST, "File open failed: {}", err))?; + + let payload = tokio_util::codec::FramedRead::new(file, tokio_util::codec::BytesCodec::new()) + .map_ok(|bytes| hyper::body::Bytes::from(bytes.freeze())); + 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 { +async fn handle_static_file_download(filename: PathBuf) -> Result, Error> { - let response = tokio::fs::metadata(filename.clone()) - .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)) - } - }); + let metadata = tokio::fs::metadata(filename.clone()) + .map_err(|err| http_err!(BAD_REQUEST, "File access problems: {}", err)) + .await?; - return Box::new(response); + if metadata.len() < 1024*32 { + simple_static_file_download(filename).await + } else { + chuncked_static_file_download(filename).await + } } -pub fn handle_request(api: Arc, req: Request) -> BoxFut { +fn extract_auth_data(headers: &http::HeaderMap) -> (Option, Option, Option) { - let (parts, body) = req.into_parts(); + let mut ticket = None; + let mut language = None; + if let Some(raw_cookie) = headers.get("COOKIE") { + if let Ok(cookie) = raw_cookie.to_str() { + ticket = tools::extract_cookie(cookie, "PBSAuthCookie"); + language = tools::extract_cookie(cookie, "PBSLangCookie"); + } + } - let method = parts.method.clone(); - let path = parts.uri.path(); + let token = match headers.get("CSRFPreventionToken").map(|v| v.to_str()) { + Some(Ok(v)) => Some(v.to_owned()), + _ => None, + }; + + (ticket, token, language) +} + +fn check_auth( + method: &hyper::Method, + ticket: &Option, + token: &Option, + user_info: &CachedUserInfo, +) -> Result { + let ticket_lifetime = tools::ticket::TICKET_LIFETIME; - // normalize path - // do not allow ".", "..", or hidden files ".XXXX" - // also remove empty path components + let ticket = ticket.as_ref().map(String::as_str); + let userid: Userid = Ticket::parse(&ticket.ok_or_else(|| format_err!("missing ticket"))?)? + .verify_with_time_frame(public_auth_key(), "PBS", None, -300..ticket_lifetime)?; - let items = path.split('/'); - let mut path = String::new(); - let mut components = vec![]; + if !user_info.is_active_user(&userid) { + bail!("user account disabled or expired."); + } - for name in items { - if name.is_empty() { continue; } - if name.starts_with(".") { - return Box::new(future::err(http_err!(BAD_REQUEST, "Path contains illegal components.".to_string()))); + if method != hyper::Method::GET { + if let Some(token) = token { + verify_csrf_prevention_token(csrf_secret(), &userid, &token, -300, ticket_lifetime)?; + } else { + bail!("missing CSRF prevention token"); } - path.push('/'); - path.push_str(name); - components.push(name); } + Ok(userid) +} + +pub async fn handle_request(api: Arc, req: Request) -> Result, Error> { + + let (parts, body) = req.into_parts(); + + let method = parts.method.clone(); + let (path, components) = tools::normalize_uri_path(parts.uri.path())?; + let comp_len = components.len(); - println!("REQUEST {} {}", method, path); - println!("COMPO {:?}", components); + //println!("REQUEST {} {}", method, path); + //println!("COMPO {:?}", components); let env_type = api.env_type(); let mut rpcenv = RestEnvironment::new(env_type); - let delay_unauth_time = std::time::Instant::now() + std::time::Duration::from_millis(3000); - - if let Some(raw_cookie) = parts.headers.get("COOKIE") { - if let Ok(cookie) = raw_cookie.to_str() { - if let Some(ticket) = tools::extract_auth_cookie(cookie, "PBSAuthCookie") { - if let Ok((_, Some(username))) = tools::ticket::verify_rsa_ticket( - public_auth_key(), "PBS", &ticket, None, -300, 3600*2) { - rpcenv.set_user(Some(username)); - } - } - } - } + let user_info = CachedUserInfo::new()?; + let delay_unauth_time = std::time::Instant::now() + std::time::Duration::from_millis(3000); + let access_forbidden_time = std::time::Instant::now() + std::time::Duration::from_millis(500); if comp_len >= 1 && components[0] == "api2" { - println!("GOT API REQUEST"); + if comp_len >= 2 { + let format = components[1]; + let formatter = match format { "json" => &JSON_FORMATTER, "extjs" => &EXTJS_FORMATTER, - _ => { - return Box::new(future::err(http_err!(BAD_REQUEST, format!("Unsupported output format '{}'.", format)))); - } + _ => bail!("Unsupported output format '{}'.", format), }; let mut uri_param = HashMap::new(); + let api_method = api.find_method(&components[2..], method.clone(), &mut uri_param); - if comp_len == 4 && components[2] == "access" && components[3] == "ticket" { - // explicitly allow those calls without auth - } else { - if let Some(_username) = rpcenv.get_user() { - // fixme: check permissions - } else { - // always delay unauthorized calls by 3 seconds (from start of request) - let resp = (formatter.format_error)(http_err!(UNAUTHORIZED, "permission check failed.".into())); - let delayed_response = tokio::timer::Delay::new(delay_unauth_time) - .map_err(|err| http_err!(INTERNAL_SERVER_ERROR, format!("tokio timer delay error: {}", err))) - .and_then(|_| Ok(resp)); - - return Box::new(delayed_response); + let mut auth_required = true; + if let Some(api_method) = api_method { + if let Permission::World = *api_method.access.permission { + auth_required = false; // no auth for endpoints with World permission } } - match api.find_method(&components[2..], method, &mut uri_param) { - MethodDefinition::None => {} - MethodDefinition::Simple(api_method) => { - if api_method.protected && env_type == RpcEnvironmentType::PUBLIC { - return proxy_protected_request(api_method, parts, body); - } else { - return handle_sync_api_request(rpcenv, api_method, formatter, parts, body, uri_param); + if auth_required { + let (ticket, token, _) = extract_auth_data(&parts.headers); + match check_auth(&method, &ticket, &token, &user_info) { + Ok(userid) => rpcenv.set_user(Some(userid.to_string())), + Err(err) => { + // always delay unauthorized calls by 3 seconds (from start of request) + let err = http_err!(UNAUTHORIZED, "authentication failed - {}", err); + tokio::time::delay_until(Instant::from_std(delay_unauth_time)).await; + return Ok((formatter.format_error)(err)); } } - MethodDefinition::Async(async_method) => { - return handle_async_api_request(rpcenv, async_method, formatter, parts, body, uri_param); + } + + match api_method { + None => { + let err = http_err!(NOT_FOUND, "Path '{}' not found.", path); + return Ok((formatter.format_error)(err)); + } + Some(api_method) => { + let user = rpcenv.get_user(); + if !check_api_permission(api_method.access.permission, user.as_deref(), &uri_param, user_info.as_ref()) { + let err = http_err!(FORBIDDEN, "permission check failed"); + tokio::time::delay_until(Instant::from_std(access_forbidden_time)).await; + return Ok((formatter.format_error)(err)); + } + + let result = if api_method.protected && env_type == RpcEnvironmentType::PUBLIC { + proxy_protected_request(api_method, parts, body).await + } else { + handle_api_request(rpcenv, api_method, formatter, parts, body, uri_param).await + }; + + if let Err(err) = result { + return Ok((formatter.format_error)(err)); + } + return result; } } + + } + } else { + // not Auth required for accessing files! + + if method != hyper::Method::GET { + bail!("Unsupported HTTP method {}", method); } - } else { - // not Auth for accessing files! if comp_len == 0 { - return get_index(); + let (ticket, token, language) = extract_auth_data(&parts.headers); + if ticket != None { + match check_auth(&method, &ticket, &token, &user_info) { + Ok(userid) => { + let new_token = assemble_csrf_prevention_token(csrf_secret(), &userid); + return Ok(get_index(Some(userid), Some(new_token), language, &api, parts)); + } + _ => { + tokio::time::delay_until(Instant::from_std(delay_unauth_time)).await; + return Ok(get_index(None, None, language, &api, parts)); + } + } + } else { + return Ok(get_index(None, None, language, &api, parts)); + } } else { let filename = api.find_alias(&components); - return handle_static_file_download(filename); + return handle_static_file_download(filename).await; } } - Box::new(future::err(http_err!(NOT_FOUND, "Path not found.".to_string()))) + Err(http_err!(NOT_FOUND, "Path '{}' not found.", path)) }