chiark / gitweb /
server: get token, wip hmac work
[hippotat.git] / src / bin / server.rs
1 // Copyright 2021 Ian Jackson and contributors to Hippotat
2 // SPDX-License-Identifier: GPL-3.0-or-later
3 // There is NO WARRANTY.
4
5 use hippotat::prelude::*;
6
7 #[derive(StructOpt,Debug)]
8 pub struct Opts {
9   #[structopt(flatten)]
10   log: LogOpts,
11
12   #[structopt(flatten)]
13   config: config::Opts,
14 }
15
16 const METADATA_MAX_LEN: usize = MAX_OVERHEAD;
17
18 type AllClients = HashMap<ClientName, ClientHandles>;
19
20 struct ClientHandles {
21   ic: Arc<InstanceConfig>,
22   web: tokio::sync::mpsc::Sender<WebRequest>,
23 }
24
25 struct WebRequest {
26   reply: tokio::sync::oneshot::Sender<()>,
27 }
28
29 async fn handle(
30   all_clients: Arc<AllClients>,
31   req: hyper::Request<hyper::Body>
32 ) -> Result<hyper::Response<hyper::Body>, Void> {
33   if req.method() == Method::GET {
34     let mut resp = hyper::Response::new(hyper::Body::from("hippotat\r\n"));
35     resp.headers_mut().insert(
36       "Content-Type",
37       "text/plain; charset=US-ASCII".try_into().unwrap()
38     );
39     return Ok(resp)
40   }
41
42   let mut warnings: Warnings = default();
43
44   match async {
45
46     let mkboundary = |b: &'_ _| format!("\n--{}", b).into_bytes();
47     let boundary = match (||{
48       let mut ctypes = req.headers().get_all("Content-Type").iter();
49       let t = ctypes.next().ok_or_else(|| anyhow!("missing Content-Type"))?;
50       if ctypes.next().is_some() { throw!(anyhow!("several Content-Type")) }
51       let t = t.to_str().context("interpret Content-Type as utf-8")?;
52       let t: mime::Mime = t.parse().context("parse Content-Type")?;
53       if t.type_() != "multipart" { throw!(anyhow!("not multipart/")) }
54       let b = mime::BOUNDARY;
55       let b = t.get_param(b).ok_or_else(|| anyhow!("missing boundary=..."))?;
56       if t.subtype() != "form-data" {
57         warnings.add(&"Content-Type not /form-data")?;
58       }
59       let b = mkboundary(b.as_str());
60       Ok::<_,AE>(b)
61     })() {
62       Ok(y) => y,
63       Err(e) => {
64         warnings.add(&e.wrap_err("guessing boundary"))?;
65         mkboundary("b")
66       },
67     };
68
69     let mut body = req.into_body();
70     let initial = match read_limited_bytes(METADATA_MAX_LEN, &mut body).await {
71       Ok(all) => all,
72       Err(ReadLimitedError::Truncated { sofar,.. }) => sofar,
73       Err(ReadLimitedError::Hyper(e)) => throw!(e),
74     };
75
76     let finder = memmem::Finder::new(&boundary);
77     let mut find_iter = finder.find_iter(&initial);
78
79     let start = if initial.starts_with(&boundary[1..]) { boundary.len()-1 }
80     else if let Some(start) = find_iter.next() { start + boundary.len() }
81     else { throw!(anyhow!("initial boundary not found")) };
82
83     let comp = multipart::process_component
84       (&mut warnings, &initial[start..], PartName::m)?
85       .ok_or_else(|| anyhow!(r#"no "m" component"#))?;
86
87     if comp.name != PartName::m { throw!(anyhow!(
88       r#"first multipart component must be name="m""#
89     )) }
90
91     let mut meta = MetadataFieldIterator::new(comp.payload_start);
92
93     let client: ClientName = meta.need_parse().context("client addr")?;
94
95     let mut hmac_got = [0; HMAC_L];
96     let (client_time, hmac_got_l) = (||{
97       let token: &str = meta.need_next().context(r#"find in "m""#)?;
98       let (time_t, hmac_b64) = token.split_once(' ')
99         .ok_or_else(|| anyhow!("split"))?;
100       let time_t = u64::from_str_radix(time_t, 16).context("parse time_t")?;
101       let l = io::copy(
102         &mut base64::read::DecoderReader::new(&mut hmac_b64.as_bytes(),
103                                               BASE64_CONFIG),
104         &mut &mut hmac_got[..]
105       ).context("parse b64 token")?;
106       let l = l.try_into()?;
107       Ok::<_,AE>((time_t, l))
108     })().context("token")?;
109     let hmac_got = &hmac_got[0..hmac_got_l];
110
111     let client = all_clients.get(&client);
112
113     // We attempt to hide whether the client exists we don't try to
114     // hide the hash lookup computationgs, but we do try to hide the
115     // HMAC computation by always doing it.  We hope that the compiler
116     // doesn't produce a specialised implementation for the dummy
117     // secret value.
118     let client_exists = subtle::Choice::from(client.is_some() as u8);
119     let secret = client.map(|c| c.ic.secret.0.as_bytes());
120     let secret = secret.unwrap_or(&[0x55; HMAC_B][..]);
121     let client_time_s = format!("{:x}", client_time);
122     let hmac_exp = token_hmac(secret, client_time_s.as_bytes());
123     // We also definitely want a consttime memeq for the hmac value
124     let hmac_ok = hmac_got.ct_eq(&hmac_exp);
125     if ! bool::from(hmac_ok & client_exists) {
126       throw!(anyhow!("xxx should be a 403 error"));
127     }
128
129     let client = client.unwrap();
130     let now = time_t_now();
131     let chk_skew = |a: u64, b: u64, c_ahead_behind| {
132       if let Some(a_ahead) = a.checked_sub(b) {
133         if a_ahead > client.ic.max_clock_skew.as_secs() {
134           throw!(anyhow!("too much clock skew (client {} by {})",
135                          c_ahead_behind, a_ahead));
136         }
137       }
138       Ok::<_,AE>(())
139     };
140     chk_skew(client_time, now, "ahead")?;
141     chk_skew(now, client_time, "behind")?;
142     
143     eprintln!("boundary={:?} start={} name={:?} client={}",
144               boundary, start, &comp.name, &client.ic);
145
146     Ok::<_,AE>(())
147   }.await {
148     Ok(()) => {
149     },
150     Err(e) => {
151       eprintln!("error={}", e);
152     }
153   }
154
155   eprintln!("warnings={:?}", &warnings);
156
157   Ok(hyper::Response::new(hyper::Body::from("Hello World")))
158 }
159
160 async fn run_client(_ic: Arc<InstanceConfig>, _web: mpsc::Receiver<WebRequest>)
161                     -> Result<Void, AE>
162 {
163   tokio::time::sleep(Duration::from_secs(1_000_000_000)).await;
164   Err(anyhow!("xxx"))
165 }
166
167 #[tokio::main]
168 async fn main() {
169   let opts = Opts::from_args();
170   let mut tasks: Vec<(
171     JoinHandle<AE>,
172     String,
173   )> = vec![];
174
175   let (global, ipif) = config::startup(
176     "hippotatd", LinkEnd::Server,
177     &opts.config, &opts.log, |ics|
178   {
179     let global = config::InstanceConfigGlobal::from(&ics);
180     let ipif = Ipif::start(&global.ipif, None)?;
181
182     let all_clients: AllClients = ics.into_iter().map(|ic| {
183       let ic = Arc::new(ic);
184
185       let (web_send, web_recv) = mpsc::channel(
186         5 // xxx should me max_requests_outstanding but that's
187           // marked client-only so needs rework
188       );
189
190       let ic_ = ic.clone();
191       tasks.push((tokio::spawn(async move {
192         run_client(ic_, web_recv).await.void_unwrap_err()
193       }), format!("client {}", &ic)));
194
195       (ic.link.client,
196        ClientHandles {
197          ic,
198          web: web_send,
199        })
200     }).collect();
201     let all_clients = Arc::new(all_clients);
202
203     for addr in &global.addrs {
204       let all_clients_ = all_clients.clone();
205       let make_service = hyper::service::make_service_fn(move |_conn| {
206         let all_clients_ = all_clients_.clone();
207         async { Ok::<_, Void>( hyper::service::service_fn(move |req| {
208           handle(all_clients_.clone(), req)
209         }) ) } }
210       );
211
212       let addr = SocketAddr::new(*addr, global.port);
213       let server = hyper::Server::try_bind(&addr)
214         .context("bind")?
215         .http1_preserve_header_case(true)
216         .serve(make_service);
217       info!("listening on {}", &addr);
218       let task = tokio::task::spawn(async move {
219         match server.await {
220           Ok(()) => anyhow!("shut down?!"),
221           Err(e) => e.into(),
222         }
223       });
224       tasks.push((task, format!("http server {}", addr)));
225     }
226     
227     Ok((global, ipif))
228   });
229
230   let died = future::select_all(
231     tasks.iter_mut().map(|e| &mut e.0)
232   ).await;
233   error!("xxx {:?}", &died);
234
235   ipif.quitting(None).await;
236
237   dbg!(global);
238 }