]> git.proxmox.com Git - proxmox-backup.git/blame - src/api_server.rs
move server code to api_server.rs, implement Service and NewService
[proxmox-backup.git] / src / api_server.rs
CommitLineData
1a53be14
DM
1use std::collections::HashMap;
2use std::path::{PathBuf};
9bc17e8d
DM
3use std::sync::Arc;
4
5use failure::*;
6use serde_json::{json, Value};
7
8use crate::json_schema::*;
1a53be14 9use crate::api_info::*;
1a53be14 10
1a53be14 11
9bc17e8d
DM
12use futures::future::{self, Either};
13//use tokio::prelude::*;
14//use tokio::timer::Delay;
15use tokio::fs::File;
16use tokio_codec;
17//use bytes::{BytesMut, BufMut};
18
19//use hyper::body::Payload;
20use hyper::http::request::Parts;
21use hyper::{Body, Request, Method, Response, StatusCode};
22use hyper::service::{Service, NewService};
23use hyper::rt::{Future, Stream};
24use hyper::header;
25
26
27pub struct ApiConfig {
1a53be14
DM
28 basedir: PathBuf,
29 router: &'static MethodInfo,
30 aliases: HashMap<String, PathBuf>,
31}
32
9bc17e8d 33impl ApiConfig {
1a53be14
DM
34
35 pub fn new<B: Into<PathBuf>>(basedir: B, router: &'static MethodInfo) -> Self {
9bc17e8d 36 Self {
1a53be14
DM
37 basedir: basedir.into(),
38 router: router,
39 aliases: HashMap::new(),
40 }
41 }
42
43 pub fn find_method(&self, components: &[&str], method: Method) -> Option<&'static ApiMethod> {
44
45 if let Some(info) = self.router.find_route(components) {
46 println!("FOUND INFO");
47 let opt_api_method = match method {
48 Method::GET => &info.get,
49 Method::PUT => &info.put,
50 Method::POST => &info.post,
51 Method::DELETE => &info.delete,
52 _ => &None,
53 };
54 if let Some(api_method) = opt_api_method {
55 return Some(&api_method);
56 }
57 }
58 None
59 }
60
61 pub fn find_alias(&self, components: &[&str]) -> PathBuf {
62
63 let mut prefix = String::new();
64 let mut filename = self.basedir.clone();
65 let comp_len = components.len();
66 if comp_len >= 1 {
67 prefix.push_str(components[0]);
68 if let Some(subdir) = self.aliases.get(&prefix) {
69 filename.push(subdir);
70 for i in 1..comp_len { filename.push(components[i]) }
71 }
72 }
73 filename
74 }
75
76 pub fn add_alias<S, P>(&mut self, alias: S, path: P)
77 where S: Into<String>,
78 P: Into<PathBuf>,
79 {
80 self.aliases.insert(alias.into(), path.into());
81 }
82}
9bc17e8d
DM
83
84type BoxFut = Box<Future<Item = Response<Body>, Error = failure::Error> + Send>;
85
86macro_rules! error_response {
87 ($status:ident, $msg:expr) => {{
88 let mut resp = Response::new(Body::from($msg));
89 *resp.status_mut() = StatusCode::$status;
90 resp
91 }}
92}
93
94macro_rules! http_error_future {
95 ($status:ident, $msg:expr) => {{
96 let resp = error_response!($status, $msg);
97 return Box::new(future::ok(resp));
98 }}
99}
100
101fn get_request_parameters_async<'a>(
102 info: &'a ApiMethod,
103 parts: Parts,
104 req_body: Body,
105) -> Box<Future<Item = Value, Error = failure::Error> + Send + 'a>
106{
107 let resp = req_body
108 .map_err(|err| Error::from(ApiError::new(StatusCode::BAD_REQUEST, format!("Promlems reading request body: {}", err))))
109 .fold(Vec::new(), |mut acc, chunk| {
110 if acc.len() + chunk.len() < 64*1024 { //fimxe: max request body size?
111 acc.extend_from_slice(&*chunk);
112 Ok(acc)
113 }
114 else { Err(Error::from(ApiError::new(StatusCode::BAD_REQUEST, format!("Request body too large")))) }
115 })
116 .and_then(move |body| {
117
118 let bytes = String::from_utf8(body.to_vec())?; // why copy??
119
120 println!("GOT BODY {:?}", bytes);
121
122 let mut test_required = true;
123
124 let mut params = json!({});
125
126 if bytes.len() > 0 {
127 params = parse_query_string(&bytes, &info.parameters, true)?;
128 test_required = false;
129 }
130
131 if let Some(query_str) = parts.uri.query() {
132 let query_params = parse_query_string(query_str, &info.parameters, test_required)?;
133
134 for (k, v) in query_params.as_object().unwrap() {
135 params[k] = v.clone(); // fixme: why clone()??
136 }
137 }
138
139 println!("GOT PARAMS {}", params);
140 Ok(params)
141 });
142
143 Box::new(resp)
144}
145
146fn handle_sync_api_request<'a>(
147 info: &'a ApiMethod,
148 parts: Parts,
149 req_body: Body,
150) -> Box<Future<Item = Response<Body>, Error = failure::Error> + Send + 'a>
151{
152 let params = get_request_parameters_async(info, parts, req_body);
153
154 let resp = params
155 .and_then(move |params| {
156
157 println!("GOT PARAMS {}", params);
158
159 /*
160 let when = Instant::now() + Duration::from_millis(3000);
161 let task = Delay::new(when).then(|_| {
162 println!("A LAZY TASK");
163 ok(())
164 });
165
166 tokio::spawn(task);
167 */
168
169 let res = (info.handler)(params, info)?;
170
171 Ok(res)
172
173 }).then(|result| {
174 match result {
175 Ok(ref value) => {
176 let json_str = value.to_string();
177
178 Ok(Response::builder()
179 .status(StatusCode::OK)
180 .header(header::CONTENT_TYPE, "application/json")
181 .body(Body::from(json_str))?)
182 }
183 Err(err) => Ok(error_response!(BAD_REQUEST, err.to_string()))
184 }
185 });
186
187 Box::new(resp)
188}
189
190fn simple_static_file_download(filename: PathBuf) -> BoxFut {
191
192 Box::new(File::open(filename)
193 .map_err(|err| Error::from(ApiError::new(StatusCode::BAD_REQUEST, format!("File open failed: {}", err))))
194 .and_then(|file| {
195 let buf: Vec<u8> = Vec::new();
196 tokio::io::read_to_end(file, buf)
197 .map_err(|err| Error::from(ApiError::new(StatusCode::BAD_REQUEST, format!("File read failed: {}", err))))
198 .and_then(|data| Ok(Response::new(data.1.into())))
199 }))
200}
201
202fn chuncked_static_file_download(filename: PathBuf) -> BoxFut {
203
204 Box::new(File::open(filename)
205 .map_err(|err| Error::from(ApiError::new(StatusCode::BAD_REQUEST, format!("File open failed: {}", err))))
206 .and_then(|file| {
207 let payload = tokio_codec::FramedRead::new(file, tokio_codec::BytesCodec::new()).
208 map(|bytes| {
209 //sigh - howto avoid copy here? or the whole map() ??
210 hyper::Chunk::from(bytes.to_vec())
211 });
212 let body = Body::wrap_stream(payload);
213 // fixme: set content type and other headers
214 Ok(Response::builder()
215 .status(StatusCode::OK)
216 .body(body)
217 .unwrap())
218 }))
219}
220
221fn handle_static_file_download(filename: PathBuf) -> BoxFut {
222
223 let response = tokio::fs::metadata(filename.clone())
224 .map_err(|err| Error::from(ApiError::new(StatusCode::BAD_REQUEST, format!("File access problems: {}", err))))
225 .and_then(|metadata| {
226 if metadata.len() < 1024*32 {
227 Either::A(simple_static_file_download(filename))
228 } else {
229 Either::B(chuncked_static_file_download(filename))
230 }
231 });
232
233 return Box::new(response);
234}
235
236pub fn handle_request(api: Arc<ApiConfig>, req: Request<Body>) -> BoxFut {
237
238 let (parts, body) = req.into_parts();
239
240 let method = parts.method.clone();
241 let path = parts.uri.path();
242
243 // normalize path
244 // do not allow ".", "..", or hidden files ".XXXX"
245 // also remove empty path components
246
247 let items = path.split('/');
248 let mut path = String::new();
249 let mut components = vec![];
250
251 for name in items {
252 if name.is_empty() { continue; }
253 if name.starts_with(".") {
254 http_error_future!(BAD_REQUEST, "Path contains illegal components.\n");
255 }
256 path.push('/');
257 path.push_str(name);
258 components.push(name);
259 }
260
261 let comp_len = components.len();
262
263 println!("REQUEST {} {}", method, path);
264 println!("COMPO {:?}", components);
265
266 if comp_len >= 1 && components[0] == "api3" {
267 println!("GOT API REQUEST");
268 if comp_len >= 2 {
269 let format = components[1];
270 if format != "json" {
271 http_error_future!(BAD_REQUEST, format!("Unsupported output format '{}'.", format))
272 }
273
274 if let Some(api_method) = api.find_method(&components[2..], method) {
275 // fixme: handle auth
276 return handle_sync_api_request(api_method, parts, body);
277 }
278 }
279 } else {
280 // not Auth for accessing files!
281
282 let filename = api.find_alias(&components);
283 return handle_static_file_download(filename);
284 }
285
286 http_error_future!(NOT_FOUND, "Path not found.")
287 //Box::new(ok(Response::new(Body::from("RETURN WEB GUI\n"))))
288}
289
290pub struct RestServer {
291 pub api_config: Arc<ApiConfig>,
292}
293
294impl RestServer {
295
296 pub fn new(api_config: ApiConfig) -> Self {
297 Self { api_config: Arc::new(api_config) }
298 }
299}
300
301impl NewService for RestServer
302{
303 type ReqBody = Body;
304 type ResBody = Body;
305 type Error = hyper::Error;
306 type InitError = hyper::Error;
307 type Service = ApiService;
308 type Future = Box<Future<Item = Self::Service, Error = Self::InitError> + Send>;
309 fn new_service(&self) -> Self::Future {
310 Box::new(future::ok(ApiService { api_config: self.api_config.clone() }))
311 }
312}
313
314pub struct ApiService {
315 pub api_config: Arc<ApiConfig>,
316}
317
318impl Service for ApiService {
319 type ReqBody = Body;
320 type ResBody = Body;
321 type Error = hyper::Error;
322 type Future = Box<Future<Item = Response<Body>, Error = Self::Error> + Send>;
323
324 fn call(&mut self, req: Request<Self::ReqBody>) -> Self::Future {
325
326 Box::new(handle_request(self.api_config.clone(), req).then(|result| {
327 match result {
328 Ok(res) => Ok::<_, hyper::Error>(res),
329 Err(err) => {
330 if let Some(apierr) = err.downcast_ref::<ApiError>() {
331 let mut resp = Response::new(Body::from(apierr.message.clone()));
332 *resp.status_mut() = apierr.code;
333 Ok(resp)
334 } else {
335 let mut resp = Response::new(Body::from(err.to_string()));
336 *resp.status_mut() = StatusCode::BAD_REQUEST;
337 Ok(resp)
338 }
339 }
340 }
341 }))
342 }
343}