rustls/client/client_conn.rs
1use alloc::vec::Vec;
2use core::marker::PhantomData;
3use core::ops::{Deref, DerefMut};
4use core::{fmt, mem};
5
6use pki_types::{ServerName, UnixTime};
7
8use super::handy::NoClientSessionStorage;
9use super::hs::{self, ClientHelloInput};
10#[cfg(feature = "std")]
11use crate::WantsVerifier;
12use crate::builder::ConfigBuilder;
13use crate::client::{EchMode, EchStatus};
14use crate::common_state::{CommonState, Protocol, Side};
15use crate::conn::{ConnectionCore, UnbufferedConnectionCommon};
16use crate::crypto::{CryptoProvider, SupportedKxGroup};
17use crate::enums::{CipherSuite, ProtocolVersion, SignatureScheme};
18use crate::error::Error;
19use crate::kernel::KernelConnection;
20use crate::log::trace;
21use crate::msgs::enums::NamedGroup;
22use crate::msgs::handshake::ClientExtensionsInput;
23use crate::msgs::persist;
24use crate::suites::{ExtractedSecrets, SupportedCipherSuite};
25use crate::sync::Arc;
26#[cfg(feature = "std")]
27use crate::time_provider::DefaultTimeProvider;
28use crate::time_provider::TimeProvider;
29use crate::unbuffered::{EncryptError, TransmitTlsData};
30#[cfg(doc)]
31use crate::{DistinguishedName, crypto};
32use crate::{KeyLog, WantsVersions, compress, sign, verify, versions};
33
34/// A trait for the ability to store client session data, so that sessions
35/// can be resumed in future connections.
36///
37/// Generally all data in this interface should be treated as
38/// **highly sensitive**, containing enough key material to break all security
39/// of the corresponding session.
40///
41/// `set_`, `insert_`, `remove_` and `take_` operations are mutating; this isn't
42/// expressed in the type system to allow implementations freedom in
43/// how to achieve interior mutability. `Mutex` is a common choice.
44pub trait ClientSessionStore: fmt::Debug + Send + Sync {
45 /// Remember what `NamedGroup` the given server chose.
46 fn set_kx_hint(&self, server_name: ServerName<'static>, group: NamedGroup);
47
48 /// This should return the value most recently passed to `set_kx_hint`
49 /// for the given `server_name`.
50 ///
51 /// If `None` is returned, the caller chooses the first configured group,
52 /// and an extra round trip might happen if that choice is unsatisfactory
53 /// to the server.
54 fn kx_hint(&self, server_name: &ServerName<'_>) -> Option<NamedGroup>;
55
56 /// Remember a TLS1.2 session.
57 ///
58 /// At most one of these can be remembered at a time, per `server_name`.
59 fn set_tls12_session(
60 &self,
61 server_name: ServerName<'static>,
62 value: persist::Tls12ClientSessionValue,
63 );
64
65 /// Get the most recently saved TLS1.2 session for `server_name` provided to `set_tls12_session`.
66 fn tls12_session(
67 &self,
68 server_name: &ServerName<'_>,
69 ) -> Option<persist::Tls12ClientSessionValue>;
70
71 /// Remove and forget any saved TLS1.2 session for `server_name`.
72 fn remove_tls12_session(&self, server_name: &ServerName<'static>);
73
74 /// Remember a TLS1.3 ticket that might be retrieved later from `take_tls13_ticket`, allowing
75 /// resumption of this session.
76 ///
77 /// This can be called multiple times for a given session, allowing multiple independent tickets
78 /// to be valid at once. The number of times this is called is controlled by the server, so
79 /// implementations of this trait should apply a reasonable bound of how many items are stored
80 /// simultaneously.
81 fn insert_tls13_ticket(
82 &self,
83 server_name: ServerName<'static>,
84 value: persist::Tls13ClientSessionValue,
85 );
86
87 /// Return a TLS1.3 ticket previously provided to `add_tls13_ticket`.
88 ///
89 /// Implementations of this trait must return each value provided to `add_tls13_ticket` _at most once_.
90 fn take_tls13_ticket(
91 &self,
92 server_name: &ServerName<'static>,
93 ) -> Option<persist::Tls13ClientSessionValue>;
94}
95
96/// A trait for the ability to choose a certificate chain and
97/// private key for the purposes of client authentication.
98pub trait ResolvesClientCert: fmt::Debug + Send + Sync {
99 /// Resolve a client certificate chain/private key to use as the client's
100 /// identity.
101 ///
102 /// `root_hint_subjects` is an optional list of certificate authority
103 /// subject distinguished names that the client can use to help
104 /// decide on a client certificate the server is likely to accept. If
105 /// the list is empty, the client should send whatever certificate it
106 /// has. The hints are expected to be DER-encoded X.500 distinguished names,
107 /// per [RFC 5280 A.1]. See [`DistinguishedName`] for more information
108 /// on decoding with external crates like `x509-parser`.
109 ///
110 /// `sigschemes` is the list of the [`SignatureScheme`]s the server
111 /// supports.
112 ///
113 /// Return `None` to continue the handshake without any client
114 /// authentication. The server may reject the handshake later
115 /// if it requires authentication.
116 ///
117 /// [RFC 5280 A.1]: https://www.rfc-editor.org/rfc/rfc5280#appendix-A.1
118 fn resolve(
119 &self,
120 root_hint_subjects: &[&[u8]],
121 sigschemes: &[SignatureScheme],
122 ) -> Option<Arc<sign::CertifiedKey>>;
123
124 /// Return true if the client only supports raw public keys.
125 ///
126 /// See [RFC 7250](https://www.rfc-editor.org/rfc/rfc7250).
127 fn only_raw_public_keys(&self) -> bool {
128 false
129 }
130
131 /// Return true if any certificates at all are available.
132 fn has_certs(&self) -> bool;
133}
134
135/// Common configuration for (typically) all connections made by a program.
136///
137/// Making one of these is cheap, though one of the inputs may be expensive: gathering trust roots
138/// from the operating system to add to the [`RootCertStore`] passed to `with_root_certificates()`
139/// (the rustls-native-certs crate is often used for this) may take on the order of a few hundred
140/// milliseconds.
141///
142/// These must be created via the [`ClientConfig::builder()`] or [`ClientConfig::builder_with_provider()`]
143/// function.
144///
145/// Note that using [`ConfigBuilder<ClientConfig, WantsVersions>::with_ech()`] will produce a common
146/// configuration specific to the provided [`crate::client::EchConfig`] that may not be appropriate
147/// for all connections made by the program. In this case the configuration should only be shared
148/// by connections intended for domains that offer the provided [`crate::client::EchConfig`] in
149/// their DNS zone.
150///
151/// # Defaults
152///
153/// * [`ClientConfig::max_fragment_size`]: the default is `None` (meaning 16kB).
154/// * [`ClientConfig::resumption`]: supports resumption with up to 256 server names, using session
155/// ids or tickets, with a max of eight tickets per server.
156/// * [`ClientConfig::alpn_protocols`]: the default is empty -- no ALPN protocol is negotiated.
157/// * [`ClientConfig::key_log`]: key material is not logged.
158/// * [`ClientConfig::cert_decompressors`]: depends on the crate features, see [`compress::default_cert_decompressors()`].
159/// * [`ClientConfig::cert_compressors`]: depends on the crate features, see [`compress::default_cert_compressors()`].
160/// * [`ClientConfig::cert_compression_cache`]: caches the most recently used 4 compressions
161///
162/// [`RootCertStore`]: crate::RootCertStore
163#[derive(Clone, Debug)]
164pub struct ClientConfig {
165 /// Which ALPN protocols we include in our client hello.
166 /// If empty, no ALPN extension is sent.
167 pub alpn_protocols: Vec<Vec<u8>>,
168
169 /// How and when the client can resume a previous session.
170 ///
171 /// # Sharing `resumption` between `ClientConfig`s
172 /// In a program using many `ClientConfig`s it may improve resumption rates
173 /// (which has a significant impact on connection performance) if those
174 /// configs share a single `Resumption`.
175 ///
176 /// However, resumption is only allowed between two `ClientConfig`s if their
177 /// `client_auth_cert_resolver` (ie, potential client authentication credentials)
178 /// and `verifier` (ie, server certificate verification settings) are
179 /// the same (according to `Arc::ptr_eq`).
180 ///
181 /// To illustrate, imagine two `ClientConfig`s `A` and `B`. `A` fully validates
182 /// the server certificate, `B` does not. If `A` and `B` shared a resumption store,
183 /// it would be possible for a session originated by `B` to be inserted into the
184 /// store, and then resumed by `A`. This would give a false impression to the user
185 /// of `A` that the server certificate is fully validated.
186 pub resumption: Resumption,
187
188 /// The maximum size of plaintext input to be emitted in a single TLS record.
189 /// A value of None is equivalent to the [TLS maximum] of 16 kB.
190 ///
191 /// rustls enforces an arbitrary minimum of 32 bytes for this field.
192 /// Out of range values are reported as errors from [ClientConnection::new].
193 ///
194 /// Setting this value to a little less than the TCP MSS may improve latency
195 /// for stream-y workloads.
196 ///
197 /// [TLS maximum]: https://datatracker.ietf.org/doc/html/rfc8446#section-5.1
198 /// [ClientConnection::new]: crate::client::ClientConnection::new
199 pub max_fragment_size: Option<usize>,
200
201 /// How to decide what client auth certificate/keys to use.
202 pub client_auth_cert_resolver: Arc<dyn ResolvesClientCert>,
203
204 /// Whether to send the Server Name Indication (SNI) extension
205 /// during the client handshake.
206 ///
207 /// The default is true.
208 pub enable_sni: bool,
209
210 /// How to output key material for debugging. The default
211 /// does nothing.
212 pub key_log: Arc<dyn KeyLog>,
213
214 /// Allows traffic secrets to be extracted after the handshake,
215 /// e.g. for kTLS setup.
216 pub enable_secret_extraction: bool,
217
218 /// Whether to send data on the first flight ("early data") in
219 /// TLS 1.3 handshakes.
220 ///
221 /// The default is false.
222 pub enable_early_data: bool,
223
224 /// If set to `true`, requires the server to support the extended
225 /// master secret extraction method defined in [RFC 7627].
226 ///
227 /// The default is `true` if the `fips` crate feature is enabled,
228 /// `false` otherwise.
229 ///
230 /// It must be set to `true` to meet FIPS requirement mentioned in section
231 /// **D.Q Transition of the TLS 1.2 KDF to Support the Extended Master
232 /// Secret** from [FIPS 140-3 IG.pdf].
233 ///
234 /// [RFC 7627]: https://datatracker.ietf.org/doc/html/rfc7627
235 /// [FIPS 140-3 IG.pdf]: https://csrc.nist.gov/csrc/media/Projects/cryptographic-module-validation-program/documents/fips%20140-3/FIPS%20140-3%20IG.pdf
236 #[cfg(feature = "tls12")]
237 pub require_ems: bool,
238
239 /// Provides the current system time
240 pub time_provider: Arc<dyn TimeProvider>,
241
242 /// Source of randomness and other crypto.
243 pub(super) provider: Arc<CryptoProvider>,
244
245 /// Supported versions, in no particular order. The default
246 /// is all supported versions.
247 pub(super) versions: versions::EnabledVersions,
248
249 /// How to verify the server certificate chain.
250 pub(super) verifier: Arc<dyn verify::ServerCertVerifier>,
251
252 /// How to decompress the server's certificate chain.
253 ///
254 /// If this is non-empty, the [RFC8779] certificate compression
255 /// extension is offered, and any compressed certificates are
256 /// transparently decompressed during the handshake.
257 ///
258 /// This only applies to TLS1.3 connections. It is ignored for
259 /// TLS1.2 connections.
260 ///
261 /// [RFC8779]: https://datatracker.ietf.org/doc/rfc8879/
262 pub cert_decompressors: Vec<&'static dyn compress::CertDecompressor>,
263
264 /// How to compress the client's certificate chain.
265 ///
266 /// If a server supports this extension, and advertises support
267 /// for one of the compression algorithms included here, the
268 /// client certificate will be compressed according to [RFC8779].
269 ///
270 /// This only applies to TLS1.3 connections. It is ignored for
271 /// TLS1.2 connections.
272 ///
273 /// [RFC8779]: https://datatracker.ietf.org/doc/rfc8879/
274 pub cert_compressors: Vec<&'static dyn compress::CertCompressor>,
275
276 /// Caching for compressed certificates.
277 ///
278 /// This is optional: [`compress::CompressionCache::Disabled`] gives
279 /// a cache that does no caching.
280 pub cert_compression_cache: Arc<compress::CompressionCache>,
281
282 /// How to offer Encrypted Client Hello (ECH). The default is to not offer ECH.
283 pub(super) ech_mode: Option<EchMode>,
284}
285
286impl ClientConfig {
287 /// Create a builder for a client configuration with
288 /// [the process-default `CryptoProvider`][CryptoProvider#using-the-per-process-default-cryptoprovider]
289 /// and safe protocol version defaults.
290 ///
291 /// For more information, see the [`ConfigBuilder`] documentation.
292 #[cfg(feature = "std")]
293 pub fn builder() -> ConfigBuilder<Self, WantsVerifier> {
294 Self::builder_with_protocol_versions(versions::DEFAULT_VERSIONS)
295 }
296
297 /// Create a builder for a client configuration with
298 /// [the process-default `CryptoProvider`][CryptoProvider#using-the-per-process-default-cryptoprovider]
299 /// and the provided protocol versions.
300 ///
301 /// Panics if
302 /// - the supported versions are not compatible with the provider (eg.
303 /// the combination of ciphersuites supported by the provider and supported
304 /// versions lead to zero cipher suites being usable),
305 /// - if a `CryptoProvider` cannot be resolved using a combination of
306 /// the crate features and process default.
307 ///
308 /// For more information, see the [`ConfigBuilder`] documentation.
309 #[cfg(feature = "std")]
310 pub fn builder_with_protocol_versions(
311 versions: &[&'static versions::SupportedProtocolVersion],
312 ) -> ConfigBuilder<Self, WantsVerifier> {
313 // Safety assumptions:
314 // 1. that the provider has been installed (explicitly or implicitly)
315 // 2. that the process-level default provider is usable with the supplied protocol versions.
316 Self::builder_with_provider(
317 CryptoProvider::get_default_or_install_from_crate_features().clone(),
318 )
319 .with_protocol_versions(versions)
320 .unwrap()
321 }
322
323 /// Create a builder for a client configuration with a specific [`CryptoProvider`].
324 ///
325 /// This will use the provider's configured ciphersuites. You must additionally choose
326 /// which protocol versions to enable, using `with_protocol_versions` or
327 /// `with_safe_default_protocol_versions` and handling the `Result` in case a protocol
328 /// version is not supported by the provider's ciphersuites.
329 ///
330 /// For more information, see the [`ConfigBuilder`] documentation.
331 #[cfg(feature = "std")]
332 pub fn builder_with_provider(
333 provider: Arc<CryptoProvider>,
334 ) -> ConfigBuilder<Self, WantsVersions> {
335 ConfigBuilder {
336 state: WantsVersions {},
337 provider,
338 time_provider: Arc::new(DefaultTimeProvider),
339 side: PhantomData,
340 }
341 }
342 /// Create a builder for a client configuration with no default implementation details.
343 ///
344 /// This API must be used by `no_std` users.
345 ///
346 /// You must provide a specific [`TimeProvider`].
347 ///
348 /// You must provide a specific [`CryptoProvider`].
349 ///
350 /// This will use the provider's configured ciphersuites. You must additionally choose
351 /// which protocol versions to enable, using `with_protocol_versions` or
352 /// `with_safe_default_protocol_versions` and handling the `Result` in case a protocol
353 /// version is not supported by the provider's ciphersuites.
354 ///
355 /// For more information, see the [`ConfigBuilder`] documentation.
356 pub fn builder_with_details(
357 provider: Arc<CryptoProvider>,
358 time_provider: Arc<dyn TimeProvider>,
359 ) -> ConfigBuilder<Self, WantsVersions> {
360 ConfigBuilder {
361 state: WantsVersions {},
362 provider,
363 time_provider,
364 side: PhantomData,
365 }
366 }
367
368 /// Return true if connections made with this `ClientConfig` will
369 /// operate in FIPS mode.
370 ///
371 /// This is different from [`CryptoProvider::fips()`]: [`CryptoProvider::fips()`]
372 /// is concerned only with cryptography, whereas this _also_ covers TLS-level
373 /// configuration that NIST recommends, as well as ECH HPKE suites if applicable.
374 pub fn fips(&self) -> bool {
375 let mut is_fips = self.provider.fips();
376
377 #[cfg(feature = "tls12")]
378 {
379 is_fips = is_fips && self.require_ems
380 }
381
382 if let Some(ech_mode) = &self.ech_mode {
383 is_fips = is_fips && ech_mode.fips();
384 }
385
386 is_fips
387 }
388
389 /// Return the crypto provider used to construct this client configuration.
390 pub fn crypto_provider(&self) -> &Arc<CryptoProvider> {
391 &self.provider
392 }
393
394 /// Access configuration options whose use is dangerous and requires
395 /// extra care.
396 pub fn dangerous(&mut self) -> danger::DangerousClientConfig<'_> {
397 danger::DangerousClientConfig { cfg: self }
398 }
399
400 pub(super) fn needs_key_share(&self) -> bool {
401 self.supports_version(ProtocolVersion::TLSv1_3)
402 }
403
404 /// We support a given TLS version if it's quoted in the configured
405 /// versions *and* at least one ciphersuite for this version is
406 /// also configured.
407 pub(crate) fn supports_version(&self, v: ProtocolVersion) -> bool {
408 self.versions.contains(v)
409 && self
410 .provider
411 .cipher_suites
412 .iter()
413 .any(|cs| cs.version().version == v)
414 }
415
416 #[cfg(feature = "std")]
417 pub(crate) fn supports_protocol(&self, proto: Protocol) -> bool {
418 self.provider
419 .cipher_suites
420 .iter()
421 .any(|cs| cs.usable_for_protocol(proto))
422 }
423
424 pub(super) fn find_cipher_suite(&self, suite: CipherSuite) -> Option<SupportedCipherSuite> {
425 self.provider
426 .cipher_suites
427 .iter()
428 .copied()
429 .find(|&scs| scs.suite() == suite)
430 }
431
432 pub(super) fn find_kx_group(
433 &self,
434 group: NamedGroup,
435 version: ProtocolVersion,
436 ) -> Option<&'static dyn SupportedKxGroup> {
437 if !group.usable_for_version(version) {
438 return None;
439 }
440
441 self.provider
442 .kx_groups
443 .iter()
444 .find(|skxg| skxg.name() == group)
445 .copied()
446 }
447
448 pub(super) fn current_time(&self) -> Result<UnixTime, Error> {
449 self.time_provider
450 .current_time()
451 .ok_or(Error::FailedToGetCurrentTime)
452 }
453}
454
455/// Configuration for how/when a client is allowed to resume a previous session.
456#[derive(Clone, Debug)]
457pub struct Resumption {
458 /// How we store session data or tickets. The default is to use an in-memory
459 /// [super::handy::ClientSessionMemoryCache].
460 pub(super) store: Arc<dyn ClientSessionStore>,
461
462 /// What mechanism is used for resuming a TLS 1.2 session.
463 pub(super) tls12_resumption: Tls12Resumption,
464}
465
466impl Resumption {
467 /// Create a new `Resumption` that stores data for the given number of sessions in memory.
468 ///
469 /// This is the default `Resumption` choice, and enables resuming a TLS 1.2 session with
470 /// a session id or RFC 5077 ticket.
471 #[cfg(feature = "std")]
472 pub fn in_memory_sessions(num: usize) -> Self {
473 Self {
474 store: Arc::new(super::handy::ClientSessionMemoryCache::new(num)),
475 tls12_resumption: Tls12Resumption::SessionIdOrTickets,
476 }
477 }
478
479 /// Use a custom [`ClientSessionStore`] implementation to store sessions.
480 ///
481 /// By default, enables resuming a TLS 1.2 session with a session id or RFC 5077 ticket.
482 pub fn store(store: Arc<dyn ClientSessionStore>) -> Self {
483 Self {
484 store,
485 tls12_resumption: Tls12Resumption::SessionIdOrTickets,
486 }
487 }
488
489 /// Disable all use of session resumption.
490 pub fn disabled() -> Self {
491 Self {
492 store: Arc::new(NoClientSessionStorage),
493 tls12_resumption: Tls12Resumption::Disabled,
494 }
495 }
496
497 /// Configure whether TLS 1.2 sessions may be resumed, and by what mechanism.
498 ///
499 /// This is meaningless if you've disabled resumption entirely, which is the case in `no-std`
500 /// contexts.
501 pub fn tls12_resumption(mut self, tls12: Tls12Resumption) -> Self {
502 self.tls12_resumption = tls12;
503 self
504 }
505}
506
507impl Default for Resumption {
508 /// Create an in-memory session store resumption with up to 256 server names, allowing
509 /// a TLS 1.2 session to resume with a session id or RFC 5077 ticket.
510 fn default() -> Self {
511 #[cfg(feature = "std")]
512 let ret = Self::in_memory_sessions(256);
513
514 #[cfg(not(feature = "std"))]
515 let ret = Self::disabled();
516
517 ret
518 }
519}
520
521/// What mechanisms to support for resuming a TLS 1.2 session.
522#[derive(Clone, Copy, Debug, PartialEq)]
523pub enum Tls12Resumption {
524 /// Disable 1.2 resumption.
525 Disabled,
526 /// Support 1.2 resumption using session ids only.
527 SessionIdOnly,
528 /// Support 1.2 resumption using session ids or RFC 5077 tickets.
529 ///
530 /// See[^1] for why you might like to disable RFC 5077 by instead choosing the `SessionIdOnly`
531 /// option. Note that TLS 1.3 tickets do not have those issues.
532 ///
533 /// [^1]: <https://words.filippo.io/we-need-to-talk-about-session-tickets/>
534 SessionIdOrTickets,
535}
536
537/// Container for unsafe APIs
538pub(super) mod danger {
539 use super::ClientConfig;
540 use super::verify::ServerCertVerifier;
541 use crate::sync::Arc;
542
543 /// Accessor for dangerous configuration options.
544 #[derive(Debug)]
545 pub struct DangerousClientConfig<'a> {
546 /// The underlying ClientConfig
547 pub cfg: &'a mut ClientConfig,
548 }
549
550 impl DangerousClientConfig<'_> {
551 /// Overrides the default `ServerCertVerifier` with something else.
552 pub fn set_certificate_verifier(&mut self, verifier: Arc<dyn ServerCertVerifier>) {
553 self.cfg.verifier = verifier;
554 }
555 }
556}
557
558#[derive(Debug, PartialEq)]
559enum EarlyDataState {
560 Disabled,
561 Ready,
562 Accepted,
563 AcceptedFinished,
564 Rejected,
565}
566
567#[derive(Debug)]
568pub(super) struct EarlyData {
569 state: EarlyDataState,
570 left: usize,
571}
572
573impl EarlyData {
574 fn new() -> Self {
575 Self {
576 left: 0,
577 state: EarlyDataState::Disabled,
578 }
579 }
580
581 pub(super) fn is_enabled(&self) -> bool {
582 matches!(self.state, EarlyDataState::Ready | EarlyDataState::Accepted)
583 }
584
585 #[cfg(feature = "std")]
586 fn is_accepted(&self) -> bool {
587 matches!(
588 self.state,
589 EarlyDataState::Accepted | EarlyDataState::AcceptedFinished
590 )
591 }
592
593 pub(super) fn enable(&mut self, max_data: usize) {
594 assert_eq!(self.state, EarlyDataState::Disabled);
595 self.state = EarlyDataState::Ready;
596 self.left = max_data;
597 }
598
599 pub(super) fn rejected(&mut self) {
600 trace!("EarlyData rejected");
601 self.state = EarlyDataState::Rejected;
602 }
603
604 pub(super) fn accepted(&mut self) {
605 trace!("EarlyData accepted");
606 assert_eq!(self.state, EarlyDataState::Ready);
607 self.state = EarlyDataState::Accepted;
608 }
609
610 pub(super) fn finished(&mut self) {
611 trace!("EarlyData finished");
612 self.state = match self.state {
613 EarlyDataState::Accepted => EarlyDataState::AcceptedFinished,
614 _ => panic!("bad EarlyData state"),
615 }
616 }
617
618 fn check_write_opt(&mut self, sz: usize) -> Option<usize> {
619 match self.state {
620 EarlyDataState::Disabled => unreachable!(),
621 EarlyDataState::Ready | EarlyDataState::Accepted => {
622 let take = if self.left < sz {
623 mem::replace(&mut self.left, 0)
624 } else {
625 self.left -= sz;
626 sz
627 };
628
629 Some(take)
630 }
631 EarlyDataState::Rejected | EarlyDataState::AcceptedFinished => None,
632 }
633 }
634}
635
636#[cfg(feature = "std")]
637mod connection {
638 use alloc::vec::Vec;
639 use core::fmt;
640 use core::ops::{Deref, DerefMut};
641 use std::io;
642
643 use pki_types::ServerName;
644
645 use super::{ClientConnectionData, ClientExtensionsInput};
646 use crate::ClientConfig;
647 use crate::client::EchStatus;
648 use crate::common_state::Protocol;
649 use crate::conn::{ConnectionCommon, ConnectionCore};
650 use crate::error::Error;
651 use crate::suites::ExtractedSecrets;
652 use crate::sync::Arc;
653
654 /// Allows writing of early data in resumed TLS 1.3 connections.
655 ///
656 /// "Early data" is also known as "0-RTT data".
657 ///
658 /// This type implements [`io::Write`].
659 pub struct WriteEarlyData<'a> {
660 sess: &'a mut ClientConnection,
661 }
662
663 impl<'a> WriteEarlyData<'a> {
664 fn new(sess: &'a mut ClientConnection) -> Self {
665 WriteEarlyData { sess }
666 }
667
668 /// How many bytes you may send. Writes will become short
669 /// once this reaches zero.
670 pub fn bytes_left(&self) -> usize {
671 self.sess
672 .inner
673 .core
674 .data
675 .early_data
676 .bytes_left()
677 }
678 }
679
680 impl io::Write for WriteEarlyData<'_> {
681 fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
682 self.sess.write_early_data(buf)
683 }
684
685 fn flush(&mut self) -> io::Result<()> {
686 Ok(())
687 }
688 }
689
690 impl super::EarlyData {
691 fn check_write(&mut self, sz: usize) -> io::Result<usize> {
692 self.check_write_opt(sz)
693 .ok_or_else(|| io::Error::from(io::ErrorKind::InvalidInput))
694 }
695
696 fn bytes_left(&self) -> usize {
697 self.left
698 }
699 }
700
701 /// This represents a single TLS client connection.
702 pub struct ClientConnection {
703 inner: ConnectionCommon<ClientConnectionData>,
704 }
705
706 impl fmt::Debug for ClientConnection {
707 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
708 f.debug_struct("ClientConnection")
709 .finish()
710 }
711 }
712
713 impl ClientConnection {
714 /// Make a new ClientConnection. `config` controls how
715 /// we behave in the TLS protocol, `name` is the
716 /// name of the server we want to talk to.
717 pub fn new(config: Arc<ClientConfig>, name: ServerName<'static>) -> Result<Self, Error> {
718 Self::new_with_alpn(config.clone(), name, config.alpn_protocols.clone())
719 }
720
721 /// Make a new ClientConnection with custom ALPN protocols.
722 pub fn new_with_alpn(
723 config: Arc<ClientConfig>,
724 name: ServerName<'static>,
725 alpn_protocols: Vec<Vec<u8>>,
726 ) -> Result<Self, Error> {
727 Ok(Self {
728 inner: ConnectionCommon::from(ConnectionCore::for_client(
729 config,
730 name,
731 ClientExtensionsInput::from_alpn(alpn_protocols),
732 Protocol::Tcp,
733 )?),
734 })
735 }
736 /// Returns an `io::Write` implementer you can write bytes to
737 /// to send TLS1.3 early data (a.k.a. "0-RTT data") to the server.
738 ///
739 /// This returns None in many circumstances when the capability to
740 /// send early data is not available, including but not limited to:
741 ///
742 /// - The server hasn't been talked to previously.
743 /// - The server does not support resumption.
744 /// - The server does not support early data.
745 /// - The resumption data for the server has expired.
746 ///
747 /// The server specifies a maximum amount of early data. You can
748 /// learn this limit through the returned object, and writes through
749 /// it will process only this many bytes.
750 ///
751 /// The server can choose not to accept any sent early data --
752 /// in this case the data is lost but the connection continues. You
753 /// can tell this happened using `is_early_data_accepted`.
754 pub fn early_data(&mut self) -> Option<WriteEarlyData<'_>> {
755 if self
756 .inner
757 .core
758 .data
759 .early_data
760 .is_enabled()
761 {
762 Some(WriteEarlyData::new(self))
763 } else {
764 None
765 }
766 }
767
768 /// Returns True if the server signalled it will process early data.
769 ///
770 /// If you sent early data and this returns false at the end of the
771 /// handshake then the server will not process the data. This
772 /// is not an error, but you may wish to resend the data.
773 pub fn is_early_data_accepted(&self) -> bool {
774 self.inner.core.is_early_data_accepted()
775 }
776
777 /// Extract secrets, so they can be used when configuring kTLS, for example.
778 /// Should be used with care as it exposes secret key material.
779 pub fn dangerous_extract_secrets(self) -> Result<ExtractedSecrets, Error> {
780 self.inner.dangerous_extract_secrets()
781 }
782
783 /// Return the connection's Encrypted Client Hello (ECH) status.
784 pub fn ech_status(&self) -> EchStatus {
785 self.inner.core.data.ech_status
786 }
787
788 /// Returns the number of TLS1.3 tickets that have been received.
789 pub fn tls13_tickets_received(&self) -> u32 {
790 self.inner.tls13_tickets_received
791 }
792
793 /// Return true if the connection was made with a `ClientConfig` that is FIPS compatible.
794 ///
795 /// This is different from [`crate::crypto::CryptoProvider::fips()`]:
796 /// it is concerned only with cryptography, whereas this _also_ covers TLS-level
797 /// configuration that NIST recommends, as well as ECH HPKE suites if applicable.
798 pub fn fips(&self) -> bool {
799 self.inner.core.common_state.fips
800 }
801
802 fn write_early_data(&mut self, data: &[u8]) -> io::Result<usize> {
803 self.inner
804 .core
805 .data
806 .early_data
807 .check_write(data.len())
808 .map(|sz| {
809 self.inner
810 .send_early_plaintext(&data[..sz])
811 })
812 }
813 }
814
815 impl Deref for ClientConnection {
816 type Target = ConnectionCommon<ClientConnectionData>;
817
818 fn deref(&self) -> &Self::Target {
819 &self.inner
820 }
821 }
822
823 impl DerefMut for ClientConnection {
824 fn deref_mut(&mut self) -> &mut Self::Target {
825 &mut self.inner
826 }
827 }
828
829 #[doc(hidden)]
830 impl<'a> TryFrom<&'a mut crate::Connection> for &'a mut ClientConnection {
831 type Error = ();
832
833 fn try_from(value: &'a mut crate::Connection) -> Result<Self, Self::Error> {
834 use crate::Connection::*;
835 match value {
836 Client(conn) => Ok(conn),
837 Server(_) => Err(()),
838 }
839 }
840 }
841
842 impl From<ClientConnection> for crate::Connection {
843 fn from(conn: ClientConnection) -> Self {
844 Self::Client(conn)
845 }
846 }
847}
848#[cfg(feature = "std")]
849pub use connection::{ClientConnection, WriteEarlyData};
850
851impl ConnectionCore<ClientConnectionData> {
852 pub(crate) fn for_client(
853 config: Arc<ClientConfig>,
854 name: ServerName<'static>,
855 extra_exts: ClientExtensionsInput<'static>,
856 proto: Protocol,
857 ) -> Result<Self, Error> {
858 let mut common_state = CommonState::new(Side::Client);
859 common_state.set_max_fragment_size(config.max_fragment_size)?;
860 common_state.protocol = proto;
861 common_state.enable_secret_extraction = config.enable_secret_extraction;
862 common_state.fips = config.fips();
863 let mut data = ClientConnectionData::new();
864
865 let mut cx = hs::ClientContext {
866 common: &mut common_state,
867 data: &mut data,
868 // `start_handshake` won't produce plaintext
869 sendable_plaintext: None,
870 };
871
872 let input = ClientHelloInput::new(name, &extra_exts, &mut cx, config)?;
873 let state = input.start_handshake(extra_exts, &mut cx)?;
874 Ok(Self::new(state, data, common_state))
875 }
876
877 #[cfg(feature = "std")]
878 pub(crate) fn is_early_data_accepted(&self) -> bool {
879 self.data.early_data.is_accepted()
880 }
881}
882
883/// Unbuffered version of `ClientConnection`
884///
885/// See the [`crate::unbuffered`] module docs for more details
886pub struct UnbufferedClientConnection {
887 inner: UnbufferedConnectionCommon<ClientConnectionData>,
888}
889
890impl UnbufferedClientConnection {
891 /// Make a new ClientConnection. `config` controls how we behave in the TLS protocol, `name` is
892 /// the name of the server we want to talk to.
893 pub fn new(config: Arc<ClientConfig>, name: ServerName<'static>) -> Result<Self, Error> {
894 Self::new_with_extensions(
895 config.clone(),
896 name,
897 ClientExtensionsInput::from_alpn(config.alpn_protocols.clone()),
898 )
899 }
900
901 /// Make a new UnbufferedClientConnection with custom ALPN protocols.
902 pub fn new_with_alpn(
903 config: Arc<ClientConfig>,
904 name: ServerName<'static>,
905 alpn_protocols: Vec<Vec<u8>>,
906 ) -> Result<Self, Error> {
907 Self::new_with_extensions(
908 config,
909 name,
910 ClientExtensionsInput::from_alpn(alpn_protocols),
911 )
912 }
913
914 fn new_with_extensions(
915 config: Arc<ClientConfig>,
916 name: ServerName<'static>,
917 extensions: ClientExtensionsInput<'static>,
918 ) -> Result<Self, Error> {
919 Ok(Self {
920 inner: UnbufferedConnectionCommon::from(ConnectionCore::for_client(
921 config,
922 name,
923 extensions,
924 Protocol::Tcp,
925 )?),
926 })
927 }
928
929 /// Extract secrets, so they can be used when configuring kTLS, for example.
930 /// Should be used with care as it exposes secret key material.
931 #[deprecated = "dangerous_extract_secrets() does not support session tickets or \
932 key updates, use dangerous_into_kernel_connection() instead"]
933 pub fn dangerous_extract_secrets(self) -> Result<ExtractedSecrets, Error> {
934 self.inner.dangerous_extract_secrets()
935 }
936
937 /// Extract secrets and a [`KernelConnection`] object.
938 ///
939 /// This allows you use rustls to manage keys and then manage encryption and
940 /// decryption yourself (e.g. for kTLS).
941 ///
942 /// Should be used with care as it exposes secret key material.
943 ///
944 /// See the [`crate::kernel`] documentations for details on prerequisites
945 /// for calling this method.
946 pub fn dangerous_into_kernel_connection(
947 self,
948 ) -> Result<(ExtractedSecrets, KernelConnection<ClientConnectionData>), Error> {
949 self.inner
950 .core
951 .dangerous_into_kernel_connection()
952 }
953
954 /// Returns the number of TLS1.3 tickets that have been received.
955 pub fn tls13_tickets_received(&self) -> u32 {
956 self.inner.tls13_tickets_received
957 }
958}
959
960impl Deref for UnbufferedClientConnection {
961 type Target = UnbufferedConnectionCommon<ClientConnectionData>;
962
963 fn deref(&self) -> &Self::Target {
964 &self.inner
965 }
966}
967
968impl DerefMut for UnbufferedClientConnection {
969 fn deref_mut(&mut self) -> &mut Self::Target {
970 &mut self.inner
971 }
972}
973
974impl TransmitTlsData<'_, ClientConnectionData> {
975 /// returns an adapter that allows encrypting early (RTT-0) data before transmitting the
976 /// already encoded TLS data
977 ///
978 /// IF allowed by the protocol
979 pub fn may_encrypt_early_data(&mut self) -> Option<MayEncryptEarlyData<'_>> {
980 if self
981 .conn
982 .core
983 .data
984 .early_data
985 .is_enabled()
986 {
987 Some(MayEncryptEarlyData { conn: self.conn })
988 } else {
989 None
990 }
991 }
992}
993
994/// Allows encrypting early (RTT-0) data
995pub struct MayEncryptEarlyData<'c> {
996 conn: &'c mut UnbufferedConnectionCommon<ClientConnectionData>,
997}
998
999impl MayEncryptEarlyData<'_> {
1000 /// Encrypts `application_data` into the `outgoing_tls` buffer
1001 ///
1002 /// returns the number of bytes that were written into `outgoing_tls`, or an error if
1003 /// the provided buffer was too small. In the error case, `outgoing_tls` is not modified
1004 pub fn encrypt(
1005 &mut self,
1006 early_data: &[u8],
1007 outgoing_tls: &mut [u8],
1008 ) -> Result<usize, EarlyDataError> {
1009 let Some(allowed) = self
1010 .conn
1011 .core
1012 .data
1013 .early_data
1014 .check_write_opt(early_data.len())
1015 else {
1016 return Err(EarlyDataError::ExceededAllowedEarlyData);
1017 };
1018
1019 self.conn
1020 .core
1021 .common_state
1022 .write_plaintext(early_data[..allowed].into(), outgoing_tls)
1023 .map_err(|e| e.into())
1024 }
1025}
1026
1027/// Errors that may arise when encrypting early (RTT-0) data
1028#[derive(Debug)]
1029pub enum EarlyDataError {
1030 /// Cannot encrypt more early data due to imposed limits
1031 ExceededAllowedEarlyData,
1032 /// Encryption error
1033 Encrypt(EncryptError),
1034}
1035
1036impl From<EncryptError> for EarlyDataError {
1037 fn from(v: EncryptError) -> Self {
1038 Self::Encrypt(v)
1039 }
1040}
1041
1042impl fmt::Display for EarlyDataError {
1043 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1044 match self {
1045 Self::ExceededAllowedEarlyData => f.write_str("cannot send any more early data"),
1046 Self::Encrypt(e) => fmt::Display::fmt(e, f),
1047 }
1048 }
1049}
1050
1051#[cfg(feature = "std")]
1052impl std::error::Error for EarlyDataError {}
1053
1054/// State associated with a client connection.
1055#[derive(Debug)]
1056pub struct ClientConnectionData {
1057 pub(super) early_data: EarlyData,
1058 pub(super) ech_status: EchStatus,
1059}
1060
1061impl ClientConnectionData {
1062 fn new() -> Self {
1063 Self {
1064 early_data: EarlyData::new(),
1065 ech_status: EchStatus::NotOffered,
1066 }
1067 }
1068}
1069
1070impl crate::conn::SideData for ClientConnectionData {}