arti/onion_proxy.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349
//! Configure and implement onion service reverse-proxy feature.
use std::{
collections::{btree_map::Entry, BTreeMap, HashSet},
sync::{Arc, Mutex},
};
use arti_client::config::onion_service::{OnionServiceConfig, OnionServiceConfigBuilder};
use futures::{task::SpawnExt, StreamExt as _};
use tor_config::{
define_list_builder_helper, impl_standard_builder, ConfigBuildError, Flatten, Reconfigure,
ReconfigureError,
};
use tor_error::warn_report;
use tor_hsrproxy::{config::ProxyConfigBuilder, OnionServiceReverseProxy, ProxyConfig};
use tor_hsservice::{HsNickname, RunningOnionService};
use tor_rtcompat::Runtime;
use tracing::debug;
/// Configuration for running an onion service from `arti`.
///
/// This onion service will forward incoming connections to one or more local
/// ports, depending on its configuration. If you need it to do something else
/// with incoming connections, or if you need finer-grained control over its
/// behavior, consider using
/// [`TorClient::launch_onion_service`](arti_client::TorClient::launch_onion_service).
#[derive(Clone, Debug, Eq, PartialEq)]
pub struct OnionServiceProxyConfig {
/// Configuration for the onion service itself.
pub(crate) svc_cfg: OnionServiceConfig,
/// Configuration for the reverse proxy that handles incoming connections
/// from the onion service.
pub(crate) proxy_cfg: ProxyConfig,
}
/// Builder object to construct an [`OnionServiceProxyConfig`].
//
// We cannot easily use derive_builder on this builder type, since we want it to be a
// "Flatten<>" internally. Fortunately, it's easy enough to implement the
// pieces that we need.
#[derive(Clone, Debug, serde::Serialize, serde::Deserialize, Default)]
#[serde(transparent)]
pub struct OnionServiceProxyConfigBuilder(Flatten<OnionServiceConfigBuilder, ProxyConfigBuilder>);
impl OnionServiceProxyConfigBuilder {
/// Try to construct an [`OnionServiceProxyConfig`].
///
/// Returns an error if any part of this builder is invalid.
pub fn build(&self) -> Result<OnionServiceProxyConfig, ConfigBuildError> {
let svc_cfg = self.0 .0.build()?;
let proxy_cfg = self.0 .1.build()?;
Ok(OnionServiceProxyConfig { svc_cfg, proxy_cfg })
}
/// Return a mutable reference to an onion-service configuration sub-builder.
pub fn service(&mut self) -> &mut OnionServiceConfigBuilder {
&mut self.0 .0
}
/// Return a mutable reference to a proxy configuration sub-builder.
pub fn proxy(&mut self) -> &mut ProxyConfigBuilder {
&mut self.0 .1
}
}
impl_standard_builder! { OnionServiceProxyConfig: !Default }
/// Alias for a `BTreeMap` of `OnionServiceProxyConfig`; used to make derive_builder
/// happy.
#[cfg(feature = "onion-service-service")]
pub(crate) type OnionServiceProxyConfigMap = BTreeMap<HsNickname, OnionServiceProxyConfig>;
/// The serialized format of an OnionServiceProxyConfigListBuilder:
/// a map from nickname to `OnionServiceConfigBuilder`
type ProxyBuilderMap = BTreeMap<HsNickname, OnionServiceProxyConfigBuilder>;
// TODO: Someday we might want to have an API for a MapBuilder that is distinct
// from that of a ListBuilder. It would have to enforce that everything has a
// key, and that keys are distinct.
#[cfg(feature = "onion-service-service")]
define_list_builder_helper! {
pub struct OnionServiceProxyConfigMapBuilder {
services: [OnionServiceProxyConfigBuilder],
}
built: OnionServiceProxyConfigMap = build_list(services)?;
default = vec![];
#[serde(try_from="ProxyBuilderMap", into="ProxyBuilderMap")]
}
/// Construct a OnionServiceProxyConfigList from a vec of OnionServiceProxyConfig;
/// enforce that nicknames are unique.
fn build_list(
services: Vec<OnionServiceProxyConfig>,
) -> Result<OnionServiceProxyConfigMap, ConfigBuildError> {
// TODO: Add a test for this function.
//
// It *is* reachable from OnionServiceProxyConfigMapBuilder::build(), since
// that builder's API uses push() to add OnionServiceProxyConfigBuilders to
// an internal _list_. Alternatively, we might want to have a distinct
// MapBuilder type.
let mut map = BTreeMap::new();
for service in services {
if let Some(previous_value) = map.insert(service.svc_cfg.nickname().clone(), service) {
return Err(ConfigBuildError::Inconsistent {
fields: vec!["nickname".into()],
problem: format!(
"Multiple onion services with the nickname {}",
previous_value.svc_cfg.nickname()
),
});
};
}
Ok(map)
}
impl TryFrom<ProxyBuilderMap> for OnionServiceProxyConfigMapBuilder {
type Error = ConfigBuildError;
fn try_from(value: ProxyBuilderMap) -> Result<Self, Self::Error> {
let mut list_builder = OnionServiceProxyConfigMapBuilder::default();
for (nickname, mut cfg) in value {
match cfg.0 .0.peek_nickname() {
Some(n) if n == &nickname => (),
None => (),
Some(other) => {
return Err(ConfigBuildError::Inconsistent {
fields: vec![nickname.to_string(), format!("{nickname}.{other}")],
problem: "mismatched nicknames on onion service.".into(),
});
}
}
cfg.0 .0.nickname(nickname);
list_builder.access().push(cfg);
}
Ok(list_builder)
}
}
impl From<OnionServiceProxyConfigMapBuilder> for ProxyBuilderMap {
/// Convert our Builder representation of a set of onion services into the
/// format that serde will serialize.
///
/// Note: This is a potentially lossy conversion, since the serialized format
/// can't represent partially-built services without a nickname, or
/// a collection of services with duplicate nicknames.
fn from(value: OnionServiceProxyConfigMapBuilder) -> Self {
let mut map = BTreeMap::new();
for cfg in value.services.into_iter().flatten() {
let nickname = cfg.0 .0.peek_nickname().cloned().unwrap_or_else(|| {
"Unnamed"
.to_string()
.try_into()
.expect("'Unnamed' was not a valid nickname")
});
map.insert(nickname, cfg);
}
map
}
}
/// A running onion service and an associated reverse proxy.
///
/// This is what a user configures when they add an onion service to their
/// configuration.
#[must_use = "a hidden service Proxy object will terminate the service when dropped"]
struct Proxy {
/// The onion service.
///
/// This is launched and running.
svc: Arc<RunningOnionService>,
/// The reverse proxy that accepts connections from the onion service.
///
/// This is also launched and running.
proxy: Arc<OnionServiceReverseProxy>,
}
impl Proxy {
/// Create and launch a new onion service proxy, using a given `client`,
/// to handle connections according to `config`.
pub(crate) fn launch_new<R: Runtime>(
client: &arti_client::TorClient<R>,
config: OnionServiceProxyConfig,
) -> anyhow::Result<Self> {
let OnionServiceProxyConfig { svc_cfg, proxy_cfg } = config;
let nickname = svc_cfg.nickname().clone();
let (svc, request_stream) = client.launch_onion_service(svc_cfg)?;
let proxy = OnionServiceReverseProxy::new(proxy_cfg);
{
let proxy = proxy.clone();
let runtime_clone = client.runtime().clone();
let nickname_clone = nickname.clone();
client.runtime().spawn(async move {
match proxy
.handle_requests(runtime_clone, nickname.clone(), request_stream)
.await
{
Ok(()) => {
debug!("Onion service {} exited cleanly.", nickname);
}
Err(e) => {
warn_report!(e, "Onion service {} exited with an error", nickname);
}
}
})?;
let mut status_stream = svc.status_events();
client.runtime().spawn(async move {
while let Some(status) = status_stream.next().await {
debug!(
nickname=%nickname_clone,
status=?status.state(),
problem=?status.current_problem(),
"Onion service status change",
);
}
})?;
}
Ok(Proxy { svc, proxy })
}
/// Reconfigure this proxy, using the new configuration `config` and the
/// rules in `how`.
fn reconfigure(
&mut self,
config: OnionServiceProxyConfig,
how: Reconfigure,
) -> Result<(), ReconfigureError> {
if matches!(how, Reconfigure::AllOrNothing) {
self.reconfigure_inner(config.clone(), Reconfigure::CheckAllOrNothing)?;
}
self.reconfigure_inner(config, how)
}
/// Helper for reconfigure: Run `reconfigure` on each part of this `Proxy`.
fn reconfigure_inner(
&mut self,
config: OnionServiceProxyConfig,
how: Reconfigure,
) -> Result<(), ReconfigureError> {
let OnionServiceProxyConfig { svc_cfg, proxy_cfg } = config;
self.svc.reconfigure(svc_cfg, how)?;
self.proxy.reconfigure(proxy_cfg, how)?;
Ok(())
}
}
/// A set of configured onion service proxies.
#[must_use = "a hidden service ProxySet object will terminate the services when dropped"]
pub(crate) struct ProxySet<R: Runtime> {
/// The arti_client that we use to launch proxies.
client: arti_client::TorClient<R>,
/// The proxies themselves, indexed by nickname.
proxies: Mutex<BTreeMap<HsNickname, Proxy>>,
}
impl<R: Runtime> ProxySet<R> {
/// Create and launch a set of onion service proxies.
pub(crate) fn launch_new(
client: &arti_client::TorClient<R>,
config_list: OnionServiceProxyConfigMap,
) -> anyhow::Result<Self> {
let proxies: BTreeMap<_, _> = config_list
.into_iter()
.map(|(nickname, cfg)| Ok((nickname, Proxy::launch_new(client, cfg)?)))
.collect::<anyhow::Result<BTreeMap<_, _>>>()?;
Ok(Self {
client: client.clone(),
proxies: Mutex::new(proxies),
})
}
/// Try to reconfigure the set of onion proxies according to the
/// configuration in `new_config`.
///
/// Launches or closes proxies as necessary. Does not close existing
/// connections.
pub(crate) fn reconfigure(
&self,
new_config: OnionServiceProxyConfigMap,
// TODO: this should probably take `how: Reconfigure` and implement an all-or-nothing mode.
// See #1156.
) -> Result<(), anyhow::Error> {
let mut proxy_map = self.proxies.lock().expect("lock poisoned");
// Set of the nicknames of defunct proxies.
let mut defunct_nicknames: HashSet<_> = proxy_map.keys().map(Clone::clone).collect();
for cfg in new_config.into_values() {
let nickname = cfg.svc_cfg.nickname().clone();
// This proxy is still configured, so remove it from the list of
// defunct proxies.
defunct_nicknames.remove(&nickname);
match proxy_map.entry(nickname) {
Entry::Occupied(mut existing_proxy) => {
// We already have a proxy by this name, so we try to
// reconfigure it.
existing_proxy
.get_mut()
.reconfigure(cfg, Reconfigure::WarnOnFailures)?;
}
Entry::Vacant(ent) => {
// We do not have a proxy by this name, so we try to launch
// one.
match Proxy::launch_new(&self.client, cfg) {
Ok(new_proxy) => {
ent.insert(new_proxy);
}
Err(err) => {
warn_report!(err, "Unable to launch onion service {}", ent.key());
}
}
}
}
}
for nickname in defunct_nicknames {
// We no longer have any configuration for this proxy, so we remove
// it from our map.
let defunct_proxy = proxy_map
.remove(&nickname)
.expect("Somehow a proxy disappeared from the map");
// This "drop" should shut down the proxy.
drop(defunct_proxy);
}
Ok(())
}
/// Whether this `ProxySet` is empty.
pub(crate) fn is_empty(&self) -> bool {
self.proxies.lock().expect("lock poisoned").is_empty()
}
}
impl<R: Runtime> crate::reload_cfg::ReconfigurableModule for ProxySet<R> {
fn reconfigure(&self, new: &crate::ArtiCombinedConfig) -> anyhow::Result<()> {
ProxySet::reconfigure(self, new.0.onion_services.clone())?;
Ok(())
}
}