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
//! Implementation of a WebSocket server.
//!
//! This can be used in two ways:
//! - By letting the library perform a HTTP/1.1 Upgrade handshake on an
//! established stream, via [`Builder::accept`]
//! - By performing the handshake yourself and then using [`Builder::serve`]
//! to let it take over a WebSocket stream
use std::{future::poll_fn, io, pin::Pin};
use futures_core::Stream;
use tokio::io::{AsyncRead, AsyncWrite, AsyncWriteExt};
use tokio_util::codec::FramedRead;
use crate::{
proto::{Config, Limits, Role},
upgrade::client_request,
Error, WebSocketStream,
};
/// HTTP/1.1 400 Bad Request response payload.
const BAD_REQUEST: &[u8] = b"HTTP/1.1 400 Bad Request\r\n\r\n";
/// Builder for WebSocket server connections.
pub struct Builder {
/// Configuration for the WebSocket stream.
config: Config,
/// Limits to impose on the WebSocket stream.
limits: Limits,
}
impl Default for Builder {
fn default() -> Self {
Self::new()
}
}
impl Builder {
/// Creates a [`Builder`] that can be used to create a [`WebSocketStream`]
/// to receive messages at the server end.
#[must_use]
pub fn new() -> Self {
Self {
config: Config::default(),
limits: Limits::default(),
}
}
/// 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
}
/// Perform a HTTP upgrade handshake on an already established stream and
/// uses it to send and receive WebSocket messages.
///
/// # Errors
///
/// This method returns an [`Error`] if the handshake fails.
pub async fn accept<S: AsyncRead + AsyncWrite + Unpin>(
&self,
stream: S,
) -> Result<WebSocketStream<S>, Error> {
let mut framed = FramedRead::new(stream, client_request::Codec {});
let reply = poll_fn(|cx| Pin::new(&mut framed).poll_next(cx)).await;
match reply {
Some(Ok(response)) => {
framed.get_mut().write_all(response.as_bytes()).await?;
Ok(WebSocketStream::from_framed(
framed,
Role::Server,
self.config,
self.limits,
))
}
Some(Err(e)) => {
framed.get_mut().write_all(BAD_REQUEST).await?;
Err(e)
}
None => Err(Error::Io(io::ErrorKind::UnexpectedEof.into())),
}
}
/// Takes over an already established stream and uses it to send and receive
/// WebSocket messages.
///
/// This does not perform a HTTP upgrade handshake.
pub fn serve<S: AsyncRead + AsyncWrite + Unpin>(&self, stream: S) -> WebSocketStream<S> {
WebSocketStream::from_raw_stream(stream, Role::Server, self.config, self.limits)
}
}