chiark / gitweb /
server wip meta
[hippotat.git] / src / bin / server.rs
index 764b22f5e2954a98e9d6eede7c034fbb8c54dc56..1764470ba118ae8dc47c560a6161a1b20f13b79f 100644 (file)
@@ -30,12 +30,20 @@ struct WebRequest {
   // end delimiter for the metadata not yet located, but in here somewhere
   initial: Box<[u8]>,
   initial_remaining: usize,
+  length_hint: usize,
   body: hyper::body::Body,
-  reply: tokio::sync::oneshot::Sender<WebResponse>,
+  boundary_finder: multipart::BoundaryFinder,
+  reply_to: tokio::sync::oneshot::Sender<WebResponse>,
+  warnings: Warnings,
 }
 
 /// Reply from client task to hyper worker pool task
-type WebResponse = Result<WebResponseData, AE>;
+#[allow(dead_code)] // xxx
+struct WebResponse {
+  warnings: Warnings,
+  data: Result<WebResponseData, AE>,
+}
+
 type WebResponseData = ();
 
 async fn handle(
@@ -55,12 +63,17 @@ async fn handle(
 
   match async {
 
+    let get_header = |hn: &str| {
+      let mut values = req.headers().get_all(hn).iter();
+      let v = values.next().ok_or_else(|| anyhow!("missing {}", hn))?;
+      if values.next().is_some() { throw!(anyhow!("multiple {}!", hn)); }
+      let v = v.to_str().context(anyhow!("interpret {} as UTF-8", hn))?;
+      Ok::<_,AE>(v)
+    };
+
     let mkboundary = |b: &'_ _| format!("\n--{}", b).into_bytes();
     let boundary = match (||{
-      let mut ctypes = req.headers().get_all("Content-Type").iter();
-      let t = ctypes.next().ok_or_else(|| anyhow!("missing Content-Type"))?;
-      if ctypes.next().is_some() { throw!(anyhow!("several Content-Type")) }
-      let t = t.to_str().context("interpret Content-Type as utf-8")?;
+      let t = get_header("Content-Type")?;
       let t: mime::Mime = t.parse().context("parse Content-Type")?;
       if t.type_() != "multipart" { throw!(anyhow!("not multipart/")) }
       let b = mime::BOUNDARY;
@@ -78,21 +91,31 @@ async fn handle(
       },
     };
 
+    let length_hint: usize = (||{
+      let clength = get_header("Content-Length")?;
+      let clength = clength.parse().context("parse Content-Length")?;
+      Ok::<_,AE>(clength)
+    })().unwrap_or_else(
+      |e| { let _ = warnings.add(&e.wrap_err("parsing Content-Length")); 0 }
+    );
+
     let mut body = req.into_body();
-    let initial = match read_limited_bytes(METADATA_MAX_LEN, &mut body).await {
+    let initial = match read_limited_bytes(
+      METADATA_MAX_LEN, default(), length_hint, &mut body
+    ).await {
       Ok(all) => all,
       Err(ReadLimitedError::Truncated { sofar,.. }) => sofar,
       Err(ReadLimitedError::Hyper(e)) => throw!(e),
     };
 
-    let finder = memmem::Finder::new(&boundary);
-    let mut find_iter = finder.find_iter(&initial);
+    let boundary_finder = memmem::Finder::new(&boundary);
+    let mut boundary_iter = boundary_finder.find_iter(&initial);
 
     let start = if initial.starts_with(&boundary[1..]) { boundary.len()-1 }
-    else if let Some(start) = find_iter.next() { start + boundary.len() }
+    else if let Some(start) = boundary_iter.next() { start + boundary.len() }
     else { throw!(anyhow!("initial boundary not found")) };
 
-    let comp = multipart::process_component
+    let comp = multipart::process_boundary
       (&mut warnings, &initial[start..], PartName::m)?
       .ok_or_else(|| anyhow!(r#"no "m" component"#))?;
 
@@ -100,7 +123,7 @@ async fn handle(
       r#"first multipart component must be name="m""#
     )) }
 
-    let mut meta = MetadataFieldIterator::new(comp.payload_start);
+    let mut meta = MetadataFieldIterator::new(comp.payload);
 
     let client: ClientName = meta.need_parse().context("client addr")?;
 
@@ -159,12 +182,15 @@ async fn handle(
     //eprintln!("boundary={:?} start={} name={:?} client={}",
     // boundary, start, &comp.name, &client.ic);
 
-    let (reply, reply_recv) = tokio::sync::oneshot::channel();
+    let (reply_to, reply_recv) = tokio::sync::oneshot::channel();
     let wreq = WebRequest {
       initial,
       initial_remaining,
+      length_hint,
+      boundary_finder: boundary_finder.into_owned(),
       body,
-      reply
+      warnings: mem::take(&mut warnings),
+      reply_to
     };
     trace!("{} request", &client.ic);
 
@@ -172,8 +198,9 @@ async fn handle(
       .map_err(|_| anyhow!("client task shut down!"))?;
 
     let reply: WebResponse = reply_recv.await?;
+    warnings = reply.warnings;
 
-    reply
+    reply.data
   }.await {
     Ok(()) => {
     },
@@ -187,17 +214,27 @@ async fn handle(
   Ok(hyper::Response::new(hyper::Body::from("Hello World")))
 }
 
-async fn run_client(_ic: Arc<InstanceConfig>,
+#[allow(unused_variables)] // xxx
+#[allow(unused_mut)] // xxx
+async fn run_client(ic: Arc<InstanceConfig>,
                     mut web: mpsc::Receiver<WebRequest>)
                     -> Result<Void, AE>
 {
   struct Outstanding {
-    reply: tokio::sync::oneshot::Sender<WebResponse>,
+    reply_to: tokio::sync::oneshot::Sender<WebResponse>,
     max_requests_outstanding: u32,
   }
   let mut outstanding: VecDeque<Outstanding> = default();
   let  downbound: VecDeque<(/*xxx*/)> = default();
 
+  let try_send_response = |
+    reply_to: tokio::sync::oneshot::Sender<WebResponse>,
+    response: WebResponse
+  | {
+    reply_to.send(response)
+      .unwrap_or_else(|_: WebResponse| () /* oh dear */ /* xxx trace? */);
+  };
+
   loop {
     if let Some(ret) = {
       if ! downbound.is_empty() {
@@ -210,18 +247,99 @@ async fn run_client(_ic: Arc<InstanceConfig>,
         None
       }
     } {
-      ret.reply.send(Ok(() /* dummy */))
-        .unwrap_or_else(|_: WebResponse| () /* oh dear */ /* xxx trace? */);
+      let response = WebResponse {
+        data: Ok(()),
+        warnings: default(),
+      };
+
+      try_send_response(ret.reply_to, response);
     }
 
     select!{
       req = web.recv() =>
       {
-        let req = req.ok_or_else(|| anyhow!("webservers all shut down!"))?;
-        outstanding.push_back(Outstanding {
-          reply: req.reply,
-          max_requests_outstanding: 42, // xxx
-        });
+        let WebRequest {
+          initial, initial_remaining, length_hint, mut body,
+          boundary_finder,
+          reply_to, warnings,
+        } = req.ok_or_else(|| anyhow!("webservers all shut down!"))?;
+
+        match async {
+
+          let whole_request = read_limited_bytes(
+            ic.max_batch_up.sat(),
+            initial,
+            length_hint,
+            &mut body
+          ).await.context("read request body")?;
+
+          let (meta, comps) =
+            multipart::ComponentIterator::resume_mid_component(
+              &whole_request[initial_remaining..],
+              boundary_finder
+            ).context("resume parsing body, after auth checks")?;
+
+          let mut meta = MetadataFieldIterator::new(&meta);
+/*
+          macro_rules!(
+
+          let target_requests_outstanding = {
+            let server = ic.target_requests_outstanding;
+            let client: u32 = meta.need_parse()?;
+            if client != server {
+              throw!(anyhow!("mismatch: client={} != server={}",
+                             client, server));
+            }
+            Ok::<_,AE>(client)
+          }.context("target_requests_outstanding")?;
+
+          let http_timeout: u64 = {
+            let server = ic.http_timeout;
+            let client = Duration::from_secs(meta.need_parse()?);
+            if client > server {
+              throw!(anyhow!("mismatch: client={} > server={}",
+                             client, server));
+            }
+            Ok::<_,AE>(client)
+          }.context("http_timeout")?;
+
+          let max_batch_down = {
+            let server = ic.max_batch_down;
+            let client: u32 = meta.parse().context("max_batch_down")?;
+            let to_use = min(client, server);
+            Ok::<_,AE>(to_use)
+          }.context("max_batch_down")?;
+
+          let max_batch_up = {
+            let server = ic.max_batch_up;
+            let client = meta.parse().context("max_batch_up")?;
+            if client > server {
+              throw!(anyhow!("mismatch: client={} != server={}",
+                             client, server));
+            }
+              
+            throw!(anyhow!(
+ "target_requests_outstanding mismatch: client={} server={}",
+              target_requests_outstanding, 
+              ic.target_requests_outstanding
+            ))
+          }
+
+          if ic.
+*/
+          Ok::<_,AE>(())
+        }.await {
+          Ok(()) => outstanding.push_back(Outstanding {
+            reply_to: reply_to,
+            max_requests_outstanding: 42, // xxx
+          }),
+          Err(e) => {
+            try_send_response(reply_to, WebResponse {
+              data: Err(e),
+              warnings,
+            });
+          },
+        }
       }
     }
   }