1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326
//! Implementation of a WebSocket client.
//!
//! This can be used in three ways:
//! - By letting the library connect to a remote URI and performing a HTTP/1.1
//! Upgrade handshake, via [`Builder::connect`]
//! - By letting the library perform a HTTP/1.1 Upgrade handshake on an
//! established stream, via [`Builder::connect_on`]
//! - By performing the handshake yourself and then using
//! [`Builder::take_over`] to let it take over a WebSocket stream
use std::{future::poll_fn, io, pin::Pin, str::FromStr};
use base64::{engine::general_purpose, Engine};
use futures_core::Stream;
use http::{header::HeaderName, HeaderMap, HeaderValue, Uri};
use tokio::{
io::{AsyncRead, AsyncWrite, AsyncWriteExt},
net::TcpStream,
};
use tokio_util::codec::FramedRead;
use crate::{
proto::{Config, Limits, Role},
resolver::{self, Resolver},
upgrade::{self, server_response},
Connector, Error, MaybeTlsStream, WebSocketStream,
};
/// Generates a new, random 16-byte WebSocket key and encodes it as base64.
pub(crate) fn make_key() -> [u8; 24] {
let mut key_base64 = [0; 24];
let key_bytes = crate::rand::get_key();
// SAFETY: We know that 16 bytes will be 24 bytes base64-encoded
unsafe {
general_purpose::STANDARD
.encode_slice(key_bytes, &mut key_base64)
.unwrap_unchecked()
};
key_base64
}
/// Guesses the port to connect on for a URI. If none is specified, port 443
/// will be used for TLS, 80 for plain HTTP.
fn default_port(uri: &Uri) -> Option<u16> {
if let Some(port) = uri.port_u16() {
return Some(port);
}
let scheme = uri.scheme_str();
match scheme {
Some("https" | "wss") => Some(443),
Some("http" | "ws") => Some(80),
_ => None,
}
}
/// Builds a HTTP/1.1 Upgrade request for a URI with extra headers and a
/// WebSocket key.
fn build_request(uri: &Uri, key: &[u8], headers: &HeaderMap) -> Vec<u8> {
let mut buf = Vec::new();
buf.extend_from_slice(b"GET ");
buf.extend_from_slice(uri.path().as_bytes());
if let Some(query) = uri.query() {
buf.extend_from_slice(b"?");
buf.extend_from_slice(query.as_bytes());
}
buf.extend_from_slice(b" HTTP/1.1\r\n");
if let Some(host) = uri.host() {
buf.extend_from_slice(b"Host: ");
buf.extend_from_slice(host.as_bytes());
if let Some(port) = default_port(uri) {
buf.extend_from_slice(b":");
buf.extend_from_slice(port.to_string().as_bytes());
}
buf.extend_from_slice(b"\r\n");
}
buf.extend_from_slice(b"Upgrade: websocket\r\nConnection: Upgrade\r\nSec-WebSocket-Key: ");
buf.extend_from_slice(key);
buf.extend_from_slice(b"\r\nSec-WebSocket-Version: 13\r\n");
for (name, value) in headers {
buf.extend_from_slice(name.as_str().as_bytes());
buf.extend_from_slice(b": ");
buf.extend_from_slice(value.as_bytes());
buf.extend_from_slice(b"\r\n");
}
buf.extend_from_slice(b"\r\n");
buf
}
/// Builder for WebSocket client connections.
pub struct Builder<'a, R: Resolver = resolver::Gai> {
/// URI to connect to, required unless connecting to an established
/// WebSocket stream.
uri: Option<Uri>,
/// A TLS connector to use for the connection. If not set and required, a
/// new one will be created.
connector: Option<&'a Connector>,
/// A DNS resolver to use for looking up the hostname.
resolver: R,
/// Configuration for the WebSocket stream.
config: Config,
/// Limits to impose on the WebSocket stream.
limits: Limits,
/// Headers to be sent with the upgrade request.
headers: HeaderMap,
}
impl<'a> Builder<'a> {
/// Creates a [`Builder`] with all defaults that is not configured to
/// connect to any server.
#[must_use]
pub fn new() -> Self {
Self {
uri: None,
connector: None,
resolver: resolver::Gai,
config: Config::default(),
limits: Limits::default(),
headers: HeaderMap::new(),
}
}
/// Creates a [`Builder`] that connects to a given URI. This URI must use
/// the `ws` or `wss` schemes.
///
/// This method never fails as the URI has already been parsed.
#[must_use]
pub fn from_uri(uri: Uri) -> Self {
Self {
uri: Some(uri),
connector: None,
resolver: resolver::Gai,
config: Config::default(),
limits: Limits::default(),
headers: HeaderMap::new(),
}
}
}
impl<'a, R: Resolver> Builder<'a, R> {
/// Sets the [`Uri`] to connect to. This URI must use the `ws` or `wss`
/// schemes.
///
/// # Errors
///
/// This method returns a [`http::uri::InvalidUri`] error if URI parsing
/// fails.
pub fn uri(mut self, uri: &str) -> Result<Self, http::uri::InvalidUri> {
self.uri = Some(Uri::from_str(uri)?);
Ok(self)
}
/// Sets the TLS connector for the client.
///
/// By default, the client will create a new one for each connection instead
/// of reusing one.
#[must_use]
pub fn connector(mut self, connector: &'a Connector) -> Self {
self.connector = Some(connector);
self
}
/// Sets the DNS resolver for the client.
///
/// By default, the client will use the [`Gai`] resolver, a wrapper around
/// the blocking `getaddrinfo` syscall.
///
/// [`Gai`]: resolver::Gai
#[must_use]
pub fn resolver<NewR: Resolver>(self, resolver: NewR) -> Builder<'a, NewR> {
let Builder {
uri,
connector,
resolver: _,
config,
limits,
headers,
} = self;
Builder {
uri,
connector,
resolver,
config,
limits,
headers,
}
}
/// Sets the configuration for the WebSocket stream.
#[must_use]
pub fn config(mut self, config: Config) -> Self {
self.config = config;
self
}
/// Sets the limits for the WebSocket stream.
#[must_use]
pub fn limits(mut self, limits: Limits) -> Self {
self.limits = limits;
self
}
/// Adds an extra HTTP header to the handshake request.
#[must_use]
pub fn add_header(mut self, name: HeaderName, value: HeaderValue) -> Self {
self.headers.insert(name, value);
self
}
/// Establishes a connection to the WebSocket server. This requires a URI to
/// be configured via [`Builder::uri`].
///
/// # Errors
///
/// This method returns an [`Error`] if connecting to the server fails or no
/// URI has been configured.
pub async fn connect(
&self,
) -> Result<
(
WebSocketStream<MaybeTlsStream<TcpStream>>,
upgrade::Response,
),
Error,
> {
let uri = self.uri.as_ref().ok_or(Error::NoUriConfigured)?;
// Uri::host contains square brackets around IPv6 addresses, which is required
// by the RFC: https://datatracker.ietf.org/doc/html/rfc3986#section-3.2.2
// These, however, do not resolve.
let host = uri
.host()
.ok_or(Error::CannotResolveHost)?
.trim_start_matches('[')
.trim_end_matches(']');
let port = default_port(uri).unwrap_or(80);
let addr = self.resolver.resolve(host, port).await?;
let stream = TcpStream::connect(&addr).await?;
let stream = if uri.scheme_str() == Some("wss") {
if let Some(connector) = self.connector {
connector.wrap(host, stream).await?
} else {
let connector = Connector::new()?;
connector.wrap(host, stream).await?
}
} else if uri.scheme_str() == Some("ws") {
Connector::Plain.wrap(host, stream).await?
} else {
return Err(Error::UnsupportedScheme);
};
self.connect_on(stream).await
}
/// Takes over an already established stream and uses it to send and receive
/// WebSocket messages. This requires a URI to be configured via
/// [`Builder::uri`].
///
/// This method assumes that the TLS connection has already been
/// established, if needed. It sends an HTTP upgrade request and waits
/// for an HTTP Switching Protocols response before proceeding.
///
/// # Errors
///
/// This method returns an [`Error`] if writing or reading from the stream
/// fails or no URI has been configured.
pub async fn connect_on<S: AsyncRead + AsyncWrite + Unpin>(
&self,
mut stream: S,
) -> Result<(WebSocketStream<S>, upgrade::Response), Error> {
let uri = self.uri.as_ref().ok_or(Error::NoUriConfigured)?;
let key_base64 = make_key();
let upgrade_codec = server_response::Codec::new(&key_base64);
let request = build_request(uri, &key_base64, &self.headers);
stream.write_all(&request).await?;
let mut framed = FramedRead::new(stream, upgrade_codec);
let res = poll_fn(|cx| Pin::new(&mut framed).poll_next(cx))
.await
.ok_or(Error::Io(io::ErrorKind::UnexpectedEof.into()))??;
Ok((
WebSocketStream::from_framed(framed, Role::Client, self.config, self.limits),
res,
))
}
/// Takes over an already established stream that has already performed a
/// HTTP upgrade handshake and uses it to send and receive WebSocket
/// messages.
///
/// This method will not perform a TLS handshake or a HTTP upgrade
/// handshake, it assumes the stream is ready to use for writing and
/// reading the WebSocket protocol.
pub fn take_over<S: AsyncRead + AsyncWrite + Unpin>(&self, stream: S) -> WebSocketStream<S> {
WebSocketStream::from_raw_stream(stream, Role::Client, self.config, self.limits)
}
}
impl<'a> Default for Builder<'a> {
fn default() -> Self {
Self::new()
}
}