1
//! A general interface for Tor client usage.
2
//!
3
//! To construct a client, run the [`TorClient::create_bootstrapped`] method.
4
//! Once the client is bootstrapped, you can make anonymous
5
//! connections ("streams") over the Tor network using
6
//! [`TorClient::connect`].
7

            
8
#[cfg(feature = "rpc")]
9
use {derive_deftly::Deftly, tor_rpcbase::templates::*};
10

            
11
use crate::address::{IntoTorAddr, ResolveInstructions, StreamInstructions};
12

            
13
use crate::config::{
14
    ClientAddrConfig, SoftwareStatusOverrideConfig, StreamTimeoutConfig, TorClientConfig,
15
};
16
use safelog::{sensitive, Sensitive};
17
use tor_async_utils::{DropNotifyWatchSender, PostageWatchSenderExt};
18
use tor_circmgr::isolation::{Isolation, StreamIsolation};
19
use tor_circmgr::{isolation::StreamIsolationBuilder, IsolationToken, TargetPort};
20
use tor_config::MutCfg;
21
#[cfg(feature = "bridge-client")]
22
use tor_dirmgr::bridgedesc::BridgeDescMgr;
23
use tor_dirmgr::{DirMgrStore, Timeliness};
24
use tor_error::{error_report, internal, Bug};
25
use tor_guardmgr::{GuardMgr, RetireCircuits};
26
use tor_keymgr::Keystore;
27
use tor_memquota::MemoryQuotaTracker;
28
use tor_netdir::{params::NetParameters, NetDirProvider};
29
#[cfg(feature = "onion-service-service")]
30
use tor_persist::state_dir::StateDirectory;
31
use tor_persist::{FsStateMgr, StateMgr};
32
use tor_proto::circuit::ClientCirc;
33
use tor_proto::stream::{DataStream, IpVersionPreference, StreamParameters};
34
#[cfg(all(
35
    any(feature = "native-tls", feature = "rustls"),
36
    any(feature = "async-std", feature = "tokio")
37
))]
38
use tor_rtcompat::PreferredRuntime;
39
use tor_rtcompat::{Runtime, SleepProviderExt};
40
#[cfg(feature = "onion-service-client")]
41
use {
42
    tor_config::BoolOrAuto,
43
    tor_hsclient::{HsClientConnector, HsClientDescEncKeypairSpecifier, HsClientSecretKeysBuilder},
44
    tor_hscrypto::pk::{HsClientDescEncKey, HsClientDescEncKeypair, HsClientDescEncSecretKey},
45
    tor_netdir::DirEvent,
46
};
47

            
48
#[cfg(all(feature = "onion-service-service", feature = "experimental-api"))]
49
use tor_hsservice::HsIdKeypairSpecifier;
50
#[cfg(all(feature = "onion-service-client", feature = "experimental-api"))]
51
use {tor_hscrypto::pk::HsId, tor_hscrypto::pk::HsIdKeypair, tor_keymgr::KeystoreSelector};
52

            
53
use tor_keymgr::{config::ArtiKeystoreKind, ArtiNativeKeystore, KeyMgr, KeyMgrBuilder};
54

            
55
#[cfg(feature = "ephemeral-keystore")]
56
use tor_keymgr::ArtiEphemeralKeystore;
57

            
58
#[cfg(feature = "ctor-keystore")]
59
use tor_keymgr::{CTorClientKeystore, CTorServiceKeystore};
60

            
61
use futures::lock::Mutex as AsyncMutex;
62
use futures::task::SpawnExt;
63
use futures::StreamExt as _;
64
use std::net::IpAddr;
65
use std::result::Result as StdResult;
66
use std::sync::{Arc, Mutex};
67

            
68
use crate::err::ErrorDetail;
69
use crate::{status, util, TorClientBuilder};
70
#[cfg(feature = "geoip")]
71
use tor_geoip::CountryCode;
72
use tor_rtcompat::scheduler::TaskHandle;
73
use tracing::{debug, info};
74

            
75
/// An active client session on the Tor network.
76
///
77
/// While it's running, it will fetch directory information, build
78
/// circuits, and make connections for you.
79
///
80
/// Cloning this object makes a new reference to the same underlying
81
/// handles: it's usually better to clone the `TorClient` than it is to
82
/// create a new one.
83
///
84
/// # In the Arti RPC System
85
///
86
/// An open client on the Tor network.
87
///
88
/// A `TorClient` can be used to open anonymous connections,
89
/// and (eventually) perform other activities.
90
///
91
/// You can use an `RpcSession` as a `TorClient`, or use the `isolated_client` method
92
/// to create a new `TorClient` whose stream will not share circuits with any other Tor client.
93
///
94
/// This ObjectID for this object can be used as the target of a SOCKS stream.
95
// TODO(nickm): This type now has 5 Arcs inside it, and 2 types that have
96
// implicit Arcs inside them! maybe it's time to replace much of the insides of
97
// this with an Arc<TorClientInner>?
98
#[derive(Clone)]
99
#[cfg_attr(
100
    feature = "rpc",
101
    derive(Deftly),
102
    derive_deftly(Object),
103
    deftly(rpc(expose_outside_of_session))
104
)]
105
pub struct TorClient<R: Runtime> {
106
    /// Asynchronous runtime object.
107
    runtime: R,
108
    /// Default isolation token for streams through this client.
109
    ///
110
    /// This is eventually used for `owner_token` in `tor-circmgr/src/usage.rs`, and is orthogonal
111
    /// to the `stream_isolation` which comes from `connect_prefs` (or a passed-in `StreamPrefs`).
112
    /// (ie, both must be the same to share a circuit).
113
    client_isolation: IsolationToken,
114
    /// Connection preferences.  Starts out as `Default`,  Inherited by our clones.
115
    connect_prefs: StreamPrefs,
116
    /// Memory quota tracker
117
    memquota: Arc<MemoryQuotaTracker>,
118
    /// Channel manager, used by circuits etc.,
119
    ///
120
    /// Used directly by client only for reconfiguration.
121
    chanmgr: Arc<tor_chanmgr::ChanMgr<R>>,
122
    /// Circuit manager for keeping our circuits up to date and building
123
    /// them on-demand.
124
    circmgr: Arc<tor_circmgr::CircMgr<R>>,
125
    /// Directory manager persistent storage.
126
    #[cfg_attr(not(feature = "bridge-client"), allow(dead_code))]
127
    dirmgr_store: DirMgrStore<R>,
128
    /// Directory manager for keeping our directory material up to date.
129
    dirmgr: Arc<dyn tor_dirmgr::DirProvider>,
130
    /// Bridge descriptor manager
131
    ///
132
    /// None until we have bootstrapped.
133
    ///
134
    /// Lock hierarchy: don't acquire this before dormant
135
    //
136
    // TODO: after or as part of https://gitlab.torproject.org/tpo/core/arti/-/issues/634
137
    // this can be   bridge_desc_mgr: BridgeDescMgr<R>>
138
    // since BridgeDescMgr is Clone and all its methods take `&self` (it has a lock inside)
139
    // Or maybe BridgeDescMgr should not be Clone, since we want to make Weaks of it,
140
    // which we can't do when the Arc is inside.
141
    #[cfg(feature = "bridge-client")]
142
    bridge_desc_mgr: Arc<Mutex<Option<Arc<BridgeDescMgr<R>>>>>,
143
    /// Pluggable transport manager.
144
    #[cfg(feature = "pt-client")]
145
    pt_mgr: Arc<tor_ptmgr::PtMgr<R>>,
146
    /// HS client connector
147
    #[cfg(feature = "onion-service-client")]
148
    hsclient: HsClientConnector<R>,
149
    /// Circuit pool for providing onion services with circuits.
150
    #[cfg(any(feature = "onion-service-client", feature = "onion-service-service"))]
151
    hs_circ_pool: Arc<tor_circmgr::hspool::HsCircPool<R>>,
152
    /// A handle to this client's [`InertTorClient`].
153
    ///
154
    /// Used for accessing the key manager and other persistent state.
155
    inert_client: InertTorClient,
156
    /// Guard manager
157
    #[cfg_attr(not(feature = "bridge-client"), allow(dead_code))]
158
    guardmgr: GuardMgr<R>,
159
    /// Location on disk where we store persistent data containing both location and Mistrust information.
160
    ///
161
    ///
162
    /// This path is configured via `[storage]` in the config but is not used directly as a
163
    /// StateDirectory in most places. Instead, its path and Mistrust information are copied
164
    /// to subsystems like `dirmgr`, `keymgr`, and `statemgr` during `TorClient` creation.
165
    #[cfg(feature = "onion-service-service")]
166
    state_directory: StateDirectory,
167
    /// Location on disk where we store persistent data (cooked state manager).
168
    statemgr: FsStateMgr,
169
    /// Client address configuration
170
    addrcfg: Arc<MutCfg<ClientAddrConfig>>,
171
    /// Client DNS configuration
172
    timeoutcfg: Arc<MutCfg<StreamTimeoutConfig>>,
173
    /// Software status configuration.
174
    software_status_cfg: Arc<MutCfg<SoftwareStatusOverrideConfig>>,
175
    /// Mutex used to serialize concurrent attempts to reconfigure a TorClient.
176
    ///
177
    /// See [`TorClient::reconfigure`] for more information on its use.
178
    reconfigure_lock: Arc<Mutex<()>>,
179

            
180
    /// A stream of bootstrap messages that we can clone when a client asks for
181
    /// it.
182
    ///
183
    /// (We don't need to observe this stream ourselves, since it drops each
184
    /// unobserved status change when the next status change occurs.)
185
    status_receiver: status::BootstrapEvents,
186

            
187
    /// mutex used to prevent two tasks from trying to bootstrap at once.
188
    bootstrap_in_progress: Arc<AsyncMutex<()>>,
189

            
190
    /// Whether or not we should call `bootstrap` before doing things that require
191
    /// bootstrapping. If this is `false`, we will just call `wait_for_bootstrap`
192
    /// instead.
193
    should_bootstrap: BootstrapBehavior,
194

            
195
    /// Shared boolean for whether we're currently in "dormant mode" or not.
196
    //
197
    // The sent value is `Option`, so that `None` is sent when the sender, here,
198
    // is dropped,.  That shuts down the monitoring task.
199
    dormant: Arc<Mutex<DropNotifyWatchSender<Option<DormantMode>>>>,
200

            
201
    /// The path resolver given to us by a [`TorClientConfig`].
202
    ///
203
    /// We must not add our own variables to it since `TorClientConfig` uses it to perform its own
204
    /// path expansions. If we added our own variables, it would introduce an inconsistency where
205
    /// paths expanded by the `TorClientConfig` would expand differently than when expanded by us.
206
    // This is an Arc so that we can make cheap clones of it.
207
    path_resolver: Arc<tor_config_path::CfgPathResolver>,
208
}
209

            
210
/// A Tor client that is not runnable.
211
///
212
/// Can be used to access the state that would be used by a running [`TorClient`].
213
///
214
/// An `InertTorClient` never connects to the network.
215
#[derive(Clone)]
216
pub struct InertTorClient {
217
    /// The key manager.
218
    ///
219
    /// This is used for retrieving private keys, certificates, and other sensitive data (for
220
    /// example, for retrieving the keys necessary for connecting to hidden services that are
221
    /// running in restricted discovery mode).
222
    ///
223
    /// If this crate is compiled _with_ the `keymgr` feature, [`TorClient`] will use a functional
224
    /// key manager implementation.
225
    ///
226
    /// If this crate is compiled _without_ the `keymgr` feature, then [`TorClient`] will use a
227
    /// no-op key manager implementation instead.
228
    ///
229
    /// See the [`KeyMgr`] documentation for more details.
230
    keymgr: Option<Arc<KeyMgr>>,
231
}
232

            
233
impl InertTorClient {
234
    /// Create an `InertTorClient` from a `TorClientConfig`.
235
312
    pub(crate) fn new(config: &TorClientConfig) -> StdResult<Self, ErrorDetail> {
236
312
        let keymgr = Self::create_keymgr(config)?;
237

            
238
312
        Ok(Self { keymgr })
239
312
    }
240

            
241
    /// Create a [`KeyMgr`] using the specified configuration.
242
    ///
243
    /// Returns `Ok(None)` if keystore use is disabled.
244
312
    fn create_keymgr(config: &TorClientConfig) -> StdResult<Option<Arc<KeyMgr>>, ErrorDetail> {
245
312
        let keystore = config.storage.keystore();
246
312
        let permissions = config.storage.permissions();
247
312
        let primary_store: Box<dyn Keystore> = match keystore.primary_kind() {
248
            Some(ArtiKeystoreKind::Native) => {
249
312
                let (state_dir, _mistrust) = config.state_dir()?;
250
312
                let key_store_dir = state_dir.join("keystore");
251

            
252
312
                let native_store =
253
312
                    ArtiNativeKeystore::from_path_and_mistrust(&key_store_dir, permissions)?;
254
312
                info!("Using keystore from {key_store_dir:?}");
255

            
256
312
                Box::new(native_store)
257
            }
258
            #[cfg(feature = "ephemeral-keystore")]
259
            Some(ArtiKeystoreKind::Ephemeral) => {
260
                // TODO: make the keystore ID somehow configurable
261
                let ephemeral_store: ArtiEphemeralKeystore =
262
                    ArtiEphemeralKeystore::new("ephemeral".to_string());
263
                Box::new(ephemeral_store)
264
            }
265
            None => {
266
                info!("Running without a keystore");
267
                return Ok(None);
268
            }
269
            ty => return Err(internal!("unrecognized keystore type {ty:?}").into()),
270
        };
271

            
272
312
        let mut builder = KeyMgrBuilder::default().primary_store(primary_store);
273

            
274
        #[cfg(feature = "ctor-keystore")]
275
312
        for config in config.storage.keystore().ctor_svc_stores() {
276
            let store: Box<dyn Keystore> = Box::new(CTorServiceKeystore::from_path_and_mistrust(
277
                config.path(),
278
                permissions,
279
                config.id().clone(),
280
                // TODO: these nicknames should be cross-checked with configured
281
                // svc nicknames as part of config validation!!!
282
                config.nickname().clone(),
283
            )?);
284

            
285
            builder.secondary_stores().push(store);
286
        }
287

            
288
        #[cfg(feature = "ctor-keystore")]
289
312
        for config in config.storage.keystore().ctor_client_stores() {
290
            let store: Box<dyn Keystore> = Box::new(CTorClientKeystore::from_path_and_mistrust(
291
                config.path(),
292
                permissions,
293
                config.id().clone(),
294
            )?);
295

            
296
            builder.secondary_stores().push(store);
297
        }
298

            
299
312
        let keymgr = builder
300
312
            .build()
301
312
            .map_err(|_| internal!("failed to build keymgr"))?;
302
312
        Ok(Some(Arc::new(keymgr)))
303
312
    }
304

            
305
    /// Generate a service discovery keypair for connecting to a hidden service running in
306
    /// "restricted discovery" mode.
307
    ///
308
    /// See [`TorClient::generate_service_discovery_key`].
309
    //
310
    // TODO: decide whether this should use get_or_generate before making it
311
    // non-experimental
312
    #[cfg(all(
313
        feature = "onion-service-client",
314
        feature = "experimental-api",
315
        feature = "keymgr"
316
    ))]
317
    #[cfg_attr(
318
        docsrs,
319
        doc(cfg(all(
320
            feature = "onion-service-client",
321
            feature = "experimental-api",
322
            feature = "keymgr"
323
        )))
324
    )]
325
102
    pub fn generate_service_discovery_key(
326
102
        &self,
327
102
        selector: KeystoreSelector,
328
102
        hsid: HsId,
329
102
    ) -> crate::Result<HsClientDescEncKey> {
330
102
        let mut rng = tor_llcrypto::rng::CautiousRng;
331
102
        let spec = HsClientDescEncKeypairSpecifier::new(hsid);
332
102
        let key = self
333
102
            .keymgr
334
102
            .as_ref()
335
102
            .ok_or(ErrorDetail::KeystoreRequired {
336
102
                action: "generate client service discovery key",
337
102
            })?
338
102
            .generate::<HsClientDescEncKeypair>(
339
102
                &spec, selector, &mut rng, false, /* overwrite */
340
102
            )?;
341

            
342
102
        Ok(key.public().clone())
343
102
    }
344

            
345
    /// Rotate the service discovery keypair for connecting to a hidden service running in
346
    /// "restricted discovery" mode.
347
    ///
348
    /// See [`TorClient::rotate_service_discovery_key`].
349
    #[cfg(all(
350
        feature = "onion-service-client",
351
        feature = "experimental-api",
352
        feature = "keymgr"
353
    ))]
354
    #[cfg_attr(
355
        docsrs,
356
        doc(cfg(all(
357
            feature = "onion-service-client",
358
            feature = "experimental-api",
359
            feature = "keymgr"
360
        )))
361
    )]
362
34
    pub fn rotate_service_discovery_key(
363
34
        &self,
364
34
        selector: KeystoreSelector,
365
34
        hsid: HsId,
366
34
    ) -> crate::Result<HsClientDescEncKey> {
367
34
        let mut rng = tor_llcrypto::rng::CautiousRng;
368
34
        let spec = HsClientDescEncKeypairSpecifier::new(hsid);
369
34
        let key = self
370
34
            .keymgr
371
34
            .as_ref()
372
34
            .ok_or(ErrorDetail::KeystoreRequired {
373
34
                action: "rotate client service discovery key",
374
34
            })?
375
34
            .generate::<HsClientDescEncKeypair>(
376
34
                &spec, selector, &mut rng, true, /* overwrite */
377
34
            )?;
378

            
379
34
        Ok(key.public().clone())
380
34
    }
381

            
382
    /// Insert a service discovery secret key for connecting to a hidden service running in
383
    /// "restricted discovery" mode
384
    ///
385
    /// See [`TorClient::insert_service_discovery_key`].
386
    #[cfg(all(
387
        feature = "onion-service-client",
388
        feature = "experimental-api",
389
        feature = "keymgr"
390
    ))]
391
    #[cfg_attr(
392
        docsrs,
393
        doc(cfg(all(
394
            feature = "onion-service-client",
395
            feature = "experimental-api",
396
            feature = "keymgr"
397
        )))
398
    )]
399
    pub fn insert_service_discovery_key(
400
        &self,
401
        selector: KeystoreSelector,
402
        hsid: HsId,
403
        hs_client_desc_enc_secret_key: HsClientDescEncSecretKey,
404
    ) -> crate::Result<HsClientDescEncKey> {
405
        let spec = HsClientDescEncKeypairSpecifier::new(hsid);
406
        let client_desc_enc_key = HsClientDescEncKey::from(&hs_client_desc_enc_secret_key);
407
        let client_desc_enc_keypair =
408
            HsClientDescEncKeypair::new(client_desc_enc_key.clone(), hs_client_desc_enc_secret_key);
409
        let _key = self
410
            .keymgr
411
            .as_ref()
412
            .ok_or(ErrorDetail::KeystoreRequired {
413
                action: "insert client service discovery key",
414
            })?
415
            .insert::<HsClientDescEncKeypair>(client_desc_enc_keypair, &spec, selector, false)?;
416
        Ok(client_desc_enc_key)
417
    }
418

            
419
    /// Return the service discovery public key for the service with the specified `hsid`.
420
    ///
421
    /// See [`TorClient::get_service_discovery_key`].
422
    #[cfg(all(feature = "onion-service-client", feature = "experimental-api"))]
423
    #[cfg_attr(
424
        docsrs,
425
        doc(cfg(all(feature = "onion-service-client", feature = "experimental-api")))
426
    )]
427
136
    pub fn get_service_discovery_key(
428
136
        &self,
429
136
        hsid: HsId,
430
136
    ) -> crate::Result<Option<HsClientDescEncKey>> {
431
136
        let spec = HsClientDescEncKeypairSpecifier::new(hsid);
432
136
        let key = self
433
136
            .keymgr
434
136
            .as_ref()
435
136
            .ok_or(ErrorDetail::KeystoreRequired {
436
136
                action: "get client service discovery key",
437
136
            })?
438
136
            .get::<HsClientDescEncKeypair>(&spec)?
439
136
            .map(|key| key.public().clone());
440
136

            
441
136
        Ok(key)
442
136
    }
443

            
444
    /// Removes the service discovery keypair for the service with the specified `hsid`.
445
    ///
446
    /// See [`TorClient::remove_service_discovery_key`].
447
    #[cfg(all(
448
        feature = "onion-service-client",
449
        feature = "experimental-api",
450
        feature = "keymgr"
451
    ))]
452
    #[cfg_attr(
453
        docsrs,
454
        doc(cfg(all(
455
            feature = "onion-service-client",
456
            feature = "experimental-api",
457
            feature = "keymgr"
458
        )))
459
    )]
460
34
    pub fn remove_service_discovery_key(
461
34
        &self,
462
34
        selector: KeystoreSelector,
463
34
        hsid: HsId,
464
34
    ) -> crate::Result<Option<()>> {
465
34
        let spec = HsClientDescEncKeypairSpecifier::new(hsid);
466
34
        let result = self
467
34
            .keymgr
468
34
            .as_ref()
469
34
            .ok_or(ErrorDetail::KeystoreRequired {
470
34
                action: "remove client service discovery key",
471
34
            })?
472
34
            .remove::<HsClientDescEncKeypair>(&spec, selector)?;
473
34
        match result {
474
34
            Some(_) => Ok(Some(())),
475
            None => Ok(None),
476
        }
477
34
    }
478
}
479

            
480
/// Preferences for whether a [`TorClient`] should bootstrap on its own or not.
481
#[derive(Debug, Default, Copy, Clone, PartialEq, Eq)]
482
#[non_exhaustive]
483
pub enum BootstrapBehavior {
484
    /// Bootstrap the client automatically when requests are made that require the client to be
485
    /// bootstrapped.
486
    #[default]
487
    OnDemand,
488
    /// Make no attempts to automatically bootstrap. [`TorClient::bootstrap`] must be manually
489
    /// invoked in order for the [`TorClient`] to become useful.
490
    ///
491
    /// Attempts to use the client (e.g. by creating connections or resolving hosts over the Tor
492
    /// network) before calling [`bootstrap`](TorClient::bootstrap) will fail, and
493
    /// return an error that has kind [`ErrorKind::BootstrapRequired`](crate::ErrorKind::BootstrapRequired).
494
    Manual,
495
}
496

            
497
/// What level of sleep to put a Tor client into.
498
#[derive(Debug, Default, Copy, Clone, PartialEq, Eq)]
499
#[non_exhaustive]
500
pub enum DormantMode {
501
    /// The client functions as normal, and background tasks run periodically.
502
    #[default]
503
    Normal,
504
    /// Background tasks are suspended, conserving CPU usage. Attempts to use the client will
505
    /// wake it back up again.
506
    Soft,
507
}
508

            
509
/// Preferences for how to route a stream over the Tor network.
510
#[derive(Debug, Default, Clone)]
511
pub struct StreamPrefs {
512
    /// What kind of IPv6/IPv4 we'd prefer, and how strongly.
513
    ip_ver_pref: IpVersionPreference,
514
    /// How should we isolate connection(s)?
515
    isolation: StreamIsolationPreference,
516
    /// Whether to return the stream optimistically.
517
    optimistic_stream: bool,
518
    // TODO GEOIP Ideally this would be unconditional, with CountryCode maybe being Void
519
    // This probably applies in many other places, so probably:   git grep 'cfg.*geoip'
520
    // and consider each one with a view to making it unconditional.  Background:
521
    //   https://gitlab.torproject.org/tpo/core/arti/-/merge_requests/1537#note_2935256
522
    //   https://gitlab.torproject.org/tpo/core/arti/-/merge_requests/1537#note_2942214
523
    #[cfg(feature = "geoip")]
524
    /// A country to restrict the exit relay's location to.
525
    country_code: Option<CountryCode>,
526
    /// Whether to try to make connections to onion services.
527
    ///
528
    /// `Auto` means to use the client configuration.
529
    #[cfg(feature = "onion-service-client")]
530
    pub(crate) connect_to_onion_services: BoolOrAuto,
531
}
532

            
533
/// Record of how we are isolating connections
534
#[derive(Debug, Default, Clone)]
535
enum StreamIsolationPreference {
536
    /// No additional isolation
537
    #[default]
538
    None,
539
    /// Isolation parameter to use for connections
540
    Explicit(Box<dyn Isolation>),
541
    /// Isolate every connection!
542
    EveryStream,
543
}
544

            
545
impl From<DormantMode> for tor_chanmgr::Dormancy {
546
80
    fn from(dormant: DormantMode) -> tor_chanmgr::Dormancy {
547
80
        match dormant {
548
80
            DormantMode::Normal => tor_chanmgr::Dormancy::Active,
549
            DormantMode::Soft => tor_chanmgr::Dormancy::Dormant,
550
        }
551
80
    }
552
}
553
#[cfg(feature = "bridge-client")]
554
impl From<DormantMode> for tor_dirmgr::bridgedesc::Dormancy {
555
    fn from(dormant: DormantMode) -> tor_dirmgr::bridgedesc::Dormancy {
556
        match dormant {
557
            DormantMode::Normal => tor_dirmgr::bridgedesc::Dormancy::Active,
558
            DormantMode::Soft => tor_dirmgr::bridgedesc::Dormancy::Dormant,
559
        }
560
    }
561
}
562

            
563
impl StreamPrefs {
564
    /// Construct a new StreamPrefs.
565
18
    pub fn new() -> Self {
566
18
        Self::default()
567
18
    }
568

            
569
    /// Indicate that a stream may be made over IPv4 or IPv6, but that
570
    /// we'd prefer IPv6.
571
2
    pub fn ipv6_preferred(&mut self) -> &mut Self {
572
2
        self.ip_ver_pref = IpVersionPreference::Ipv6Preferred;
573
2
        self
574
2
    }
575

            
576
    /// Indicate that a stream may only be made over IPv6.
577
    ///
578
    /// When this option is set, we will only pick exit relays that
579
    /// support IPv6, and we will tell them to only give us IPv6
580
    /// connections.
581
2
    pub fn ipv6_only(&mut self) -> &mut Self {
582
2
        self.ip_ver_pref = IpVersionPreference::Ipv6Only;
583
2
        self
584
2
    }
585

            
586
    /// Indicate that a stream may be made over IPv4 or IPv6, but that
587
    /// we'd prefer IPv4.
588
    ///
589
    /// This is the default.
590
2
    pub fn ipv4_preferred(&mut self) -> &mut Self {
591
2
        self.ip_ver_pref = IpVersionPreference::Ipv4Preferred;
592
2
        self
593
2
    }
594

            
595
    /// Indicate that a stream may only be made over IPv4.
596
    ///
597
    /// When this option is set, we will only pick exit relays that
598
    /// support IPv4, and we will tell them to only give us IPv4
599
    /// connections.
600
2
    pub fn ipv4_only(&mut self) -> &mut Self {
601
2
        self.ip_ver_pref = IpVersionPreference::Ipv4Only;
602
2
        self
603
2
    }
604

            
605
    /// Indicate that a stream should appear to come from the given country.
606
    ///
607
    /// When this option is set, we will only pick exit relays that
608
    /// have an IP address that matches the country in our GeoIP database.
609
    #[cfg(feature = "geoip")]
610
    #[cfg_attr(docsrs, doc(cfg(feature = "geoip")))]
611
    pub fn exit_country(&mut self, country_code: CountryCode) -> &mut Self {
612
        self.country_code = Some(country_code);
613
        self
614
    }
615

            
616
    /// Indicate that we don't care which country a stream appears to come from.
617
    ///
618
    /// This is available even in the case where GeoIP support is compiled out,
619
    /// to make things easier.
620
    pub fn any_exit_country(&mut self) -> &mut Self {
621
        #[cfg(feature = "geoip")]
622
        {
623
            self.country_code = None;
624
        }
625
        self
626
    }
627

            
628
    /// Indicate that the stream should be opened "optimistically".
629
    ///
630
    /// By default, streams are not "optimistic". When you call
631
    /// [`TorClient::connect()`], it won't give you a stream until the
632
    /// exit node has confirmed that it has successfully opened a
633
    /// connection to your target address.  It's safer to wait in this
634
    /// way, but it is slower: it takes an entire round trip to get
635
    /// your confirmation.
636
    ///
637
    /// If a stream _is_ configured to be "optimistic", on the other
638
    /// hand, then `TorClient::connect()` will return the stream
639
    /// immediately, without waiting for an answer from the exit.  You
640
    /// can start sending data on the stream right away, though of
641
    /// course this data will be lost if the connection is not
642
    /// actually successful.
643
2
    pub fn optimistic(&mut self) -> &mut Self {
644
2
        self.optimistic_stream = true;
645
2
        self
646
2
    }
647

            
648
    /// Return true if this stream has been configured as "optimistic".
649
    ///
650
    /// See [`StreamPrefs::optimistic`] for more info.
651
    pub fn is_optimistic(&self) -> bool {
652
        self.optimistic_stream
653
    }
654

            
655
    /// Indicate whether connection to a hidden service (`.onion` service) should be allowed
656
    ///
657
    /// If `Explicit(false)`, attempts to connect to Onion Services will be forced to fail with
658
    /// an error of kind [`InvalidStreamTarget`](crate::ErrorKind::InvalidStreamTarget).
659
    ///
660
    /// If `Explicit(true)`, Onion Service connections are enabled.
661
    ///
662
    /// If `Auto`, the behaviour depends on the `address_filter.allow_onion_addrs`
663
    /// configuration option, which is in turn **disabled** by default.
664
    ///
665
    /// **Note**: Arti currently lacks the
666
    /// "vanguards" feature that Tor uses to prevent guard discovery attacks over time.
667
    /// As such, you should probably stick with C Tor if you need to make a large
668
    /// number of onion service connections, or if you are using the Tor protocol
669
    /// in a way that lets an attacker control how many onion services connections that you make -
670
    /// for example, when using Arti's SOCKS support from a web browser such as Tor Browser.
671
    #[cfg(feature = "onion-service-client")]
672
42
    pub fn connect_to_onion_services(
673
42
        &mut self,
674
42
        connect_to_onion_services: BoolOrAuto,
675
42
    ) -> &mut Self {
676
42
        self.connect_to_onion_services = connect_to_onion_services;
677
42
        self
678
42
    }
679
    /// Return a TargetPort to describe what kind of exit policy our
680
    /// target circuit needs to support.
681
2
    fn wrap_target_port(&self, port: u16) -> TargetPort {
682
2
        match self.ip_ver_pref {
683
            IpVersionPreference::Ipv6Only => TargetPort::ipv6(port),
684
2
            _ => TargetPort::ipv4(port),
685
        }
686
2
    }
687

            
688
    /// Return a new StreamParameters based on this configuration.
689
2
    fn stream_parameters(&self) -> StreamParameters {
690
2
        let mut params = StreamParameters::default();
691
2
        params
692
2
            .ip_version(self.ip_ver_pref)
693
2
            .optimistic(self.optimistic_stream);
694
2
        params
695
2
    }
696

            
697
    /// Indicate that connections with these preferences should have their own isolation group
698
    ///
699
    /// This is a convenience method which creates a fresh [`IsolationToken`]
700
    /// and sets it for these preferences.
701
    ///
702
    /// This connection preference is orthogonal to isolation established by
703
    /// [`TorClient::isolated_client`].  Connections made with an `isolated_client` (and its
704
    /// clones) will not share circuits with the original client, even if the same
705
    /// `isolation` is specified via the `ConnectionPrefs` in force.
706
2
    pub fn new_isolation_group(&mut self) -> &mut Self {
707
2
        self.isolation = StreamIsolationPreference::Explicit(Box::new(IsolationToken::new()));
708
2
        self
709
2
    }
710

            
711
    /// Indicate which other connections might use the same circuit
712
    /// as this one.
713
    ///
714
    /// By default all connections made on all clones of a `TorClient` may share connections.
715
    /// Connections made with a particular `isolation` may share circuits with each other.
716
    ///
717
    /// This connection preference is orthogonal to isolation established by
718
    /// [`TorClient::isolated_client`].  Connections made with an `isolated_client` (and its
719
    /// clones) will not share circuits with the original client, even if the same
720
    /// `isolation` is specified via the `ConnectionPrefs` in force.
721
2
    pub fn set_isolation<T>(&mut self, isolation: T) -> &mut Self
722
2
    where
723
2
        T: Into<Box<dyn Isolation>>,
724
2
    {
725
2
        self.isolation = StreamIsolationPreference::Explicit(isolation.into());
726
2
        self
727
2
    }
728

            
729
    /// Indicate that no connection should share a circuit with any other.
730
    ///
731
    /// **Use with care:** This is likely to have poor performance, and imposes a much greater load
732
    /// on the Tor network.  Use this option only to make small numbers of connections each of
733
    /// which needs to be isolated from all other connections.
734
    ///
735
    /// (Don't just use this as a "get more privacy!!" method: the circuits
736
    /// that it put connections on will have no more privacy than any other
737
    /// circuits.  The only benefit is that these circuits will not be shared
738
    /// by multiple streams.)
739
    ///
740
    /// This can be undone by calling `set_isolation` or `new_isolation_group` on these
741
    /// preferences.
742
2
    pub fn isolate_every_stream(&mut self) -> &mut Self {
743
2
        self.isolation = StreamIsolationPreference::EveryStream;
744
2
        self
745
2
    }
746

            
747
    /// Return an [`Isolation`] which separates according to these `StreamPrefs` (only)
748
    ///
749
    /// This describes which connections or operations might use
750
    /// the same circuit(s) as this one.
751
    ///
752
    /// Since this doesn't have access to the `TorClient`,
753
    /// it doesn't separate streams which ought to be separated because of
754
    /// the way their `TorClient`s are isolated.
755
    /// For that, use [`TorClient::isolation`].
756
    fn prefs_isolation(&self) -> Option<Box<dyn Isolation>> {
757
        use StreamIsolationPreference as SIP;
758
        match self.isolation {
759
            SIP::None => None,
760
            SIP::Explicit(ref ig) => Some(ig.clone()),
761
            SIP::EveryStream => Some(Box::new(IsolationToken::new())),
762
        }
763
    }
764

            
765
    // TODO: Add some way to be IPFlexible, and require exit to support both.
766
}
767

            
768
#[cfg(all(
769
    any(feature = "native-tls", feature = "rustls"),
770
    any(feature = "async-std", feature = "tokio")
771
))]
772
impl TorClient<PreferredRuntime> {
773
    /// Bootstrap a connection to the Tor network, using the provided `config`.
774
    ///
775
    /// Returns a client once there is enough directory material to
776
    /// connect safely over the Tor network.
777
    ///
778
    /// Consider using [`TorClient::builder`] for more fine-grained control.
779
    ///
780
    /// # Panics
781
    ///
782
    /// If Tokio is being used (the default), panics if created outside the context of a currently
783
    /// running Tokio runtime. See the documentation for [`PreferredRuntime::current`] for
784
    /// more information.
785
    ///
786
    /// If using `async-std`, either take care to ensure Arti is not compiled with Tokio support,
787
    /// or manually create an `async-std` runtime using [`tor_rtcompat`] and use it with
788
    /// [`TorClient::with_runtime`].
789
    ///
790
    /// # Do not fork
791
    ///
792
    /// The process [**may not fork**](tor_rtcompat#do-not-fork)
793
    /// (except, very carefully, before exec)
794
    /// after calling this function, because it creates a [`PreferredRuntime`].
795
    pub async fn create_bootstrapped(config: TorClientConfig) -> crate::Result<Self> {
796
        let runtime = PreferredRuntime::current()
797
            .expect("TorClient could not get an asynchronous runtime; are you running in the right context?");
798

            
799
        Self::with_runtime(runtime)
800
            .config(config)
801
            .create_bootstrapped()
802
            .await
803
    }
804

            
805
    /// Return a new builder for creating TorClient objects.
806
    ///
807
    /// If you want to make a [`TorClient`] synchronously, this is what you want; call
808
    /// `TorClientBuilder::create_unbootstrapped` on the returned builder.
809
    ///
810
    /// # Panics
811
    ///
812
    /// If Tokio is being used (the default), panics if created outside the context of a currently
813
    /// running Tokio runtime. See the documentation for `tokio::runtime::Handle::current` for
814
    /// more information.
815
    ///
816
    /// If using `async-std`, either take care to ensure Arti is not compiled with Tokio support,
817
    /// or manually create an `async-std` runtime using [`tor_rtcompat`] and use it with
818
    /// [`TorClient::with_runtime`].
819
    ///
820
    /// # Do not fork
821
    ///
822
    /// The process [**may not fork**](tor_rtcompat#do-not-fork)
823
    /// (except, very carefully, before exec)
824
    /// after calling this function, because it creates a [`PreferredRuntime`].
825
    pub fn builder() -> TorClientBuilder<PreferredRuntime> {
826
        let runtime = PreferredRuntime::current()
827
            .expect("TorClient could not get an asynchronous runtime; are you running in the right context?");
828

            
829
        TorClientBuilder::new(runtime)
830
    }
831
}
832

            
833
impl<R: Runtime> TorClient<R> {
834
    /// Return a new builder for creating TorClient objects, with a custom provided [`Runtime`].
835
    ///
836
    /// See the [`tor_rtcompat`] crate for more information on custom runtimes.
837
44
    pub fn with_runtime(runtime: R) -> TorClientBuilder<R> {
838
44
        TorClientBuilder::new(runtime)
839
44
    }
840

            
841
    /// Implementation of `create_unbootstrapped`, split out in order to avoid manually specifying
842
    /// double error conversions.
843
8
    pub(crate) fn create_inner(
844
8
        runtime: R,
845
8
        config: &TorClientConfig,
846
8
        autobootstrap: BootstrapBehavior,
847
8
        dirmgr_builder: &dyn crate::builder::DirProviderBuilder<R>,
848
8
        dirmgr_extensions: tor_dirmgr::config::DirMgrExtensions,
849
8
    ) -> StdResult<Self, ErrorDetail> {
850
8
        if crate::util::running_as_setuid() {
851
            return Err(tor_error::bad_api_usage!(
852
                "Arti does not support running in a setuid or setgid context."
853
            )
854
            .into());
855
8
        }
856

            
857
8
        let memquota = MemoryQuotaTracker::new(&runtime, config.system.memory.clone())?;
858

            
859
8
        let path_resolver = Arc::new(config.path_resolver.clone());
860

            
861
8
        let (state_dir, mistrust) = config.state_dir()?;
862
        #[cfg(feature = "onion-service-service")]
863
8
        let state_directory =
864
8
            StateDirectory::new(&state_dir, mistrust).map_err(ErrorDetail::StateAccess)?;
865

            
866
8
        let dormant = DormantMode::Normal;
867
8
        let dir_cfg = {
868
8
            let mut c: tor_dirmgr::DirMgrConfig = config.dir_mgr_config()?;
869
8
            c.extensions = dirmgr_extensions;
870
8
            c
871
        };
872
8
        let statemgr = FsStateMgr::from_path_and_mistrust(&state_dir, mistrust)
873
8
            .map_err(ErrorDetail::StateMgrSetup)?;
874
        // Try to take state ownership early, so we'll know if we have it.
875
        // (At this point we don't yet care if we have it.)
876
8
        let _ignore_status = statemgr.try_lock().map_err(ErrorDetail::StateMgrSetup)?;
877

            
878
8
        let addr_cfg = config.address_filter.clone();
879
8

            
880
8
        let (status_sender, status_receiver) = postage::watch::channel();
881
8
        let status_receiver = status::BootstrapEvents {
882
8
            inner: status_receiver,
883
8
        };
884
8
        let chanmgr = Arc::new(tor_chanmgr::ChanMgr::new(
885
8
            runtime.clone(),
886
8
            &config.channel,
887
8
            dormant.into(),
888
8
            &NetParameters::from_map(&config.override_net_params),
889
8
            memquota.clone(),
890
8
        ));
891
8
        let guardmgr = tor_guardmgr::GuardMgr::new(runtime.clone(), statemgr.clone(), config)
892
8
            .map_err(ErrorDetail::GuardMgrSetup)?;
893

            
894
        #[cfg(feature = "pt-client")]
895
8
        let pt_mgr = {
896
8
            let pt_state_dir = state_dir.as_path().join("pt_state");
897
8
            config.storage.permissions().make_directory(&pt_state_dir)?;
898

            
899
8
            let mgr = Arc::new(tor_ptmgr::PtMgr::new(
900
8
                config.bridges.transports.clone(),
901
8
                pt_state_dir,
902
8
                Arc::clone(&path_resolver),
903
8
                runtime.clone(),
904
8
            )?);
905

            
906
8
            chanmgr.set_pt_mgr(mgr.clone());
907
8

            
908
8
            mgr
909
        };
910

            
911
8
        let circmgr = Arc::new(
912
8
            tor_circmgr::CircMgr::new(
913
8
                config,
914
8
                statemgr.clone(),
915
8
                &runtime,
916
8
                Arc::clone(&chanmgr),
917
8
                &guardmgr,
918
8
            )
919
8
            .map_err(ErrorDetail::CircMgrSetup)?,
920
        );
921

            
922
8
        let timeout_cfg = config.stream_timeouts.clone();
923

            
924
8
        let dirmgr_store =
925
8
            DirMgrStore::new(&dir_cfg, runtime.clone(), false).map_err(ErrorDetail::DirMgrSetup)?;
926
8
        let dirmgr = dirmgr_builder
927
8
            .build(
928
8
                runtime.clone(),
929
8
                dirmgr_store.clone(),
930
8
                Arc::clone(&circmgr),
931
8
                dir_cfg,
932
8
            )
933
8
            .map_err(crate::Error::into_detail)?;
934

            
935
8
        let software_status_cfg = Arc::new(MutCfg::new(config.use_obsolete_software.clone()));
936
8
        let rtclone = runtime.clone();
937
8
        #[allow(clippy::print_stderr)]
938
8
        crate::protostatus::enforce_protocol_recommendations(
939
8
            &runtime,
940
8
            Arc::clone(&dirmgr),
941
8
            crate::software_release_date(),
942
8
            crate::supported_protocols(),
943
8
            Arc::clone(&software_status_cfg),
944
8
            // TODO #1932: It would be nice to have a cleaner shutdown mechanism here,
945
8
            // but that will take some work.
946
8
            |fatal| async move {
947
                use tor_error::ErrorReport as _;
948
                // We already logged this error, but let's tell stderr too.
949
                eprintln!(
950
                    "Shutting down because of unsupported software version.\nError was:\n{}",
951
                    fatal.report(),
952
                );
953
                if let Some(hint) = crate::err::Error::from(fatal).hint() {
954
                    eprintln!("{}", hint);
955
                }
956
                // Give the tracing module a while to flush everything, since it has no built-in
957
                // flush function.
958
                rtclone.sleep(std::time::Duration::new(5, 0)).await;
959
                std::process::exit(1);
960
8
            },
961
8
        )?;
962

            
963
8
        let mut periodic_task_handles = circmgr
964
8
            .launch_background_tasks(&runtime, &dirmgr, statemgr.clone())
965
8
            .map_err(ErrorDetail::CircMgrSetup)?;
966
8
        periodic_task_handles.extend(dirmgr.download_task_handle());
967
8

            
968
8
        periodic_task_handles.extend(
969
8
            chanmgr
970
8
                .launch_background_tasks(&runtime, dirmgr.clone().upcast_arc())
971
8
                .map_err(ErrorDetail::ChanMgrSetup)?,
972
        );
973

            
974
8
        let (dormant_send, dormant_recv) = postage::watch::channel_with(Some(dormant));
975
8
        let dormant_send = DropNotifyWatchSender::new(dormant_send);
976
8
        #[cfg(feature = "bridge-client")]
977
8
        let bridge_desc_mgr = Arc::new(Mutex::new(None));
978

            
979
        #[cfg(any(feature = "onion-service-client", feature = "onion-service-service"))]
980
8
        let hs_circ_pool = {
981
8
            let circpool = Arc::new(tor_circmgr::hspool::HsCircPool::new(&circmgr));
982
8
            circpool
983
8
                .launch_background_tasks(&runtime, &dirmgr.clone().upcast_arc())
984
8
                .map_err(ErrorDetail::CircMgrSetup)?;
985
8
            circpool
986
        };
987

            
988
        #[cfg(feature = "onion-service-client")]
989
8
        let hsclient = {
990
            // Prompt the hs connector to do its data housekeeping when we get a new consensus.
991
            // That's a time we're doing a bunch of thinking anyway, and it's not very frequent.
992
8
            let housekeeping = dirmgr.events().filter_map(|event| async move {
993
                match event {
994
                    DirEvent::NewConsensus => Some(()),
995
                    _ => None,
996
                }
997
8
            });
998
8
            let housekeeping = Box::pin(housekeeping);
999
8

            
8
            HsClientConnector::new(runtime.clone(), hs_circ_pool.clone(), config, housekeeping)?
        };
8
        runtime
8
            .spawn(tasks_monitor_dormant(
8
                dormant_recv,
8
                dirmgr.clone().upcast_arc(),
8
                chanmgr.clone(),
8
                #[cfg(feature = "bridge-client")]
8
                bridge_desc_mgr.clone(),
8
                periodic_task_handles,
8
            ))
8
            .map_err(|e| ErrorDetail::from_spawn("periodic task dormant monitor", e))?;
8
        let conn_status = chanmgr.bootstrap_events();
8
        let dir_status = dirmgr.bootstrap_events();
8
        let skew_status = circmgr.skew_events();
8
        runtime
8
            .spawn(status::report_status(
8
                status_sender,
8
                conn_status,
8
                dir_status,
8
                skew_status,
8
            ))
8
            .map_err(|e| ErrorDetail::from_spawn("top-level status reporter", e))?;
8
        let client_isolation = IsolationToken::new();
8
        let inert_client = InertTorClient::new(config)?;
8
        Ok(TorClient {
8
            runtime,
8
            client_isolation,
8
            connect_prefs: Default::default(),
8
            memquota,
8
            chanmgr,
8
            circmgr,
8
            dirmgr_store,
8
            dirmgr,
8
            #[cfg(feature = "bridge-client")]
8
            bridge_desc_mgr,
8
            #[cfg(feature = "pt-client")]
8
            pt_mgr,
8
            #[cfg(feature = "onion-service-client")]
8
            hsclient,
8
            #[cfg(any(feature = "onion-service-client", feature = "onion-service-service"))]
8
            hs_circ_pool,
8
            inert_client,
8
            guardmgr,
8
            statemgr,
8
            addrcfg: Arc::new(addr_cfg.into()),
8
            timeoutcfg: Arc::new(timeout_cfg.into()),
8
            reconfigure_lock: Arc::new(Mutex::new(())),
8
            status_receiver,
8
            bootstrap_in_progress: Arc::new(AsyncMutex::new(())),
8
            should_bootstrap: autobootstrap,
8
            dormant: Arc::new(Mutex::new(dormant_send)),
8
            #[cfg(feature = "onion-service-service")]
8
            state_directory,
8
            path_resolver,
8
            software_status_cfg,
8
        })
8
    }
    /// Bootstrap a connection to the Tor network, with a client created by `create_unbootstrapped`.
    ///
    /// Since cloned copies of a `TorClient` share internal state, you can bootstrap a client by
    /// cloning it and running this function in a background task (or similar). This function
    /// only needs to be called on one client in order to bootstrap all of its clones.
    ///
    /// Returns once there is enough directory material to connect safely over the Tor network.
    /// If the client or one of its clones has already been bootstrapped, returns immediately with
    /// success. If a bootstrap is in progress, waits for it to finish, then retries it if it
    /// failed (returning success if it succeeded).
    ///
    /// Bootstrap progress can be tracked by listening to the event receiver returned by
    /// [`bootstrap_events`](TorClient::bootstrap_events).
    ///
    /// # Failures
    ///
    /// If the bootstrapping process fails, returns an error. This function can safely be called
    /// again later to attempt to bootstrap another time.
    pub async fn bootstrap(&self) -> crate::Result<()> {
        self.bootstrap_inner().await.map_err(ErrorDetail::into)
    }
    /// Implementation of `bootstrap`, split out in order to avoid manually specifying
    /// double error conversions.
    async fn bootstrap_inner(&self) -> StdResult<(), ErrorDetail> {
        // Make sure we have a bridge descriptor manager, which is active iff required
        #[cfg(feature = "bridge-client")]
        {
            let mut dormant = self.dormant.lock().expect("dormant lock poisoned");
            let dormant = dormant.borrow();
            let dormant = dormant.ok_or_else(|| internal!("dormant dropped"))?.into();
            let mut bdm = self.bridge_desc_mgr.lock().expect("bdm lock poisoned");
            if bdm.is_none() {
                let new_bdm = Arc::new(BridgeDescMgr::new(
                    &Default::default(),
                    self.runtime.clone(),
                    self.dirmgr_store.clone(),
                    self.circmgr.clone(),
                    dormant,
                )?);
                self.guardmgr
                    .install_bridge_desc_provider(&(new_bdm.clone() as _))
                    .map_err(ErrorDetail::GuardMgrSetup)?;
                // If ^ that fails, we drop the BridgeDescMgr again.  It may do some
                // work but will hopefully eventually quit.
                *bdm = Some(new_bdm);
            }
        }
        // Wait for an existing bootstrap attempt to finish first.
        //
        // This is a futures::lock::Mutex, so it's okay to await while we hold it.
        let _bootstrap_lock = self.bootstrap_in_progress.lock().await;
        if self
            .statemgr
            .try_lock()
            .map_err(ErrorDetail::StateAccess)?
            .held()
        {
            debug!("It appears we have the lock on our state files.");
        } else {
            info!(
                "Another process has the lock on our state files. We'll proceed in read-only mode."
            );
        }
        // If we fail to bootstrap (i.e. we return before the disarm() point below), attempt to
        // unlock the state files.
        let unlock_guard = util::StateMgrUnlockGuard::new(&self.statemgr);
        self.dirmgr
            .bootstrap()
            .await
            .map_err(ErrorDetail::DirMgrBootstrap)?;
        // Since we succeeded, disarm the unlock guard.
        unlock_guard.disarm();
        Ok(())
    }
    /// ## For `BootstrapBehavior::OnDemand` clients
    ///
    /// Initiate a bootstrap by calling `bootstrap` (which is idempotent, so attempts to
    /// bootstrap twice will just do nothing).
    ///
    /// ## For `BootstrapBehavior::Manual` clients
    ///
    /// Check whether a bootstrap is in progress; if one is, wait until it finishes
    /// and then return. (Otherwise, return immediately.)
2
    async fn wait_for_bootstrap(&self) -> StdResult<(), ErrorDetail> {
2
        match self.should_bootstrap {
            BootstrapBehavior::OnDemand => {
                self.bootstrap_inner().await?;
            }
            BootstrapBehavior::Manual => {
                // Grab the lock, and immediately release it.  That will ensure that nobody else is trying to bootstrap.
2
                self.bootstrap_in_progress.lock().await;
            }
        }
2
        self.dormant
2
            .lock()
2
            .map_err(|_| internal!("dormant poisoned"))?
2
            .try_maybe_send(|dormant| {
2
                Ok::<_, Bug>(Some({
2
                    match dormant.ok_or_else(|| internal!("dormant dropped"))? {
                        DormantMode::Soft => DormantMode::Normal,
2
                        other @ DormantMode::Normal => other,
                    }
                }))
2
            })?;
2
        Ok(())
2
    }
    /// Change the configuration of this TorClient to `new_config`.
    ///
    /// The `how` describes whether to perform an all-or-nothing
    /// reconfiguration: either all of the configuration changes will be
    /// applied, or none will. If you have disabled all-or-nothing changes, then
    /// only fatal errors will be reported in this function's return value.
    ///
    /// This function applies its changes to **all** TorClient instances derived
    /// from the same call to `TorClient::create_*`: even ones whose circuits
    /// are isolated from this handle.
    ///
    /// # Limitations
    ///
    /// Although most options are reconfigurable, there are some whose values
    /// can't be changed on an a running TorClient.  Those options (or their
    /// sections) are explicitly documented not to be changeable.
    /// NOTE: Currently, not all of these non-reconfigurable options are
    /// documented. See [arti#1721][arti-1721].
    ///
    /// [arti-1721]: https://gitlab.torproject.org/tpo/core/arti/-/issues/1721
    ///
    /// Changing some options do not take effect immediately on all open streams
    /// and circuits, but rather affect only future streams and circuits.  Those
    /// are also explicitly documented.
2
    pub fn reconfigure(
2
        &self,
2
        new_config: &TorClientConfig,
2
        how: tor_config::Reconfigure,
2
    ) -> crate::Result<()> {
2
        // We need to hold this lock while we're reconfiguring the client: even
2
        // though the individual fields have their own synchronization, we can't
2
        // safely let two threads change them at once.  If we did, then we'd
2
        // introduce time-of-check/time-of-use bugs in checking our configuration,
2
        // deciding how to change it, then applying the changes.
2
        let guard = self.reconfigure_lock.lock().expect("Poisoned lock");
2

            
2
        match how {
            tor_config::Reconfigure::AllOrNothing => {
                // We have to check before we make any changes.
2
                self.reconfigure_inner(
2
                    new_config,
2
                    tor_config::Reconfigure::CheckAllOrNothing,
2
                    &guard,
2
                )?;
            }
            tor_config::Reconfigure::CheckAllOrNothing => {}
            tor_config::Reconfigure::WarnOnFailures => {}
            _ => {}
        }
        // Actually reconfigure
2
        self.reconfigure_inner(new_config, how, &guard)?;
2
        Ok(())
2
    }
    /// This is split out from `reconfigure` so we can do the all-or-nothing
    /// check without recursion. the caller to this method must hold the
    /// `reconfigure_lock`.
4
    fn reconfigure_inner(
4
        &self,
4
        new_config: &TorClientConfig,
4
        how: tor_config::Reconfigure,
4
        _reconfigure_lock_guard: &std::sync::MutexGuard<'_, ()>,
4
    ) -> crate::Result<()> {
        // We ignore 'new_config.path_resolver' here since CfgPathResolver does not impl PartialEq
        // and we have no way to compare them, but this field is explicitly documented as being
        // non-reconfigurable anyways.
4
        let dir_cfg = new_config.dir_mgr_config().map_err(wrap_err)?;
4
        let state_cfg = new_config
4
            .storage
4
            .expand_state_dir(&self.path_resolver)
4
            .map_err(wrap_err)?;
4
        let addr_cfg = &new_config.address_filter;
4
        let timeout_cfg = &new_config.stream_timeouts;
4

            
4
        if state_cfg != self.statemgr.path() {
            how.cannot_change("storage.state_dir").map_err(wrap_err)?;
4
        }
4
        self.memquota
4
            .reconfigure(new_config.system.memory.clone(), how)
4
            .map_err(wrap_err)?;
4
        let retire_circuits = self
4
            .circmgr
4
            .reconfigure(new_config, how)
4
            .map_err(wrap_err)?;
        #[cfg(any(feature = "onion-service-client", feature = "onion-service-service"))]
4
        if retire_circuits != RetireCircuits::None {
            self.hs_circ_pool.retire_all_circuits().map_err(wrap_err)?;
4
        }
4
        self.dirmgr.reconfigure(&dir_cfg, how).map_err(wrap_err)?;
4
        let netparams = self.dirmgr.params();
4

            
4
        self.chanmgr
4
            .reconfigure(&new_config.channel, how, netparams)
4
            .map_err(wrap_err)?;
        #[cfg(feature = "pt-client")]
4
        self.pt_mgr
4
            .reconfigure(how, new_config.bridges.transports.clone())
4
            .map_err(wrap_err)?;
4
        if how == tor_config::Reconfigure::CheckAllOrNothing {
2
            return Ok(());
2
        }
2

            
2
        self.addrcfg.replace(addr_cfg.clone());
2
        self.timeoutcfg.replace(timeout_cfg.clone());
2
        self.software_status_cfg
2
            .replace(new_config.use_obsolete_software.clone());
2

            
2
        Ok(())
4
    }
    /// Return a new isolated `TorClient` handle.
    ///
    /// The two `TorClient`s will share internal state and configuration, but
    /// their streams will never share circuits with one another.
    ///
    /// Use this function when you want separate parts of your program to
    /// each have a TorClient handle, but where you don't want their
    /// activities to be linkable to one another over the Tor network.
    ///
    /// Calling this function is usually preferable to creating a
    /// completely separate TorClient instance, since it can share its
    /// internals with the existing `TorClient`.
    ///
    /// (Connections made with clones of the returned `TorClient` may
    /// share circuits with each other.)
    #[must_use]
2
    pub fn isolated_client(&self) -> TorClient<R> {
2
        let mut result = self.clone();
2
        result.client_isolation = IsolationToken::new();
2
        result
2
    }
    /// Launch an anonymized connection to the provided address and port over
    /// the Tor network.
    ///
    /// Note that because Tor prefers to do DNS resolution on the remote side of
    /// the network, this function takes its address as a string:
    ///
    /// ```no_run
    /// # use arti_client::*;use tor_rtcompat::Runtime;
    /// # async fn ex<R:Runtime>(tor_client: TorClient<R>) -> Result<()> {
    /// // The most usual way to connect is via an address-port tuple.
    /// let socket = tor_client.connect(("www.example.com", 443)).await?;
    ///
    /// // You can also specify an address and port as a colon-separated string.
    /// let socket = tor_client.connect("www.example.com:443").await?;
    /// # Ok(())
    /// # }
    /// ```
    ///
    /// Hostnames are _strongly_ preferred here: if this function allowed the
    /// caller here to provide an IPAddr or [`IpAddr`] or
    /// [`SocketAddr`](std::net::SocketAddr) address, then
    ///
    /// ```no_run
    /// # use arti_client::*; use tor_rtcompat::Runtime;
    /// # async fn ex<R:Runtime>(tor_client: TorClient<R>) -> Result<()> {
    /// # use std::net::ToSocketAddrs;
    /// // BAD: We're about to leak our target address to the local resolver!
    /// let address = "www.example.com:443".to_socket_addrs().unwrap().next().unwrap();
    /// // 🤯 Oh no! Now any eavesdropper can tell where we're about to connect! 🤯
    ///
    /// // Fortunately, this won't compile, since SocketAddr doesn't implement IntoTorAddr.
    /// // let socket = tor_client.connect(address).await?;
    /// //                                 ^^^^^^^ the trait `IntoTorAddr` is not implemented for `std::net::SocketAddr`
    /// # Ok(())
    /// # }
    /// ```
    ///
    /// If you really do need to connect to an IP address rather than a
    /// hostname, and if you're **sure** that the IP address came from a safe
    /// location, there are a few ways to do so.
    ///
    /// ```no_run
    /// # use arti_client::{TorClient,Result};use tor_rtcompat::Runtime;
    /// # use std::net::{SocketAddr,IpAddr};
    /// # async fn ex<R:Runtime>(tor_client: TorClient<R>) -> Result<()> {
    /// # use std::net::ToSocketAddrs;
    /// // ⚠️This is risky code!⚠️
    /// // (Make sure your addresses came from somewhere safe...)
    ///
    /// // If we have a fixed address, we can just provide it as a string.
    /// let socket = tor_client.connect("192.0.2.22:443").await?;
    /// let socket = tor_client.connect(("192.0.2.22", 443)).await?;
    ///
    /// // If we have a SocketAddr or an IpAddr, we can use the
    /// // DangerouslyIntoTorAddr trait.
    /// use arti_client::DangerouslyIntoTorAddr;
    /// let sockaddr = SocketAddr::from(([192, 0, 2, 22], 443));
    /// let ipaddr = IpAddr::from([192, 0, 2, 22]);
    /// let socket = tor_client.connect(sockaddr.into_tor_addr_dangerously().unwrap()).await?;
    /// let socket = tor_client.connect((ipaddr, 443).into_tor_addr_dangerously().unwrap()).await?;
    /// # Ok(())
    /// # }
    /// ```
2
    pub async fn connect<A: IntoTorAddr>(&self, target: A) -> crate::Result<DataStream> {
2
        self.connect_with_prefs(target, &self.connect_prefs).await
2
    }
    /// Launch an anonymized connection to the provided address and
    /// port over the Tor network, with explicit connection preferences.
    ///
    /// Note that because Tor prefers to do DNS resolution on the remote
    /// side of the network, this function takes its address as a string.
    /// (See [`TorClient::connect()`] for more information.)
2
    pub async fn connect_with_prefs<A: IntoTorAddr>(
2
        &self,
2
        target: A,
2
        prefs: &StreamPrefs,
2
    ) -> crate::Result<DataStream> {
2
        let addr = target.into_tor_addr().map_err(wrap_err)?;
2
        let mut stream_parameters = prefs.stream_parameters();
2
        let (circ, addr, port) = match addr.into_stream_instructions(&self.addrcfg.get(), prefs)? {
            StreamInstructions::Exit {
2
                hostname: addr,
2
                port,
2
            } => {
2
                let exit_ports = [prefs.wrap_target_port(port)];
2
                let circ = self
2
                    .get_or_launch_exit_circ(&exit_ports, prefs)
2
                    .await
2
                    .map_err(wrap_err)?;
                debug!("Got a circuit for {}:{}", sensitive(&addr), port);
                (circ, addr, port)
            }
            #[cfg(not(feature = "onion-service-client"))]
            #[allow(unused_variables)] // for hostname and port
            StreamInstructions::Hs {
                hsid,
                hostname,
                port,
            } => void::unreachable(hsid.0),
            #[cfg(feature = "onion-service-client")]
            StreamInstructions::Hs {
                hsid,
                hostname,
                port,
            } => {
                self.wait_for_bootstrap().await?;
                let netdir = self.netdir(Timeliness::Timely, "connect to a hidden service")?;
                let mut hs_client_secret_keys_builder = HsClientSecretKeysBuilder::default();
                if let Some(keymgr) = &self.inert_client.keymgr {
                    let desc_enc_key_spec = HsClientDescEncKeypairSpecifier::new(hsid);
                    let ks_hsc_desc_enc =
                        keymgr.get::<HsClientDescEncKeypair>(&desc_enc_key_spec)?;
                    if let Some(ks_hsc_desc_enc) = ks_hsc_desc_enc {
                        debug!("Found descriptor decryption key for {hsid}");
                        hs_client_secret_keys_builder.ks_hsc_desc_enc(ks_hsc_desc_enc);
                    }
                };
                let hs_client_secret_keys = hs_client_secret_keys_builder
                    .build()
                    .map_err(ErrorDetail::Configuration)?;
                let circ = self
                    .hsclient
                    .get_or_launch_circuit(
                        &netdir,
                        hsid,
                        hs_client_secret_keys,
                        self.isolation(prefs),
                    )
                    .await
                    .map_err(|cause| ErrorDetail::ObtainHsCircuit {
                        cause,
                        hsid: hsid.into(),
                    })?;
                // On connections to onion services, we have to suppress
                // everything except the port from the BEGIN message.  We also
                // disable optimistic data.
                stream_parameters
                    .suppress_hostname()
                    .suppress_begin_flags()
                    .optimistic(false);
                (circ, hostname, port)
            }
        };
        let stream_future = circ.begin_stream(&addr, port, Some(stream_parameters));
        // This timeout is needless but harmless for optimistic streams.
        let stream = self
            .runtime
            .timeout(self.timeoutcfg.get().connect_timeout, stream_future)
            .await
            .map_err(|_| ErrorDetail::ExitTimeout)?
            .map_err(|cause| ErrorDetail::StreamFailed {
                cause,
                kind: "data",
            })?;
        Ok(stream)
2
    }
    /// Sets the default preferences for future connections made with this client.
    ///
    /// The preferences set with this function will be inherited by clones of this client, but
    /// updates to the preferences in those clones will not propagate back to the original.  I.e.,
    /// the preferences are copied by `clone`.
    ///
    /// Connection preferences always override configuration, even configuration set later
    /// (eg, by a config reload).
    pub fn set_stream_prefs(&mut self, connect_prefs: StreamPrefs) {
        self.connect_prefs = connect_prefs;
    }
    /// Provides a new handle on this client, but with adjusted default preferences.
    ///
    /// Connections made with e.g. [`connect`](TorClient::connect) on the returned handle will use
    /// `connect_prefs`.  This is a convenience wrapper for `clone` and `set_connect_prefs`.
    #[must_use]
    pub fn clone_with_prefs(&self, connect_prefs: StreamPrefs) -> Self {
        let mut result = self.clone();
        result.set_stream_prefs(connect_prefs);
        result
    }
    /// On success, return a list of IP addresses.
    pub async fn resolve(&self, hostname: &str) -> crate::Result<Vec<IpAddr>> {
        self.resolve_with_prefs(hostname, &self.connect_prefs).await
    }
    /// On success, return a list of IP addresses, but use prefs.
    pub async fn resolve_with_prefs(
        &self,
        hostname: &str,
        prefs: &StreamPrefs,
    ) -> crate::Result<Vec<IpAddr>> {
        // TODO This dummy port is only because `address::Host` is not pub(crate),
        // but I see no reason why it shouldn't be?  Then `into_resolve_instructions`
        // should be a method on `Host`, not `TorAddr`.  -Diziet.
        let addr = (hostname, 1).into_tor_addr().map_err(wrap_err)?;
        match addr.into_resolve_instructions(&self.addrcfg.get(), prefs)? {
            ResolveInstructions::Exit(hostname) => {
                let circ = self.get_or_launch_exit_circ(&[], prefs).await?;
                let resolve_future = circ.resolve(&hostname);
                let addrs = self
                    .runtime
                    .timeout(self.timeoutcfg.get().resolve_timeout, resolve_future)
                    .await
                    .map_err(|_| ErrorDetail::ExitTimeout)?
                    .map_err(|cause| ErrorDetail::StreamFailed {
                        cause,
                        kind: "DNS lookup",
                    })?;
                Ok(addrs)
            }
            ResolveInstructions::Return(addrs) => Ok(addrs),
        }
    }
    /// Perform a remote DNS reverse lookup with the provided IP address.
    ///
    /// On success, return a list of hostnames.
    pub async fn resolve_ptr(&self, addr: IpAddr) -> crate::Result<Vec<String>> {
        self.resolve_ptr_with_prefs(addr, &self.connect_prefs).await
    }
    /// Perform a remote DNS reverse lookup with the provided IP address.
    ///
    /// On success, return a list of hostnames.
    pub async fn resolve_ptr_with_prefs(
        &self,
        addr: IpAddr,
        prefs: &StreamPrefs,
    ) -> crate::Result<Vec<String>> {
        let circ = self.get_or_launch_exit_circ(&[], prefs).await?;
        let resolve_ptr_future = circ.resolve_ptr(addr);
        let hostnames = self
            .runtime
            .timeout(
                self.timeoutcfg.get().resolve_ptr_timeout,
                resolve_ptr_future,
            )
            .await
            .map_err(|_| ErrorDetail::ExitTimeout)?
            .map_err(|cause| ErrorDetail::StreamFailed {
                cause,
                kind: "reverse DNS lookup",
            })?;
        Ok(hostnames)
    }
    /// Return a reference to this client's directory manager.
    ///
    /// This function is unstable. It is only enabled if the crate was
    /// built with the `experimental-api` feature.
    #[cfg(feature = "experimental-api")]
    pub fn dirmgr(&self) -> &Arc<dyn tor_dirmgr::DirProvider> {
        &self.dirmgr
    }
    /// Return a reference to this client's circuit manager.
    ///
    /// This function is unstable. It is only enabled if the crate was
    /// built with the `experimental-api` feature.
    #[cfg(feature = "experimental-api")]
    pub fn circmgr(&self) -> &Arc<tor_circmgr::CircMgr<R>> {
        &self.circmgr
    }
    /// Return a reference to this client's channel manager.
    ///
    /// This function is unstable. It is only enabled if the crate was
    /// built with the `experimental-api` feature.
    #[cfg(feature = "experimental-api")]
    pub fn chanmgr(&self) -> &Arc<tor_chanmgr::ChanMgr<R>> {
        &self.chanmgr
    }
    /// Return a reference to this client's circuit pool.
    ///
    /// This function is unstable. It is only enabled if the crate was
    /// built with the `experimental-api` feature and any of `onion-service-client`
    /// or `onion-service-service` features. This method is required to invoke
    /// tor_hsservice::OnionService::launch()
    #[cfg(all(
        feature = "experimental-api",
        any(feature = "onion-service-client", feature = "onion-service-service")
    ))]
    pub fn hs_circ_pool(&self) -> &Arc<tor_circmgr::hspool::HsCircPool<R>> {
        &self.hs_circ_pool
    }
    /// Return a reference to the runtime being used by this client.
    //
    // This API is not a hostage to fortune since we already require that R: Clone,
    // and necessarily a TorClient must have a clone of it.
    //
    // We provide it simply to save callers who have a TorClient from
    // having to separately keep their own handle,
4
    pub fn runtime(&self) -> &R {
4
        &self.runtime
4
    }
    /// Return a netdir that is timely according to the rules of `timeliness`.
    ///
    /// The `action` string is a description of what we wanted to do with the
    /// directory, to be put into the error message if we couldn't find a directory.
2
    fn netdir(
2
        &self,
2
        timeliness: Timeliness,
2
        action: &'static str,
2
    ) -> StdResult<Arc<tor_netdir::NetDir>, ErrorDetail> {
        use tor_netdir::Error as E;
2
        match self.dirmgr.netdir(timeliness) {
            Ok(netdir) => Ok(netdir),
            Err(E::NoInfo) | Err(E::NotEnoughInfo) => {
2
                Err(ErrorDetail::BootstrapRequired { action })
            }
            Err(error) => Err(ErrorDetail::NoDir { error, action }),
        }
2
    }
    /// Get or launch an exit-suitable circuit with a given set of
    /// exit ports.
2
    async fn get_or_launch_exit_circ(
2
        &self,
2
        exit_ports: &[TargetPort],
2
        prefs: &StreamPrefs,
2
    ) -> StdResult<Arc<ClientCirc>, ErrorDetail> {
2
        // TODO HS probably this netdir ought to be made in connect_with_prefs
2
        // like for StreamInstructions::Hs.
2
        self.wait_for_bootstrap().await?;
2
        let dir = self.netdir(Timeliness::Timely, "build a circuit")?;
        let circ = self
            .circmgr
            .get_or_launch_exit(
                dir.as_ref().into(),
                exit_ports,
                self.isolation(prefs),
                #[cfg(feature = "geoip")]
                prefs.country_code,
            )
            .await
            .map_err(|cause| ErrorDetail::ObtainExitCircuit {
                cause,
                exit_ports: Sensitive::new(exit_ports.into()),
            })?;
        drop(dir); // This decreases the refcount on the netdir.
        Ok(circ)
2
    }
    /// Return an overall [`Isolation`] for this `TorClient` and a `StreamPrefs`.
    ///
    /// This describes which operations might use
    /// circuit(s) with this one.
    ///
    /// This combines isolation information from
    /// [`StreamPrefs::prefs_isolation`]
    /// and the `TorClient`'s isolation (eg from [`TorClient::isolated_client`]).
    fn isolation(&self, prefs: &StreamPrefs) -> StreamIsolation {
        let mut b = StreamIsolationBuilder::new();
        // Always consider our client_isolation.
        b.owner_token(self.client_isolation);
        // Consider stream isolation too, if it's set.
        if let Some(tok) = prefs.prefs_isolation() {
            b.stream_isolation(tok);
        }
        // Failure should be impossible with this builder.
        b.build().expect("Failed to construct StreamIsolation")
    }
    /// Try to launch an onion service with a given configuration.
    ///
    /// This onion service will not actually handle any requests on its own: you
    /// will need to
    /// pull [`RendRequest`](tor_hsservice::RendRequest) objects from the returned stream,
    /// [`accept`](tor_hsservice::RendRequest::accept) the ones that you want to
    /// answer, and then wait for them to give you [`StreamRequest`](tor_hsservice::StreamRequest)s.
    ///
    /// You may find the [`tor_hsservice::handle_rend_requests`] API helpful for
    /// translating `RendRequest`s into `StreamRequest`s.
    ///
    /// If you want to forward all the requests from an onion service to a set
    /// of local ports, you may want to use the `tor-hsrproxy` crate.
    #[cfg(feature = "onion-service-service")]
    pub fn launch_onion_service(
        &self,
        config: tor_hsservice::OnionServiceConfig,
    ) -> crate::Result<(
        Arc<tor_hsservice::RunningOnionService>,
        impl futures::Stream<Item = tor_hsservice::RendRequest>,
    )> {
        let keymgr = self
            .inert_client
            .keymgr
            .as_ref()
            .ok_or(ErrorDetail::KeystoreRequired {
                action: "launch onion service",
            })?
            .clone();
        let state_dir = self.state_directory.clone();
        let service = tor_hsservice::OnionService::builder()
            .config(config) // TODO #1186: Allow override of KeyMgr for "ephemeral" operation?
            .keymgr(keymgr)
            // TODO #1186: Allow override of StateMgr for "ephemeral" operation?
            .state_dir(state_dir)
            .build()
            .map_err(ErrorDetail::LaunchOnionService)?;
        let (service, stream) = service
            .launch(
                self.runtime.clone(),
                self.dirmgr.clone().upcast_arc(),
                self.hs_circ_pool.clone(),
                Arc::clone(&self.path_resolver),
            )
            .map_err(ErrorDetail::LaunchOnionService)?;
        Ok((service, stream))
    }
    /// Try to launch an onion service with a given configuration and provided
    /// [`HsIdKeypair`]. If an onion service with the given nickname already has an
    /// associated `HsIdKeypair`  in this `TorClient`'s `KeyMgr`, then this operation
    /// fails rather than overwriting the existing key.
    ///
    /// The specified `HsIdKeypair` will be inserted in the primary keystore.
    ///
    /// **Important**: depending on the configuration of your
    /// [primary keystore](tor_keymgr::config::PrimaryKeystoreConfig),
    /// the `HsIdKeypair` **may** get persisted to disk.
    /// By default, Arti's primary keystore is the [native](ArtiKeystoreKind::Native),
    /// disk-based keystore.
    ///
    /// This onion service will not actually handle any requests on its own: you
    /// will need to
    /// pull [`RendRequest`](tor_hsservice::RendRequest) objects from the returned stream,
    /// [`accept`](tor_hsservice::RendRequest::accept) the ones that you want to
    /// answer, and then wait for them to give you [`StreamRequest`](tor_hsservice::StreamRequest)s.
    ///
    /// You may find the [`tor_hsservice::handle_rend_requests`] API helpful for
    /// translating `RendRequest`s into `StreamRequest`s.
    ///
    /// If you want to forward all the requests from an onion service to a set
    /// of local ports, you may want to use the `tor-hsrproxy` crate.
    #[cfg(all(feature = "onion-service-service", feature = "experimental-api"))]
    pub fn launch_onion_service_with_hsid(
        &self,
        config: tor_hsservice::OnionServiceConfig,
        id_keypair: HsIdKeypair,
    ) -> crate::Result<(
        Arc<tor_hsservice::RunningOnionService>,
        impl futures::Stream<Item = tor_hsservice::RendRequest>,
    )> {
        let nickname = config.nickname();
        let hsid_spec = HsIdKeypairSpecifier::new(nickname.clone());
        let selector = KeystoreSelector::Primary;
        let _kp = self
            .inert_client
            .keymgr
            .as_ref()
            .ok_or(ErrorDetail::KeystoreRequired {
                action: "launch onion service ex",
            })?
            .insert::<HsIdKeypair>(id_keypair, &hsid_spec, selector, false)?;
        self.launch_onion_service(config)
    }
    /// Generate a service discovery keypair for connecting to a hidden service running in
    /// "restricted discovery" mode.
    ///
    /// The `selector` argument is used for choosing the keystore in which to generate the keypair.
    /// While most users will want to write to the [`Primary`](KeystoreSelector::Primary), if you
    /// have configured this `TorClient` with a non-default keystore and wish to generate the
    /// keypair in it, you can do so by calling this function with a [KeystoreSelector::Id]
    /// specifying the keystore ID of your keystore.
    ///
    // Note: the selector argument exists for future-proofing reasons. We don't currently support
    // configuring custom or non-default keystores (see #1106).
    ///
    /// Returns an error if the key already exists in the specified key store.
    ///
    /// Important: the public part of the generated keypair must be shared with the service, and
    /// the service needs to be configured to allow the owner of its private counterpart to
    /// discover its introduction points. The caller is responsible for sharing the public part of
    /// the key with the hidden service.
    ///
    /// This function does not require the `TorClient` to be running or bootstrapped.
    //
    // TODO: decide whether this should use get_or_generate before making it
    // non-experimental
    #[cfg(all(
        feature = "onion-service-client",
        feature = "experimental-api",
        feature = "keymgr"
    ))]
    #[cfg_attr(
        docsrs,
        doc(cfg(all(
            feature = "onion-service-client",
            feature = "experimental-api",
            feature = "keymgr"
        )))
    )]
    pub fn generate_service_discovery_key(
        &self,
        selector: KeystoreSelector,
        hsid: HsId,
    ) -> crate::Result<HsClientDescEncKey> {
        self.inert_client
            .generate_service_discovery_key(selector, hsid)
    }
    /// Rotate the service discovery keypair for connecting to a hidden service running in
    /// "restricted discovery" mode.
    ///
    /// **If the specified keystore already contains a restricted discovery keypair
    /// for the service, it will be overwritten.** Otherwise, a new keypair is generated.
    ///
    /// The `selector` argument is used for choosing the keystore in which to generate the keypair.
    /// While most users will want to write to the [`Primary`](KeystoreSelector::Primary), if you
    /// have configured this `TorClient` with a non-default keystore and wish to generate the
    /// keypair in it, you can do so by calling this function with a [KeystoreSelector::Id]
    /// specifying the keystore ID of your keystore.
    ///
    // Note: the selector argument exists for future-proofing reasons. We don't currently support
    // configuring custom or non-default keystores (see #1106).
    ///
    /// Important: the public part of the generated keypair must be shared with the service, and
    /// the service needs to be configured to allow the owner of its private counterpart to
    /// discover its introduction points. The caller is responsible for sharing the public part of
    /// the key with the hidden service.
    ///
    /// This function does not require the `TorClient` to be running or bootstrapped.
    #[cfg(all(
        feature = "onion-service-client",
        feature = "experimental-api",
        feature = "keymgr"
    ))]
    #[cfg_attr(
        docsrs,
        doc(cfg(all(
            feature = "onion-service-client",
            feature = "experimental-api",
            feature = "keymgr"
        )))
    )]
    pub fn rotate_service_discovery_key(
        &self,
        selector: KeystoreSelector,
        hsid: HsId,
    ) -> crate::Result<HsClientDescEncKey> {
        self.inert_client
            .rotate_service_discovery_key(selector, hsid)
    }
    /// Insert a service discovery secret key for connecting to a hidden service running in
    /// "restricted discovery" mode
    ///
    /// The `selector` argument is used for choosing the keystore in which to generate the keypair.
    /// While most users will want to write to the [`Primary`](KeystoreSelector::Primary), if you
    /// have configured this `TorClient` with a non-default keystore and wish to insert the
    /// key in it, you can do so by calling this function with a [KeystoreSelector::Id]
    ///
    // Note: the selector argument exists for future-proofing reasons. We don't currently support
    // configuring custom or non-default keystores (see #1106).
    ///
    /// Returns an error if the key already exists in the specified key store.
    ///
    /// Important: the public part of the generated keypair must be shared with the service, and
    /// the service needs to be configured to allow the owner of its private counterpart to
    /// discover its introduction points. The caller is responsible for sharing the public part of
    /// the key with the hidden service.
    ///
    /// This function does not require the `TorClient` to be running or bootstrapped.
    #[cfg(all(
        feature = "onion-service-client",
        feature = "experimental-api",
        feature = "keymgr"
    ))]
    #[cfg_attr(
        docsrs,
        doc(cfg(all(
            feature = "onion-service-client",
            feature = "experimental-api",
            feature = "keymgr"
        )))
    )]
    pub fn insert_service_discovery_key(
        &self,
        selector: KeystoreSelector,
        hsid: HsId,
        hs_client_desc_enc_secret_key: HsClientDescEncSecretKey,
    ) -> crate::Result<HsClientDescEncKey> {
        self.inert_client.insert_service_discovery_key(
            selector,
            hsid,
            hs_client_desc_enc_secret_key,
        )
    }
    /// Return the service discovery public key for the service with the specified `hsid`.
    ///
    /// Returns `Ok(None)` if no such key exists.
    ///
    /// This function does not require the `TorClient` to be running or bootstrapped.
    #[cfg(all(feature = "onion-service-client", feature = "experimental-api"))]
    #[cfg_attr(
        docsrs,
        doc(cfg(all(feature = "onion-service-client", feature = "experimental-api")))
    )]
    pub fn get_service_discovery_key(
        &self,
        hsid: HsId,
    ) -> crate::Result<Option<HsClientDescEncKey>> {
        self.inert_client.get_service_discovery_key(hsid)
    }
    /// Removes the service discovery keypair for the service with the specified `hsid`.
    ///
    /// Returns an error if the selected keystore is not the default keystore or one of the
    /// configured secondary stores.
    ///
    /// Returns `Ok(None)` if no such keypair exists whereas `Ok(Some()) means the keypair was successfully removed.
    ///
    /// Returns `Err` if an error occurred while trying to remove the key.
    #[cfg(all(
        feature = "onion-service-client",
        feature = "experimental-api",
        feature = "keymgr"
    ))]
    #[cfg_attr(
        docsrs,
        doc(cfg(all(
            feature = "onion-service-client",
            feature = "experimental-api",
            feature = "keymgr"
        )))
    )]
    pub fn remove_service_discovery_key(
        &self,
        selector: KeystoreSelector,
        hsid: HsId,
    ) -> crate::Result<Option<()>> {
        self.inert_client
            .remove_service_discovery_key(selector, hsid)
    }
    /// Create (but do not launch) a new
    /// [`OnionService`](tor_hsservice::OnionService)
    /// using the given configuration.
    ///
    /// The returned `OnionService` can be launched using
    /// [`OnionService::launch()`](tor_hsservice::OnionService::launch).
    #[cfg(feature = "onion-service-service")]
12
    pub fn create_onion_service(
12
        config: &TorClientConfig,
12
        svc_config: tor_hsservice::OnionServiceConfig,
12
    ) -> crate::Result<tor_hsservice::OnionService> {
12
        let inert_client = InertTorClient::new(config)?;
12
        let keymgr = inert_client.keymgr.ok_or(ErrorDetail::KeystoreRequired {
12
            action: "create onion service",
12
        })?;
12
        let (state_dir, mistrust) = config.state_dir()?;
12
        let state_dir =
12
            self::StateDirectory::new(state_dir, mistrust).map_err(ErrorDetail::StateAccess)?;
12
        Ok(tor_hsservice::OnionService::builder()
12
            .config(svc_config)
12
            .keymgr(keymgr)
12
            .state_dir(state_dir)
12
            .build()
12
            .map_err(ErrorDetail::OnionServiceSetup)?)
12
    }
    /// Return a current [`status::BootstrapStatus`] describing how close this client
    /// is to being ready for user traffic.
    pub fn bootstrap_status(&self) -> status::BootstrapStatus {
        self.status_receiver.inner.borrow().clone()
    }
    /// Return a stream of [`status::BootstrapStatus`] events that will be updated
    /// whenever the client's status changes.
    ///
    /// The receiver might not receive every update sent to this stream, though
    /// when it does poll the stream it should get the most recent one.
    //
    // TODO(nickm): will this also need to implement Send and 'static?
    pub fn bootstrap_events(&self) -> status::BootstrapEvents {
        self.status_receiver.clone()
    }
    /// Change the client's current dormant mode, putting background tasks to sleep
    /// or waking them up as appropriate.
    ///
    /// This can be used to conserve CPU usage if you aren't planning on using the
    /// client for a while, especially on mobile platforms.
    ///
    /// See the [`DormantMode`] documentation for more details.
    pub fn set_dormant(&self, mode: DormantMode) {
        *self
            .dormant
            .lock()
            .expect("dormant lock poisoned")
            .borrow_mut() = Some(mode);
    }
    /// Return a [`Future`](futures::Future) which resolves
    /// once this TorClient has stopped.
    #[cfg(feature = "experimental-api")]
    pub fn wait_for_stop(&self) -> impl futures::Future<Output = ()> + Send + Sync + 'static {
        // We defer to the "wait for unlock" handle on our statemgr.
        //
        // The statemgr won't actually be unlocked until it is finally
        // dropped, which will happen when this TorClient is
        // dropped—which is what we want.
        self.statemgr.wait_for_unlock()
    }
}
/// Monitor `dormant_mode` and enable/disable periodic tasks as applicable
///
/// This function is spawned as a task during client construction.
// TODO should this perhaps be done by each TaskHandle?
8
async fn tasks_monitor_dormant<R: Runtime>(
8
    mut dormant_rx: postage::watch::Receiver<Option<DormantMode>>,
8
    netdir: Arc<dyn NetDirProvider>,
8
    chanmgr: Arc<tor_chanmgr::ChanMgr<R>>,
8
    #[cfg(feature = "bridge-client")] bridge_desc_mgr: Arc<Mutex<Option<Arc<BridgeDescMgr<R>>>>>,
8
    periodic_task_handles: Vec<TaskHandle>,
8
) {
16
    while let Some(Some(mode)) = dormant_rx.next().await {
8
        let netparams = netdir.params();
8

            
8
        chanmgr
8
            .set_dormancy(mode.into(), netparams)
8
            .unwrap_or_else(|e| error_report!(e, "couldn't set dormancy"));
        // IEFI simplifies handling of exceptional cases, as "never mind, then".
        #[cfg(feature = "bridge-client")]
8
        (|| {
8
            let mut bdm = bridge_desc_mgr.lock().ok()?;
8
            let bdm = bdm.as_mut()?;
            bdm.set_dormancy(mode.into());
            Some(())
8
        })();
8
        let is_dormant = matches!(mode, DormantMode::Soft);
40
        for task in periodic_task_handles.iter() {
40
            if is_dormant {
                task.cancel();
40
            } else {
40
                task.fire();
40
            }
        }
    }
8
}
/// Alias for TorError::from(Error)
2
pub(crate) fn wrap_err<T>(err: T) -> crate::Error
2
where
2
    ErrorDetail: From<T>,
2
{
2
    ErrorDetail::from(err).into()
2
}
#[cfg(test)]
mod test {
    // @@ begin test lint list maintained by maint/add_warning @@
    #![allow(clippy::bool_assert_comparison)]
    #![allow(clippy::clone_on_copy)]
    #![allow(clippy::dbg_macro)]
    #![allow(clippy::mixed_attributes_style)]
    #![allow(clippy::print_stderr)]
    #![allow(clippy::print_stdout)]
    #![allow(clippy::single_char_pattern)]
    #![allow(clippy::unwrap_used)]
    #![allow(clippy::unchecked_duration_subtraction)]
    #![allow(clippy::useless_vec)]
    #![allow(clippy::needless_pass_by_value)]
    //! <!-- @@ end test lint list maintained by maint/add_warning @@ -->
    use tor_config::Reconfigure;
    use super::*;
    use crate::config::TorClientConfigBuilder;
    use crate::{ErrorKind, HasKind};
    #[test]
    fn create_unbootstrapped() {
        tor_rtcompat::test_with_one_runtime!(|rt| async {
            let state_dir = tempfile::tempdir().unwrap();
            let cache_dir = tempfile::tempdir().unwrap();
            let cfg = TorClientConfigBuilder::from_directories(state_dir, cache_dir)
                .build()
                .unwrap();
            let _ = TorClient::with_runtime(rt)
                .config(cfg)
                .bootstrap_behavior(BootstrapBehavior::Manual)
                .create_unbootstrapped()
                .unwrap();
        });
    }
    #[test]
    fn unbootstrapped_client_unusable() {
        tor_rtcompat::test_with_one_runtime!(|rt| async {
            let state_dir = tempfile::tempdir().unwrap();
            let cache_dir = tempfile::tempdir().unwrap();
            let cfg = TorClientConfigBuilder::from_directories(state_dir, cache_dir)
                .build()
                .unwrap();
            let client = TorClient::with_runtime(rt)
                .config(cfg)
                .bootstrap_behavior(BootstrapBehavior::Manual)
                .create_unbootstrapped()
                .unwrap();
            let result = client.connect("example.com:80").await;
            assert!(result.is_err());
            assert_eq!(result.err().unwrap().kind(), ErrorKind::BootstrapRequired);
        });
    }
    #[test]
    fn streamprefs_isolate_every_stream() {
        let mut observed = StreamPrefs::new();
        observed.isolate_every_stream();
        match observed.isolation {
            StreamIsolationPreference::EveryStream => (),
            _ => panic!("unexpected isolation: {:?}", observed.isolation),
        };
    }
    #[test]
    fn streamprefs_new_has_expected_defaults() {
        let observed = StreamPrefs::new();
        assert_eq!(observed.ip_ver_pref, IpVersionPreference::Ipv4Preferred);
        assert!(!observed.optimistic_stream);
        // StreamIsolationPreference does not implement Eq, check manually.
        match observed.isolation {
            StreamIsolationPreference::None => (),
            _ => panic!("unexpected isolation: {:?}", observed.isolation),
        };
    }
    #[test]
    fn streamprefs_new_isolation_group() {
        let mut observed = StreamPrefs::new();
        observed.new_isolation_group();
        match observed.isolation {
            StreamIsolationPreference::Explicit(_) => (),
            _ => panic!("unexpected isolation: {:?}", observed.isolation),
        };
    }
    #[test]
    fn streamprefs_ipv6_only() {
        let mut observed = StreamPrefs::new();
        observed.ipv6_only();
        assert_eq!(observed.ip_ver_pref, IpVersionPreference::Ipv6Only);
    }
    #[test]
    fn streamprefs_ipv6_preferred() {
        let mut observed = StreamPrefs::new();
        observed.ipv6_preferred();
        assert_eq!(observed.ip_ver_pref, IpVersionPreference::Ipv6Preferred);
    }
    #[test]
    fn streamprefs_ipv4_only() {
        let mut observed = StreamPrefs::new();
        observed.ipv4_only();
        assert_eq!(observed.ip_ver_pref, IpVersionPreference::Ipv4Only);
    }
    #[test]
    fn streamprefs_ipv4_preferred() {
        let mut observed = StreamPrefs::new();
        observed.ipv4_preferred();
        assert_eq!(observed.ip_ver_pref, IpVersionPreference::Ipv4Preferred);
    }
    #[test]
    fn streamprefs_optimistic() {
        let mut observed = StreamPrefs::new();
        observed.optimistic();
        assert!(observed.optimistic_stream);
    }
    #[test]
    fn streamprefs_set_isolation() {
        let mut observed = StreamPrefs::new();
        observed.set_isolation(IsolationToken::new());
        match observed.isolation {
            StreamIsolationPreference::Explicit(_) => (),
            _ => panic!("unexpected isolation: {:?}", observed.isolation),
        };
    }
    #[test]
    fn reconfigure_all_or_nothing() {
        tor_rtcompat::test_with_one_runtime!(|rt| async {
            let state_dir = tempfile::tempdir().unwrap();
            let cache_dir = tempfile::tempdir().unwrap();
            let cfg = TorClientConfigBuilder::from_directories(state_dir, cache_dir)
                .build()
                .unwrap();
            let tor_client = TorClient::with_runtime(rt)
                .config(cfg.clone())
                .bootstrap_behavior(BootstrapBehavior::Manual)
                .create_unbootstrapped()
                .unwrap();
            tor_client
                .reconfigure(&cfg, Reconfigure::AllOrNothing)
                .unwrap();
        });
    }
}