Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add a rate limiting TCP listener #226

Merged
merged 3 commits into from
May 29, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 2 additions & 0 deletions Cargo.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

2 changes: 2 additions & 0 deletions Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -22,6 +22,8 @@ required-features = ["testing"]

[dependencies]
anyhow = "1.0"
async-h1 = "2.3"
async-lock = "3.3"
async-std = { version = "1.12", features = ["attributes", "tokio1"] }
async-trait = "0.1.79"
clap = { version = "4.5", features = ["derive"] }
Expand Down
6 changes: 3 additions & 3 deletions flake.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

7 changes: 5 additions & 2 deletions src/app.rs
Original file line number Diff line number Diff line change
Expand Up @@ -667,7 +667,7 @@ where
let message = format!("No API matches /{}", path[1..].join("/"));
return Ok(Self::top_level_error(req, StatusCode::NotFound, message));
};
if module.versions.get(&version).is_none() {
if !module.versions.contains_key(&version) {
// This version is not supported, list suported versions.
return Ok(html! {
"Unsupported version v" (version) ". Supported versions are:"
Expand Down Expand Up @@ -1526,7 +1526,10 @@ mod test {
tracing::info!(?res, "<-");
assert_eq!(res.status(), expected_status);
let bytes = res.bytes().await.unwrap();
S::deserialize(&bytes)
anyhow::Context::context(
S::deserialize(&bytes),
format!("failed to deserialize bytes {bytes:?}"),
)
}

#[tracing::instrument(skip(client))]
Expand Down
1 change: 1 addition & 0 deletions src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -282,6 +282,7 @@ pub mod api;
pub mod app;
pub mod error;
pub mod healthcheck;
pub mod listener;
pub mod method;
pub mod metrics;
pub mod request;
Expand Down
237 changes: 237 additions & 0 deletions src/listener.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,237 @@
// Copyright (c) 2022 Espresso Systems (espressosys.com)
// This file is part of the tide-disco library.

// You should have received a copy of the MIT License
// along with the tide-disco library. If not, see <https://mit-license.org/>.

use crate::StatusCode;
use async_lock::Semaphore;
use async_std::{
net::TcpListener,
sync::Arc,
task::{sleep, spawn},
};
use async_trait::async_trait;
use derivative::Derivative;
use futures::stream::StreamExt;
use std::{
fmt::{self, Display, Formatter},
io::{self, ErrorKind},
net::SocketAddr,
time::Duration,
};
use tide::{
http,
listener::{ListenInfo, Listener, ToListener},
Server,
};

/// TCP listener which accepts only a limited number of connections at a time.
///
/// This listener is based on [`tide::listener::TcpListener`] and should match the semantics of that
/// listener in every way, accept that when there are more simultaneous outstanding requests than
/// the configured limit, excess requests will fail immediately with error code 429 (Too Many
/// Requests).
#[derive(Derivative)]
#[derivative(Debug(bound = "State: Send + Sync + 'static"))]
pub struct RateLimitListener<State> {
addr: SocketAddr,
listener: Option<TcpListener>,
server: Option<Server<State>>,
info: Option<ListenInfo>,
permit: Arc<Semaphore>,
}

impl<State> RateLimitListener<State> {
/// Listen at the given address.
pub fn new(addr: SocketAddr, limit: usize) -> Self {
Self {
addr,
listener: None,
server: None,
info: None,
permit: Arc::new(Semaphore::new(limit)),
}
}

/// Listen at the given port on all interfaces.
pub fn with_port(port: u16, limit: usize) -> Self {
Self::new(([0, 0, 0, 0], port).into(), limit)
}
}

#[async_trait]
impl<State> Listener<State> for RateLimitListener<State>
where
State: Clone + Send + Sync + 'static,
{
async fn bind(&mut self, app: Server<State>) -> io::Result<()> {
if self.server.is_some() {
return Err(io::Error::new(
ErrorKind::AlreadyExists,
"`bind` should only be called once",
));
}
self.server = Some(app);
self.listener = Some(TcpListener::bind(&[self.addr][..]).await?);

// Format the listen information.
let conn_string = format!("{}", self);
let transport = "tcp".to_owned();
let tls = false;
self.info = Some(ListenInfo::new(conn_string, transport, tls));

Ok(())
}

async fn accept(&mut self) -> io::Result<()> {
let server = self.server.take().ok_or_else(|| {
io::Error::other("`Listener::bind` must be called before `Listener::accept`")
})?;
let listener = self.listener.take().ok_or_else(|| {
io::Error::other("`Listener::bind` must be called before `Listener::accept`")
})?;

let mut incoming = listener.incoming();
while let Some(stream) = incoming.next().await {
match stream {
Err(err) if is_transient_error(&err) => continue,
rob-maron marked this conversation as resolved.
Show resolved Hide resolved
Err(err) => {
tracing::warn!(%err, "TCP error");
sleep(Duration::from_millis(500)).await;
continue;
}
Ok(stream) => {
let app = server.clone();
let permit = self.permit.clone();
spawn(async move {
let local_addr = stream.local_addr().ok();
let peer_addr = stream.peer_addr().ok();

let fut = async_h1::accept(stream, |mut req| async {
// Handle the request if we can get a permit.
if let Some(_guard) = permit.try_acquire() {
req.set_local_addr(local_addr);
req.set_peer_addr(peer_addr);
app.respond(req).await
} else {
// Otherwise, we are rate limited. Respond immediately with an
// error.
Ok(http::Response::new(StatusCode::TooManyRequests))
}
});

if let Err(error) = fut.await {
tracing::error!(%error, "HTTP error");
}
});
}
};
}
Ok(())
}

fn info(&self) -> Vec<ListenInfo> {
match &self.info {
Some(info) => vec![info.clone()],
None => vec![],
}
}
}

impl<State> ToListener<State> for RateLimitListener<State>
where
State: Clone + Send + Sync + 'static,
{
type Listener = Self;

fn to_listener(self) -> io::Result<Self::Listener> {
Ok(self)
}
}

impl<State> Display for RateLimitListener<State> {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
match &self.listener {
Some(listener) => {
let addr = listener.local_addr().expect("Could not get local addr");
write!(f, "http://{}", addr)
}
None => write!(f, "http://{}", self.addr),
}
}
}

fn is_transient_error(e: &io::Error) -> bool {
matches!(
e.kind(),
ErrorKind::ConnectionRefused | ErrorKind::ConnectionAborted | ErrorKind::ConnectionReset
)
}

#[cfg(test)]
mod test {
use super::*;
use crate::{
error::ServerError,
testing::{setup_test, Client},
App,
};
use futures::future::{try_join_all, FutureExt};
use portpicker::pick_unused_port;
use toml::toml;
use vbs::version::{StaticVersion, StaticVersionType};

type StaticVer01 = StaticVersion<0, 1>;

#[async_std::test]
async fn test_rate_limiting() {
setup_test();

let mut app = App::<_, ServerError>::with_state(());
let api_toml = toml! {
[route.test]
PATH = ["/test"]
METHOD = "GET"
};
{
let mut api = app
.module::<ServerError, StaticVer01>("mod", api_toml)
.unwrap();
api.get("test", |_req, _state| {
async move {
// Make a really slow endpoint so we can have many simultaneous requests.
sleep(Duration::from_secs(30)).await;
Ok(())
}
.boxed()
})
.unwrap();
}

let limit = 10;
let port = pick_unused_port().unwrap();
spawn(app.serve(
RateLimitListener::with_port(port, limit),
StaticVer01::instance(),
));
let client = Client::new(format!("http://localhost:{port}").parse().unwrap()).await;

// Start the maximum number of simultaneous requests.
let reqs = (0..limit)
.map(|_| spawn(client.get("mod/test").send()))
.collect::<Vec<_>>();

// Wait a bit for those requests to get accepted.
sleep(Duration::from_secs(5)).await;

// The next request gets rate limited.
let res = client.get("mod/test").send().await.unwrap();
assert_eq!(StatusCode::TooManyRequests, res.status());

// The other requests eventually complete successfully.
for res in try_join_all(reqs).await.unwrap() {
assert_eq!(StatusCode::Ok, res.status());
}
}
}
4 changes: 2 additions & 2 deletions src/route.rs
Original file line number Diff line number Diff line change
Expand Up @@ -624,13 +624,13 @@ pub(crate) fn health_check_response<H: HealthCheck, VER: StaticVersionType>(
///
/// Given a handler, this function can be used to derive a new, type-erased [HealthCheckHandler]
/// that takes only [RequestParams] and returns a generic [tide::Response].
pub(crate) fn health_check_handler<State, H, VER: StaticVersionType>(
pub(crate) fn health_check_handler<State, H, VER>(
handler: impl 'static + Send + Sync + Fn(&State) -> BoxFuture<H>,
) -> HealthCheckHandler<State>
where
State: 'static + Send + Sync,
H: 'static + HealthCheck,
VER: 'static + Send + Sync,
VER: 'static + Send + Sync + StaticVersionType,
{
Box::new(move |req, state| {
let accept = req.accept().unwrap_or_else(|_| {
Expand Down
Loading