fabaccess-bffh/bffhd/capnp/mod.rs

156 lines
4.7 KiB
Rust
Raw Normal View History

use crate::config::Listen;
use crate::{Diflouroborane, TlsConfig};
use anyhow::Context;
use async_net::TcpListener;
2021-11-26 22:11:24 +01:00
use capnp::capability::Promise;
use capnp::Error;
2022-03-10 20:52:34 +01:00
use capnp_rpc::rpc_twoparty_capnp::Side;
use capnp_rpc::twoparty::VatNetwork;
use capnp_rpc::RpcSystem;
use executor::prelude::Executor;
2022-03-08 16:41:38 +01:00
use futures_rustls::server::TlsStream;
use futures_rustls::TlsAcceptor;
use futures_util::stream::FuturesUnordered;
use futures_util::{stream, AsyncRead, AsyncWrite, FutureExt, StreamExt};
use std::fs::File;
use std::future::Future;
use std::io;
use std::io::BufReader;
use std::sync::Arc;
2022-03-12 17:31:53 +01:00
use crate::authentication::AuthenticationHandle;
use crate::authorization::AuthorizationHandle;
use crate::error::Result;
2022-03-12 17:31:53 +01:00
use crate::session::SessionManager;
2021-11-26 21:01:43 +01:00
2022-03-10 20:52:34 +01:00
mod authenticationsystem;
mod connection;
2022-03-10 20:52:34 +01:00
mod machine;
mod machinesystem;
mod permissionsystem;
mod session;
mod user;
mod user_system;
2021-11-26 22:11:24 +01:00
pub struct APIServer {
executor: Executor<'static>,
sockets: Vec<TcpListener>,
acceptor: TlsAcceptor,
2022-03-12 17:31:53 +01:00
sessionmanager: SessionManager,
authentication: AuthenticationHandle,
}
impl APIServer {
pub fn new(
executor: Executor<'static>,
sockets: Vec<TcpListener>,
acceptor: TlsAcceptor,
2022-03-12 17:31:53 +01:00
sessionmanager: SessionManager,
authentication: AuthenticationHandle,
) -> Self {
Self {
executor,
sockets,
acceptor,
2022-03-12 17:31:53 +01:00
sessionmanager,
authentication,
}
}
pub async fn bind(
executor: Executor<'static>,
listens: impl IntoIterator<Item = &Listen>,
acceptor: TlsAcceptor,
2022-03-12 17:31:53 +01:00
sessionmanager: SessionManager,
authentication: AuthenticationHandle,
) -> anyhow::Result<Self> {
let span = tracing::info_span!("binding API listen sockets");
let _guard = span.enter();
2022-03-10 20:52:34 +01:00
let mut sockets = FuturesUnordered::new();
listens
.into_iter()
.map(|a| async move {
(async_net::resolve(a.to_tuple()).await, a)
2022-03-10 20:52:34 +01:00
})
.collect::<FuturesUnordered<_>>()
.filter_map(|(res, addr)| async move {
match res {
Ok(a) => Some(a),
Err(e) => {
tracing::error!("Failed to resolve {:?}: {}", addr, e);
None
}
}
})
.for_each(|addrs| async {
for addr in addrs {
sockets.push(async move { (TcpListener::bind(addr).await, addr) })
}
})
.await;
let sockets: Vec<TcpListener> = sockets
.filter_map(|(res, addr)| async move {
match res {
Ok(s) => {
tracing::info!("Opened listen socket on {}", addr);
Some(s)
}
Err(e) => {
tracing::error!("Failed to open socket on {}: {}", addr, e);
None
}
}
})
.collect()
.await;
2021-11-26 22:11:24 +01:00
if sockets.is_empty() {
tracing::warn!("No usable listen addresses configured for the API server!");
}
2021-11-26 22:11:24 +01:00
2022-03-12 17:31:53 +01:00
Ok(Self::new(executor, sockets, acceptor, sessionmanager, authentication))
2022-03-10 20:52:34 +01:00
}
2021-12-06 21:53:42 +01:00
2022-03-12 17:31:53 +01:00
pub async fn handle_until(self, stop: impl Future) {
stream::select_all(
self.sockets
.iter()
.map(|tcplistener| tcplistener.incoming()),
)
.take_until(stop)
.for_each(|stream| async {
match stream {
Ok(stream) => self.handle(self.acceptor.accept(stream)),
Err(e) => tracing::warn!("Failed to accept stream: {}", e),
}
});
2021-11-26 22:11:24 +01:00
}
fn handle<IO: 'static + Unpin + AsyncRead + AsyncWrite>(
&self,
stream: impl Future<Output = io::Result<TlsStream<IO>>>,
) {
let f = async move {
let stream = match stream.await {
Ok(stream) => stream,
Err(e) => {
tracing::error!("TLS handshake failed: {}", e);
return;
}
};
let (rx, tx) = futures_lite::io::split(stream);
let vat = VatNetwork::new(rx, tx, Side::Server, Default::default());
2022-03-12 17:31:53 +01:00
let bootstrap: connection::Client = capnp_rpc::new_client(connection::BootCap::new(self.authentication.clone(), self.sessionmanager.clone()));
if let Err(e) = RpcSystem::new(Box::new(vat), Some(bootstrap.client)).await {
tracing::error!("Error during RPC handling: {}", e);
}
};
self.executor.spawn_local(f);
2021-11-26 22:11:24 +01:00
}
}