mirror of
https://github.com/outbackdingo/firezone.git
synced 2026-03-21 15:41:44 +00:00
The current `rust/` directory is a bit of a wild-west in terms of how the crates are organised. Most of them are simply at the top-level when in reality, they are all `connlib`-related. The Apple and Android FFI crates - which are entrypoints in the Rust code are defined several layers deep. To improve the situation, we move around and rename several crates. The end result is that all top-level crates / directories are: - Either entrypoints into the Rust code, i.e. applications such as Gateway, Relay or a Client - Or crates shared across all those entrypoints, such as `telemetry` or `logging`
153 lines
5.2 KiB
Rust
153 lines
5.2 KiB
Rust
//! Main connlib library for clients.
|
|
pub use crate::serde_routelist::{V4RouteList, V6RouteList};
|
|
use callbacks::BackgroundCallbacks;
|
|
pub use callbacks::{Callbacks, ChannelCallbackHandler, ConnlibMsg, DisconnectError};
|
|
pub use connlib_model::StaticSecret;
|
|
pub use eventloop::Eventloop;
|
|
pub use firezone_tunnel::messages::client::{IngressMessages, ResourceDescription};
|
|
|
|
use anyhow::{Context, Result};
|
|
use connlib_model::ResourceId;
|
|
use eventloop::Command;
|
|
use firezone_tunnel::ClientTunnel;
|
|
use phoenix_channel::{PhoenixChannel, PublicKeyParam};
|
|
use socket_factory::{SocketFactory, TcpSocket, UdpSocket};
|
|
use std::collections::BTreeSet;
|
|
use std::net::IpAddr;
|
|
use std::sync::Arc;
|
|
use tokio::sync::mpsc::UnboundedReceiver;
|
|
use tokio::task::JoinHandle;
|
|
use tun::Tun;
|
|
|
|
mod callbacks;
|
|
mod eventloop;
|
|
mod serde_routelist;
|
|
|
|
const PHOENIX_TOPIC: &str = "client";
|
|
|
|
/// A session is the entry-point for connlib, maintains the runtime and the tunnel.
|
|
///
|
|
/// A session is created using [`Session::connect`].
|
|
/// To stop the session, simply drop this struct.
|
|
#[derive(Clone)]
|
|
pub struct Session {
|
|
channel: tokio::sync::mpsc::UnboundedSender<Command>,
|
|
}
|
|
|
|
impl Session {
|
|
/// Creates a new [`Session`].
|
|
///
|
|
/// This connects to the portal using the given [`LoginUrl`](phoenix_channel::LoginUrl) and creates a wireguard tunnel using the provided private key.
|
|
pub fn connect<CB: Callbacks + 'static>(
|
|
tcp_socket_factory: Arc<dyn SocketFactory<TcpSocket>>,
|
|
udp_socket_factory: Arc<dyn SocketFactory<UdpSocket>>,
|
|
callbacks: CB,
|
|
portal: PhoenixChannel<(), IngressMessages, (), PublicKeyParam>,
|
|
handle: tokio::runtime::Handle,
|
|
) -> Self {
|
|
let callbacks = BackgroundCallbacks::new(callbacks); // Run all callbacks on a background thread to avoid blocking the main connlib task.
|
|
|
|
let (tx, rx) = tokio::sync::mpsc::unbounded_channel();
|
|
|
|
let connect_handle = handle.spawn(connect(
|
|
tcp_socket_factory,
|
|
udp_socket_factory,
|
|
callbacks.clone(),
|
|
portal,
|
|
rx,
|
|
));
|
|
handle.spawn(connect_supervisor(connect_handle, callbacks));
|
|
|
|
Self { channel: tx }
|
|
}
|
|
|
|
/// Reset a [`Session`].
|
|
///
|
|
/// Resetting a session will:
|
|
///
|
|
/// - Close and re-open a connection to the portal.
|
|
/// - Delete all allocations.
|
|
/// - Rebind local UDP sockets.
|
|
///
|
|
/// # Implementation note
|
|
///
|
|
/// The reason we rebind the UDP sockets are:
|
|
///
|
|
/// 1. On MacOS, a socket bound to the unspecified IP cannot send to interfaces attached after the socket has been created.
|
|
/// 2. Switching between networks changes the 3-tuple of the client.
|
|
/// The TURN protocol identifies a client's allocation based on the 3-tuple.
|
|
/// Consequently, an allocation is invalid after switching networks and we clear the state.
|
|
/// Changing the IP would be enough for that.
|
|
/// However, if the user would now change _back_ to the previous network,
|
|
/// the TURN server would recognise the old allocation but the client already lost all its state associated with it.
|
|
/// To avoid race-conditions like this, we rebind the sockets to a new port.
|
|
pub fn reset(&self) {
|
|
let _ = self.channel.send(Command::Reset);
|
|
}
|
|
|
|
/// Sets a new set of upstream DNS servers for this [`Session`].
|
|
///
|
|
/// Changing the DNS servers clears all cached DNS requests which may be disruptive to the UX.
|
|
/// Clients should only call this when relevant.
|
|
///
|
|
/// The implementation is idempotent; calling it with the same set of servers is safe.
|
|
pub fn set_dns(&self, new_dns: Vec<IpAddr>) {
|
|
let _ = self.channel.send(Command::SetDns(new_dns));
|
|
}
|
|
|
|
pub fn set_disabled_resources(&self, disabled_resources: BTreeSet<ResourceId>) {
|
|
let _ = self
|
|
.channel
|
|
.send(Command::SetDisabledResources(disabled_resources));
|
|
}
|
|
|
|
/// Sets a new [`Tun`] device handle.
|
|
pub fn set_tun(&self, new_tun: Box<dyn Tun>) {
|
|
let _ = self.channel.send(Command::SetTun(new_tun));
|
|
}
|
|
}
|
|
|
|
impl Drop for Session {
|
|
fn drop(&mut self) {
|
|
tracing::debug!("`Session` dropped")
|
|
}
|
|
}
|
|
|
|
/// Connects to the portal and starts a tunnel.
|
|
///
|
|
/// When this function exits, the tunnel failed unrecoverably and you need to call it again.
|
|
async fn connect<CB>(
|
|
tcp_socket_factory: Arc<dyn SocketFactory<TcpSocket>>,
|
|
udp_socket_factory: Arc<dyn SocketFactory<UdpSocket>>,
|
|
callbacks: CB,
|
|
portal: PhoenixChannel<(), IngressMessages, (), PublicKeyParam>,
|
|
rx: UnboundedReceiver<Command>,
|
|
) -> Result<()>
|
|
where
|
|
CB: Callbacks + 'static,
|
|
{
|
|
let tunnel = ClientTunnel::new(tcp_socket_factory, udp_socket_factory);
|
|
let mut eventloop = Eventloop::new(tunnel, callbacks, portal, rx);
|
|
|
|
std::future::poll_fn(|cx| eventloop.poll(cx)).await?;
|
|
|
|
Ok(())
|
|
}
|
|
|
|
/// A supervisor task that handles, when [`connect`] exits.
|
|
async fn connect_supervisor<CB>(connect_handle: JoinHandle<Result<()>>, callbacks: CB)
|
|
where
|
|
CB: Callbacks,
|
|
{
|
|
let task = async {
|
|
connect_handle.await.context("connlib crashed")??;
|
|
|
|
Ok(())
|
|
};
|
|
|
|
match task.await {
|
|
Ok(()) => tracing::info!("connlib exited gracefully"),
|
|
Err(e) => callbacks.on_disconnect(e),
|
|
}
|
|
}
|