Compare commits
2 Commits
| Author | SHA1 | Date | |
|---|---|---|---|
| 5dccbbc9d1 | |||
| 92d7113c6c |
@@ -1,5 +1,11 @@
|
|||||||
# Changelog
|
# Changelog
|
||||||
|
|
||||||
|
## 2026-03-17 - 25.11.23 - fix(rustproxy-http,rustproxy-metrics)
|
||||||
|
reduce per-frame metrics overhead by batching body byte accounting
|
||||||
|
|
||||||
|
- Buffer HTTP body byte counts and flush them every 64 KB, at end of stream, and on drop to keep totals accurate while preserving throughput sampling.
|
||||||
|
- Skip zero-value counter updates in metrics collection to avoid unnecessary atomic and DashMap operations for the unused direction.
|
||||||
|
|
||||||
## 2026-03-17 - 25.11.22 - fix(rustproxy-http)
|
## 2026-03-17 - 25.11.22 - fix(rustproxy-http)
|
||||||
reuse healthy HTTP/2 upstream connections after requests with bodies
|
reuse healthy HTTP/2 upstream connections after requests with bodies
|
||||||
|
|
||||||
|
|||||||
@@ -1,6 +1,6 @@
|
|||||||
{
|
{
|
||||||
"name": "@push.rocks/smartproxy",
|
"name": "@push.rocks/smartproxy",
|
||||||
"version": "25.11.22",
|
"version": "25.11.23",
|
||||||
"private": false,
|
"private": false,
|
||||||
"description": "A powerful proxy package with unified route-based configuration for high traffic management. Features include SSL/TLS support, flexible routing patterns, WebSocket handling, advanced security options, and automatic ACME certificate management.",
|
"description": "A powerful proxy package with unified route-based configuration for high traffic management. Features include SSL/TLS support, flexible routing patterns, WebSocket handling, advanced security options, and automatic ACME certificate management.",
|
||||||
"main": "dist_ts/index.js",
|
"main": "dist_ts/index.js",
|
||||||
|
|||||||
@@ -9,10 +9,17 @@ use bytes::Bytes;
|
|||||||
use http_body::Frame;
|
use http_body::Frame;
|
||||||
use rustproxy_metrics::MetricsCollector;
|
use rustproxy_metrics::MetricsCollector;
|
||||||
|
|
||||||
|
/// Flush accumulated bytes to the metrics collector every 64 KB.
|
||||||
|
/// This reduces per-frame DashMap shard-locked reads from ~15 to ~1 per 4 frames
|
||||||
|
/// (assuming typical 16 KB upload frames). The 1 Hz throughput sampler still sees
|
||||||
|
/// data within one sampling period even at low transfer rates.
|
||||||
|
const BYTE_FLUSH_THRESHOLD: u64 = 65_536;
|
||||||
|
|
||||||
/// Wraps any `http_body::Body` and counts data bytes passing through.
|
/// Wraps any `http_body::Body` and counts data bytes passing through.
|
||||||
///
|
///
|
||||||
/// Each chunk is reported to the `MetricsCollector` immediately so that
|
/// Bytes are accumulated and flushed to the `MetricsCollector` every
|
||||||
/// the throughput tracker (sampled at 1 Hz) reflects real-time data flow.
|
/// [`BYTE_FLUSH_THRESHOLD`] bytes (and on Drop) so the throughput tracker
|
||||||
|
/// (sampled at 1 Hz) reflects real-time data flow without per-frame overhead.
|
||||||
///
|
///
|
||||||
/// The inner body is pinned on the heap to support `!Unpin` types like `hyper::body::Incoming`.
|
/// The inner body is pinned on the heap to support `!Unpin` types like `hyper::body::Incoming`.
|
||||||
pub struct CountingBody<B> {
|
pub struct CountingBody<B> {
|
||||||
@@ -22,6 +29,8 @@ pub struct CountingBody<B> {
|
|||||||
source_ip: Option<String>,
|
source_ip: Option<String>,
|
||||||
/// Whether we count bytes as "in" (request body) or "out" (response body).
|
/// Whether we count bytes as "in" (request body) or "out" (response body).
|
||||||
direction: Direction,
|
direction: Direction,
|
||||||
|
/// Accumulated bytes not yet flushed to the metrics collector.
|
||||||
|
pending_bytes: u64,
|
||||||
/// Optional connection-level activity tracker. When set, poll_frame updates this
|
/// Optional connection-level activity tracker. When set, poll_frame updates this
|
||||||
/// to keep the idle watchdog alive during active body streaming (uploads/downloads).
|
/// to keep the idle watchdog alive during active body streaming (uploads/downloads).
|
||||||
connection_activity: Option<Arc<AtomicU64>>,
|
connection_activity: Option<Arc<AtomicU64>>,
|
||||||
@@ -57,6 +66,7 @@ impl<B> CountingBody<B> {
|
|||||||
route_id,
|
route_id,
|
||||||
source_ip,
|
source_ip,
|
||||||
direction,
|
direction,
|
||||||
|
pending_bytes: 0,
|
||||||
connection_activity: None,
|
connection_activity: None,
|
||||||
activity_start: None,
|
activity_start: None,
|
||||||
active_requests: None,
|
active_requests: None,
|
||||||
@@ -81,14 +91,19 @@ impl<B> CountingBody<B> {
|
|||||||
self
|
self
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Report a chunk of bytes immediately to the metrics collector.
|
/// Flush accumulated bytes to the metrics collector.
|
||||||
#[inline]
|
#[inline]
|
||||||
fn report_chunk(&self, len: u64) {
|
fn flush_pending(&mut self) {
|
||||||
|
if self.pending_bytes == 0 {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
let bytes = self.pending_bytes;
|
||||||
|
self.pending_bytes = 0;
|
||||||
let route_id = self.route_id.as_deref();
|
let route_id = self.route_id.as_deref();
|
||||||
let source_ip = self.source_ip.as_deref();
|
let source_ip = self.source_ip.as_deref();
|
||||||
match self.direction {
|
match self.direction {
|
||||||
Direction::In => self.metrics.record_bytes(len, 0, route_id, source_ip),
|
Direction::In => self.metrics.record_bytes(bytes, 0, route_id, source_ip),
|
||||||
Direction::Out => self.metrics.record_bytes(0, len, route_id, source_ip),
|
Direction::Out => self.metrics.record_bytes(0, bytes, route_id, source_ip),
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -113,9 +128,12 @@ where
|
|||||||
Poll::Ready(Some(Ok(frame))) => {
|
Poll::Ready(Some(Ok(frame))) => {
|
||||||
if let Some(data) = frame.data_ref() {
|
if let Some(data) = frame.data_ref() {
|
||||||
let len = data.len() as u64;
|
let len = data.len() as u64;
|
||||||
// Report bytes immediately so the 1 Hz throughput sampler sees them
|
this.pending_bytes += len;
|
||||||
this.report_chunk(len);
|
if this.pending_bytes >= BYTE_FLUSH_THRESHOLD {
|
||||||
// Keep the connection-level idle watchdog alive during body streaming
|
this.flush_pending();
|
||||||
|
}
|
||||||
|
// Keep the connection-level idle watchdog alive on every frame
|
||||||
|
// (this is just one atomic store — cheap enough per-frame)
|
||||||
if let (Some(activity), Some(start)) = (&this.connection_activity, &this.activity_start) {
|
if let (Some(activity), Some(start)) = (&this.connection_activity, &this.activity_start) {
|
||||||
activity.store(start.elapsed().as_millis() as u64, Ordering::Relaxed);
|
activity.store(start.elapsed().as_millis() as u64, Ordering::Relaxed);
|
||||||
}
|
}
|
||||||
@@ -123,7 +141,11 @@ where
|
|||||||
Poll::Ready(Some(Ok(frame)))
|
Poll::Ready(Some(Ok(frame)))
|
||||||
}
|
}
|
||||||
Poll::Ready(Some(Err(e))) => Poll::Ready(Some(Err(e))),
|
Poll::Ready(Some(Err(e))) => Poll::Ready(Some(Err(e))),
|
||||||
Poll::Ready(None) => Poll::Ready(None),
|
Poll::Ready(None) => {
|
||||||
|
// End of stream — flush any remaining bytes
|
||||||
|
this.flush_pending();
|
||||||
|
Poll::Ready(None)
|
||||||
|
}
|
||||||
Poll::Pending => Poll::Pending,
|
Poll::Pending => Poll::Pending,
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -139,6 +161,8 @@ where
|
|||||||
|
|
||||||
impl<B> Drop for CountingBody<B> {
|
impl<B> Drop for CountingBody<B> {
|
||||||
fn drop(&mut self) {
|
fn drop(&mut self) {
|
||||||
|
// Flush any remaining accumulated bytes so totals stay accurate
|
||||||
|
self.flush_pending();
|
||||||
// Decrement the active-request counter so the HTTP idle watchdog
|
// Decrement the active-request counter so the HTTP idle watchdog
|
||||||
// knows this response body is no longer streaming.
|
// knows this response body is no longer streaming.
|
||||||
if let Some(ref counter) = self.active_requests {
|
if let Some(ref counter) = self.active_requests {
|
||||||
|
|||||||
@@ -259,40 +259,49 @@ impl MetricsCollector {
|
|||||||
/// Called per-chunk in the TCP copy loop. Only touches AtomicU64 counters —
|
/// Called per-chunk in the TCP copy loop. Only touches AtomicU64 counters —
|
||||||
/// no Mutex is taken. The throughput trackers are fed during `sample_all()`.
|
/// no Mutex is taken. The throughput trackers are fed during `sample_all()`.
|
||||||
pub fn record_bytes(&self, bytes_in: u64, bytes_out: u64, route_id: Option<&str>, source_ip: Option<&str>) {
|
pub fn record_bytes(&self, bytes_in: u64, bytes_out: u64, route_id: Option<&str>, source_ip: Option<&str>) {
|
||||||
self.total_bytes_in.fetch_add(bytes_in, Ordering::Relaxed);
|
// Short-circuit: only touch counters for the direction that has data.
|
||||||
self.total_bytes_out.fetch_add(bytes_out, Ordering::Relaxed);
|
// CountingBody always calls with one direction zero — skipping the zero
|
||||||
|
// direction avoids ~50% of DashMap shard-locked reads per call.
|
||||||
// Accumulate into lock-free pending throughput counters
|
if bytes_in > 0 {
|
||||||
self.global_pending_tp_in.fetch_add(bytes_in, Ordering::Relaxed);
|
self.total_bytes_in.fetch_add(bytes_in, Ordering::Relaxed);
|
||||||
self.global_pending_tp_out.fetch_add(bytes_out, Ordering::Relaxed);
|
self.global_pending_tp_in.fetch_add(bytes_in, Ordering::Relaxed);
|
||||||
|
}
|
||||||
|
if bytes_out > 0 {
|
||||||
|
self.total_bytes_out.fetch_add(bytes_out, Ordering::Relaxed);
|
||||||
|
self.global_pending_tp_out.fetch_add(bytes_out, Ordering::Relaxed);
|
||||||
|
}
|
||||||
|
|
||||||
// Per-route tracking: use get() first (zero-alloc fast path for existing entries),
|
// Per-route tracking: use get() first (zero-alloc fast path for existing entries),
|
||||||
// fall back to entry() with to_string() only on the rare first-chunk miss.
|
// fall back to entry() with to_string() only on the rare first-chunk miss.
|
||||||
if let Some(route_id) = route_id {
|
if let Some(route_id) = route_id {
|
||||||
if let Some(counter) = self.route_bytes_in.get(route_id) {
|
if bytes_in > 0 {
|
||||||
counter.fetch_add(bytes_in, Ordering::Relaxed);
|
if let Some(counter) = self.route_bytes_in.get(route_id) {
|
||||||
} else {
|
counter.fetch_add(bytes_in, Ordering::Relaxed);
|
||||||
self.route_bytes_in.entry(route_id.to_string())
|
} else {
|
||||||
.or_insert_with(|| AtomicU64::new(0))
|
self.route_bytes_in.entry(route_id.to_string())
|
||||||
.fetch_add(bytes_in, Ordering::Relaxed);
|
.or_insert_with(|| AtomicU64::new(0))
|
||||||
|
.fetch_add(bytes_in, Ordering::Relaxed);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
if let Some(counter) = self.route_bytes_out.get(route_id) {
|
if bytes_out > 0 {
|
||||||
counter.fetch_add(bytes_out, Ordering::Relaxed);
|
if let Some(counter) = self.route_bytes_out.get(route_id) {
|
||||||
} else {
|
counter.fetch_add(bytes_out, Ordering::Relaxed);
|
||||||
self.route_bytes_out.entry(route_id.to_string())
|
} else {
|
||||||
.or_insert_with(|| AtomicU64::new(0))
|
self.route_bytes_out.entry(route_id.to_string())
|
||||||
.fetch_add(bytes_out, Ordering::Relaxed);
|
.or_insert_with(|| AtomicU64::new(0))
|
||||||
|
.fetch_add(bytes_out, Ordering::Relaxed);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// Accumulate into per-route pending throughput counters (lock-free)
|
// Accumulate into per-route pending throughput counters (lock-free)
|
||||||
if let Some(entry) = self.route_pending_tp.get(route_id) {
|
if let Some(entry) = self.route_pending_tp.get(route_id) {
|
||||||
entry.0.fetch_add(bytes_in, Ordering::Relaxed);
|
if bytes_in > 0 { entry.0.fetch_add(bytes_in, Ordering::Relaxed); }
|
||||||
entry.1.fetch_add(bytes_out, Ordering::Relaxed);
|
if bytes_out > 0 { entry.1.fetch_add(bytes_out, Ordering::Relaxed); }
|
||||||
} else {
|
} else {
|
||||||
let entry = self.route_pending_tp.entry(route_id.to_string())
|
let entry = self.route_pending_tp.entry(route_id.to_string())
|
||||||
.or_insert_with(|| (AtomicU64::new(0), AtomicU64::new(0)));
|
.or_insert_with(|| (AtomicU64::new(0), AtomicU64::new(0)));
|
||||||
entry.0.fetch_add(bytes_in, Ordering::Relaxed);
|
if bytes_in > 0 { entry.0.fetch_add(bytes_in, Ordering::Relaxed); }
|
||||||
entry.1.fetch_add(bytes_out, Ordering::Relaxed);
|
if bytes_out > 0 { entry.1.fetch_add(bytes_out, Ordering::Relaxed); }
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -302,30 +311,34 @@ impl MetricsCollector {
|
|||||||
// This prevents orphaned entries when record_bytes races with
|
// This prevents orphaned entries when record_bytes races with
|
||||||
// connection_closed (which evicts all per-IP data on last close).
|
// connection_closed (which evicts all per-IP data on last close).
|
||||||
if self.ip_connections.contains_key(ip) {
|
if self.ip_connections.contains_key(ip) {
|
||||||
if let Some(counter) = self.ip_bytes_in.get(ip) {
|
if bytes_in > 0 {
|
||||||
counter.fetch_add(bytes_in, Ordering::Relaxed);
|
if let Some(counter) = self.ip_bytes_in.get(ip) {
|
||||||
} else {
|
counter.fetch_add(bytes_in, Ordering::Relaxed);
|
||||||
self.ip_bytes_in.entry(ip.to_string())
|
} else {
|
||||||
.or_insert_with(|| AtomicU64::new(0))
|
self.ip_bytes_in.entry(ip.to_string())
|
||||||
.fetch_add(bytes_in, Ordering::Relaxed);
|
.or_insert_with(|| AtomicU64::new(0))
|
||||||
|
.fetch_add(bytes_in, Ordering::Relaxed);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
if let Some(counter) = self.ip_bytes_out.get(ip) {
|
if bytes_out > 0 {
|
||||||
counter.fetch_add(bytes_out, Ordering::Relaxed);
|
if let Some(counter) = self.ip_bytes_out.get(ip) {
|
||||||
} else {
|
counter.fetch_add(bytes_out, Ordering::Relaxed);
|
||||||
self.ip_bytes_out.entry(ip.to_string())
|
} else {
|
||||||
.or_insert_with(|| AtomicU64::new(0))
|
self.ip_bytes_out.entry(ip.to_string())
|
||||||
.fetch_add(bytes_out, Ordering::Relaxed);
|
.or_insert_with(|| AtomicU64::new(0))
|
||||||
|
.fetch_add(bytes_out, Ordering::Relaxed);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// Accumulate into per-IP pending throughput counters (lock-free)
|
// Accumulate into per-IP pending throughput counters (lock-free)
|
||||||
if let Some(entry) = self.ip_pending_tp.get(ip) {
|
if let Some(entry) = self.ip_pending_tp.get(ip) {
|
||||||
entry.0.fetch_add(bytes_in, Ordering::Relaxed);
|
if bytes_in > 0 { entry.0.fetch_add(bytes_in, Ordering::Relaxed); }
|
||||||
entry.1.fetch_add(bytes_out, Ordering::Relaxed);
|
if bytes_out > 0 { entry.1.fetch_add(bytes_out, Ordering::Relaxed); }
|
||||||
} else {
|
} else {
|
||||||
let entry = self.ip_pending_tp.entry(ip.to_string())
|
let entry = self.ip_pending_tp.entry(ip.to_string())
|
||||||
.or_insert_with(|| (AtomicU64::new(0), AtomicU64::new(0)));
|
.or_insert_with(|| (AtomicU64::new(0), AtomicU64::new(0)));
|
||||||
entry.0.fetch_add(bytes_in, Ordering::Relaxed);
|
if bytes_in > 0 { entry.0.fetch_add(bytes_in, Ordering::Relaxed); }
|
||||||
entry.1.fetch_add(bytes_out, Ordering::Relaxed);
|
if bytes_out > 0 { entry.1.fetch_add(bytes_out, Ordering::Relaxed); }
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -3,6 +3,6 @@
|
|||||||
*/
|
*/
|
||||||
export const commitinfo = {
|
export const commitinfo = {
|
||||||
name: '@push.rocks/smartproxy',
|
name: '@push.rocks/smartproxy',
|
||||||
version: '25.11.22',
|
version: '25.11.23',
|
||||||
description: 'A powerful proxy package with unified route-based configuration for high traffic management. Features include SSL/TLS support, flexible routing patterns, WebSocket handling, advanced security options, and automatic ACME certificate management.'
|
description: 'A powerful proxy package with unified route-based configuration for high traffic management. Features include SSL/TLS support, flexible routing patterns, WebSocket handling, advanced security options, and automatic ACME certificate management.'
|
||||||
}
|
}
|
||||||
|
|||||||
Reference in New Issue
Block a user