chiark / gitweb /
identify links
[hippotat.git] / src / config.rs
1 // Copyright 2021 Ian Jackson and contributors to Hippotat
2 // SPDX-License-Identifier: AGPL-3.0-or-later
3 // There is NO WARRANTY.
4
5 use crate::prelude::*;
6
7 use configparser::ini::Ini;
8
9 static DEFAULT_CONFIG: &str = r#"
10 [COMMON]
11 max_batch_down = 65536
12 max_queue_time = 10
13 target_requests_outstanding = 3
14 http_timeout = 30
15 http_timeout_grace = 5
16 max_requests_outstanding = 6
17 max_batch_up = 4000
18 http_retry = 5
19 port = 80
20 vroutes = ''
21 ifname_client = hippo%%d
22 ifname_server = shippo%%d
23 max_clock_skew = 300
24
25 ipif = userv root ipif %(local)s,%(peer)s,%(mtu)s,slip,%(ifname)s %(rnets)s
26
27 mtu = 1500
28
29 vvnetwork = 172.24.230.192
30
31 [LIMIT]
32 max_batch_down = 262144
33 max_queue_time = 121
34 http_timeout = 121
35 target_requests_outstanding = 10
36 "#;
37
38 #[derive(StructOpt,Debug)]
39 pub struct Opts {
40   /// Top-level config file or directory
41   ///
42   /// Look for `main.cfg`, `config.d` and `secrets.d` here.
43   ///
44   /// Or if this is a file, just read that file.
45   #[structopt(long, default_value="/etc/hippotat")]
46   pub config: PathBuf,
47   
48   /// Additional config files or dirs, which can override the others
49   #[structopt(long, multiple=true, number_of_values=1)]
50   pub extra_config: Vec<PathBuf>,
51 }
52
53 #[ext]
54 impl<'s> Option<&'s str> {
55   #[throws(AE)]
56   fn value(self) -> &'s str {
57     self.ok_or_else(|| anyhow!("value needed"))?
58   }
59 }
60
61 #[derive(Clone)]
62 pub struct Secret(pub String);
63 impl Parseable for Secret {
64   #[throws(AE)]
65   fn parse(s: Option<&str>) -> Self {
66     let s = s.value()?;
67     if s.is_empty() { throw!(anyhow!("secret value cannot be empty")) }
68     Secret(s.into())
69   }
70   #[throws(AE)]
71   fn default() -> Self { Secret(default()) }
72 }
73 impl Debug for Secret {
74   #[throws(fmt::Error)]
75   fn fmt(&self, f: &mut fmt::Formatter) { write!(f, "Secret(***)")? }
76 }
77
78 #[derive(hippotat_macros::ResolveConfig)]
79 #[derive(Debug,Clone)]
80 pub struct InstanceConfig {
81   // Exceptional settings
82   #[special(special_server, SKL::ServerName)] pub server: ServerName,
83   pub                                             secret: Secret,
84   #[special(special_ipif, SKL::Ordinary)]     pub ipif:   String,
85
86   // Capped settings:
87   #[limited]    pub max_batch_down:               u32,
88   #[limited]    pub max_queue_time:               Duration,
89   #[limited]    pub http_timeout:                 Duration,
90   #[limited]    pub target_requests_outstanding:  u32,
91
92   // Ordinary settings:
93   pub addrs:                        Vec<IpAddr>,
94   pub vnetwork:                     Vec<IpNet>,
95   pub vaddr:                        Vec<IpAddr>,
96   pub vrelay:                       IpAddr,
97   pub port:                         u16,
98   pub mtu:                          u32,
99   pub ifname_server:                String,
100   pub ifname_client:                String,
101
102   // Ordinary settings, used by server only:
103   #[server]  pub max_clock_skew:               Duration,
104
105   // Ordinary settings, used by client only:
106   #[client]  pub http_timeout_grace:           Duration,
107   #[client]  pub max_requests_outstanding:     u32,
108   #[client]  pub max_batch_up:                 u32,
109   #[client]  pub http_retry:                   Duration,
110   #[client]  pub url:                          Uri,
111   #[client]  pub vroutes:                      Vec<IpNet>,
112 }
113
114 #[derive(Debug,Clone,Hash,Eq,PartialEq)]
115 pub enum SectionName {
116   Link(LinkName),
117   Client(ClientName),
118   Server(ServerName), // includes SERVER, which is slightly special
119   ServerLimit(ServerName),
120   GlobalLimit,
121   Common,
122 }
123 pub use SectionName as SN;
124
125 #[derive(Debug,Clone)]
126 struct RawVal { raw: Option<String>, loc: Arc<PathBuf> }
127 type SectionMap = HashMap<String, RawVal>;
128
129 struct RawValRef<'v,'l,'s> {
130   raw: Option<&'v str>,
131   key: &'static str,
132   loc: &'l Path,
133   section: &'s SectionName,
134 }
135
136 impl<'v> RawValRef<'v,'_,'_> {
137   #[throws(AE)]
138   fn try_map<F,T>(&self, f: F) -> T
139   where F: FnOnce(Option<&'v str>) -> Result<T, AE> {
140     f(self.raw)
141       .with_context(|| format!(r#"file {:?}, section "{:?}", key "{}"#,
142                                self.loc, self.section, self.key))?
143   }
144 }
145
146 pub struct Config {
147   opts: Opts,
148 }
149
150 static OUTSIDE_SECTION: &str = "[";
151 static SPECIAL_SERVER_SECTION: &str = "SERVER";
152
153 #[derive(Default,Debug)]
154 struct Aggregate {
155   sections: HashMap<SectionName, SectionMap>,
156 }
157
158 type OkAnyway<'f,A> = &'f dyn Fn(ErrorKind) -> Option<A>;
159 #[ext]
160 impl<'f,A> OkAnyway<'f,A> {
161   fn ok<T>(self, r: &Result<T, io::Error>) -> Option<A> {
162     let e = r.as_ref().err()?;
163     let k = e.kind();
164     let a = self(k)?;
165     Some(a)
166   }
167 }
168
169 impl FromStr for SectionName {
170   type Err = AE;
171   #[throws(AE)]
172   fn from_str(s: &str) -> Self {
173     match s {
174       "COMMON" => return SN::Common,
175       "LIMIT" => return SN::GlobalLimit,
176       _ => { }
177     };
178     if let Ok(n@ ServerName(_)) = s.parse() { return SN::Server(n) }
179     if let Ok(n@ ClientName(_)) = s.parse() { return SN::Client(n) }
180     let (server, client) = s.split_ascii_whitespace().collect_tuple()
181       .ok_or_else(|| anyhow!(
182         "bad section name {:?} \
183          (must be COMMON, DEFAULT, <server>, <client>, or <server> <client>",
184         s
185       ))?;
186     let server = server.parse().context("server name in link section name")?;
187     if client == "LIMIT" { return SN::ServerLimit(server) }
188     let client = client.parse().context("client name in link section name")?;
189     SN::Link(LinkName { server, client })
190   }
191 }
192
193 impl Aggregate {
194   #[throws(AE)] // AE does not include path
195   fn read_file<A>(&mut self, path: &Path, anyway: OkAnyway<A>) -> Option<A>
196   {
197     let f = fs::File::open(path);
198     if let Some(anyway) = anyway.ok(&f) { return Some(anyway) }
199     let mut f = f.context("open")?;
200
201     let mut s = String::new();
202     let y = f.read_to_string(&mut s);
203     if let Some(anyway) = anyway.ok(&y) { return Some(anyway) }
204     y.context("read")?;
205
206     self.read_string(s, path)?;
207     None
208   }
209
210   #[throws(AE)] // AE does not include path
211   fn read_string(&mut self, s: String, path_for_loc: &Path) {
212     let mut ini = Ini::new_cs();
213     ini.set_default_section(OUTSIDE_SECTION);
214     ini.read(s).map_err(|e| anyhow!("{}", e)).context("parse as INI")?;
215     let map = mem::take(ini.get_mut_map());
216     if map.get(OUTSIDE_SECTION).is_some() {
217       throw!(anyhow!("INI file contains settings outside a section"));
218     }
219
220     let loc = Arc::new(path_for_loc.to_owned());
221
222     for (sn, vars) in map {
223       dbg!( InstanceConfig::FIELDS );// check xxx vars are in fields
224
225       let sn = sn.parse().dcontext(&sn)?;
226         self.sections.entry(sn)
227         .or_default()
228         .extend(
229           vars.into_iter()
230             .map(|(k,raw)| {
231               (k.replace('-',"_"),
232                RawVal { raw, loc: loc.clone() })
233             })
234         );
235     }
236     
237   }
238
239   #[throws(AE)] // AE includes path
240   fn read_dir_d<A>(&mut self, path: &Path, anyway: OkAnyway<A>) -> Option<A>
241   {
242     let dir = fs::read_dir(path);
243     if let Some(anyway) = anyway.ok(&dir) { return Some(anyway) }
244     let dir = dir.context("open directory").dcontext(path)?;
245     for ent in dir {
246       let ent = ent.context("read directory").dcontext(path)?;
247       let leaf = ent.file_name();
248       let leaf = leaf.to_str();
249       let leaf = if let Some(leaf) = leaf { leaf } else { continue }; //utf8?
250       if leaf.len() == 0 { continue }
251       if ! leaf.chars().all(
252         |c| c=='-' || c=='_' || c.is_ascii_alphanumeric()
253       ) { continue }
254
255       // OK we want this one
256       let ent = ent.path();
257       self.read_file(&ent, &|_| None::<Void>).dcontext(&ent)?;
258     }
259     None
260   }
261
262   #[throws(AE)] // AE includes everything
263   fn read_toplevel(&mut self, toplevel: &Path) {
264     enum Anyway { None, Dir }
265     match self.read_file(toplevel, &|k| match k {
266       EK::NotFound => Some(Anyway::None),
267       EK::IsADirectory => Some(Anyway::Dir),
268       _ => None,
269     })
270       .dcontext(toplevel).context("top-level config directory (or file)")?
271     {
272       None | Some(Anyway::None) => { },
273
274       Some(Anyway::Dir) => {
275         struct AnywayNone;
276         let anyway_none = |k| match k {
277           EK::NotFound => Some(AnywayNone),
278           _ => None,
279         };
280
281         let mk = |leaf: &str| {
282           [ toplevel, &PathBuf::from(leaf) ]
283             .iter().collect::<PathBuf>()
284         };
285
286         for &(try_main, desc) in &[
287           ("main.cfg", "main config file"),
288           ("master.cfg", "obsolete-named main config file"),
289         ] {
290           let main = mk(try_main);
291
292           match self.read_file(&main, &anyway_none)
293             .dcontext(main).context(desc)?
294           {
295             None => break,
296             Some(AnywayNone) => { },
297           }
298         }
299
300         for &(try_dir, desc) in &[
301           ("config.d", "per-link config directory"),
302           ("secrets.d", "per-link secrets directory"),
303         ] {
304           let dir = mk(try_dir);
305           match self.read_dir_d(&dir, &anyway_none).context(desc)? {
306             None => { },
307             Some(AnywayNone) => { },
308           }
309         }
310       }
311     }
312   }
313
314   #[throws(AE)] // AE includes extra, but does that this is extra
315   fn read_extra(&mut self, extra: &Path) {
316     struct AnywayDir;
317
318     match self.read_file(extra, &|k| match k {
319       EK::IsADirectory => Some(AnywayDir),
320       _ => None,
321     })
322       .dcontext(extra)?
323     {
324       None => return,
325       Some(AnywayDir) => {
326         self.read_dir_d(extra, &|_| None::<Void>)?;
327       }
328     }
329
330   }
331 }
332
333 impl Aggregate {
334   fn instances(&self, only_server: Option<&ServerName>) -> BTreeSet<LinkName> {
335     let mut links:              BTreeSet<LinkName> = default();
336
337     let mut secrets_anyserver:  BTreeSet<&ClientName> = default();
338     let mut secrets_anyclient:  BTreeSet<&ServerName> = default();
339     let mut secret_global       = false;
340
341     let mut putative_servers   = BTreeSet::new();
342     let mut putative_clients   = BTreeSet::new();
343
344     let mut note_server = |s| {
345       if let Some(only) = only_server { if s != only { return false } }
346       putative_servers.insert(s);
347       true
348     };
349     let mut note_client = |c| {
350       putative_clients.insert(c);
351     };
352
353     for (section, vars) in &self.sections {
354       let has_secret = || vars.contains_key("secret");
355
356       match section {
357         SN::Link(l) => {
358           if ! note_server(&l.server) { continue }
359           note_client(&l.client);
360           if has_secret() { links.insert(l.clone()); }
361         },
362         SN::Server(ref s) => {
363           if ! note_server(s) { continue }
364           if has_secret() { secrets_anyclient.insert(s); }
365         },
366         SN::Client(ref c) => {
367           note_client(c);
368           if has_secret() { secrets_anyserver.insert(c); }
369         },
370         SN::Common => {
371           if has_secret() { secret_global = true; }
372         },
373         _ => { },
374       }
375     }
376
377     // Add links which are justified by blanket secrets
378     for (client, server) in iproduct!(
379       putative_clients.into_iter().filter(
380         |c| secret_global || secrets_anyserver.contains(c)
381       ),
382       putative_servers.iter().cloned().filter(
383         |s| secret_global || secrets_anyclient.contains(s)
384       )
385     ) {
386       links.insert(LinkName {
387         client: client.clone(),
388         server: server.clone(),
389       });
390     }
391
392     links
393   }
394 }
395
396 struct ResolveContext<'c> {
397   agg: &'c Aggregate,
398   link: &'c LinkName,
399   end: LinkEnd,
400   server_name: ServerName,
401   all_sections: Vec<SectionName>,
402 }
403
404 trait Parseable: Sized {
405   fn parse(s: Option<&str>) -> Result<Self, AE>;
406   fn default() -> Result<Self, AE> {
407     Err(anyhow!("setting must be specified"))
408   }
409   #[throws(AE)]
410   fn default_for_key(key: &str) -> Self {
411     Self::default().with_context(|| key.to_string())?
412   }
413 }
414
415 impl Parseable for Duration {
416   #[throws(AE)]
417   fn parse(s: Option<&str>) -> Duration {
418     // todo: would be nice to parse with humantime maybe
419     Duration::from_secs( s.value()?.parse()? )
420   }
421 }
422 macro_rules! parseable_from_str { ($t:ty $(, $def:expr)? ) => {
423   impl Parseable for $t {
424     #[throws(AE)]
425     fn parse(s: Option<&str>) -> $t { s.value()?.parse()? }
426     $( #[throws(AE)] fn default() -> Self { $def } )?
427   }
428 } }
429 parseable_from_str!{u16, default() }
430 parseable_from_str!{u32, default() }
431 parseable_from_str!{String, default() }
432 parseable_from_str!{IpNet, default() }
433 parseable_from_str!{IpAddr, Ipv4Addr::UNSPECIFIED.into() }
434 parseable_from_str!{Uri, default() }
435
436 impl<T:Parseable> Parseable for Vec<T> {
437   #[throws(AE)]
438   fn parse(s: Option<&str>) -> Vec<T> {
439     s.value()?
440       .split_ascii_whitespace()
441       .map(|s| Parseable::parse(Some(s)))
442       .collect::<Result<Vec<_>,_>>()?
443   }
444 }
445
446
447 #[derive(Debug,Copy,Clone)]
448 enum SectionKindList {
449   Ordinary,
450   Limited,
451   Limits,
452   ClientAgnostic,
453   ServerName,
454 }
455 use SectionKindList as SKL;
456
457 impl SectionName {
458   fn special_server_section() -> Self { SN::Server(ServerName(
459     SPECIAL_SERVER_SECTION.into()
460   )) }
461 }
462
463 impl SectionKindList {
464   fn contains(self, s: &SectionName) -> bool {
465     match self {
466       SKL::Ordinary       => matches!(s, SN::Link(_)
467                                        | SN::Client(_)
468                                        | SN::Server(_)
469                                        | SN::Common),
470
471       SKL::Limits         => matches!(s, SN::ServerLimit(_)
472                                        | SN::GlobalLimit),
473
474       SKL::ClientAgnostic => matches!(s, SN::Common
475                                        | SN::Server(_)),
476
477       SKL::Limited        => SKL::Ordinary.contains(s)
478                            | SKL::Limits  .contains(s),
479
480       SKL::ServerName     => matches!(s, SN::Common)
481                            | matches!(s, SN::Server(ServerName(name))
482                                          if name == SPECIAL_SERVER_SECTION),
483     }
484   }
485 }
486
487 impl Aggregate {
488   fn lookup_raw<'a,'s,S>(&'a self, key: &'static str, sections: S)
489                        -> Option<RawValRef<'a,'a,'s>>
490   where S: Iterator<Item=&'s SectionName>
491   {
492     for section in sections {
493       if let Some(raw) = self.sections
494         .get(section)
495         .and_then(|vars: &SectionMap| vars.get(key))
496       {
497         return Some(RawValRef {
498           raw: raw.raw.as_deref(),
499           loc: &raw.loc,
500           section, key,
501         })
502       }
503     }
504     None
505   }
506
507   #[throws(AE)]
508   pub fn establish_server_name(&self) -> ServerName {
509     let key = "server";
510     let raw = match self.lookup_raw(
511       key,
512       [ &SectionName::Common, &SN::special_server_section() ].iter().cloned()
513     ) {
514       Some(raw) => raw.try_map(|os| os.value())?,
515       None => SPECIAL_SERVER_SECTION,
516     };
517     ServerName(raw.into())
518   }
519 }
520
521 impl<'c> ResolveContext<'c> {
522   fn first_of_raw(&'c self, key: &'static str, sections: SectionKindList)
523                   -> Option<RawValRef<'c,'c,'c>> {
524     self.agg.lookup_raw(
525       key,
526       self.all_sections.iter()
527         .filter(|s| sections.contains(s))
528     )
529   }
530
531   #[throws(AE)]
532   fn first_of<T>(&self, key: &'static str, sections: SectionKindList)
533                  -> Option<T>
534   where T: Parseable
535   {
536     match self.first_of_raw(key, sections) {
537       None => None,
538       Some(raw) => Some(raw.try_map(Parseable::parse)?),
539     }
540   }
541
542   #[throws(AE)]
543   pub fn ordinary<T>(&self, key: &'static str) -> T
544   where T: Parseable
545   {
546     match self.first_of(key, SKL::Ordinary)? {
547       Some(y) => y,
548       None => Parseable::default_for_key(key)?,
549     }
550   }
551
552   #[throws(AE)]
553   pub fn limited<T>(&self, key: &'static str) -> T
554   where T: Parseable + Ord
555   {
556     let val = self.ordinary(key)?;
557     if let Some(limit) = self.first_of(key, SKL::Limits)? {
558       min(val, limit)
559     } else {
560       val
561     }
562   }
563
564   #[throws(AE)]
565   pub fn client<T>(&self, key: &'static str) -> T
566   where T: Parseable {
567     match self.end {
568       LinkEnd::Client => self.ordinary(key)?,
569       LinkEnd::Server => Parseable::default_for_key(key)?,
570     }
571   }
572   #[throws(AE)]
573   pub fn server<T>(&self, key: &'static str) -> T
574   where T: Parseable {
575     match self.end {
576       LinkEnd::Server => self.ordinary(key)?,
577       LinkEnd::Client => Parseable::default_for_key(key)?,
578     }
579   }
580
581   #[throws(AE)]
582   pub fn special_ipif(&self, key: &'static str) -> String {
583     match self.end {
584       LinkEnd::Client => self.ordinary(key)?,
585       LinkEnd::Server => {
586         self.first_of(key, SKL::ClientAgnostic)?
587           .unwrap_or_default()
588       },
589     }
590   }
591
592   #[throws(AE)]
593   pub fn special_server(&self, key: &'static str) -> ServerName {
594     self.server_name.clone()
595   }
596 }
597
598 #[throws(AE)]
599 pub fn read() {
600   let opts = config::Opts::from_args();
601
602   let agg = (||{
603     let mut agg = Aggregate::default();
604
605     agg.read_string(DEFAULT_CONFIG.into(),
606                     "<build-in defaults>".as_ref()).unwrap();
607
608     agg.read_toplevel(&opts.config)?;
609     for extra in &opts.extra_config {
610       agg.read_extra(extra).context("extra config")?;
611     }
612
613     eprintln!("GOT {:#?}", agg);
614
615     Ok::<_,AE>(agg)
616   })().context("read configuration")?;
617
618   let server_name = agg.establish_server_name()?;
619
620   let instances = agg.instances(None);
621   eprintln!("{:#?}", &instances);
622
623   let link = LinkName {
624     server: "fooxxx".parse().unwrap(),
625     client: "127.0.0.1".parse().unwrap(),
626   };
627
628   let rctx = ResolveContext {
629     agg: &agg,
630     link: &link,
631     end: LinkEnd::Server,
632     server_name,
633     all_sections: vec![
634       SN::Link(link.clone()),
635       SN::Client(link.client.clone()),
636       SN::Server(link.server.clone()),
637       SN::Common,
638       SN::ServerLimit(link.server.clone()),
639       SN::GlobalLimit,
640     ],
641   };
642
643   let ic = InstanceConfig::resolve_instance(&rctx)
644     .context("resolve config xxx for")?;
645
646   eprintln!("{:?}", &ic);
647 }