diff --git a/ntex-connect/CHANGES.md b/ntex-connect/CHANGES.md index f4d5518a..77ebf832 100644 --- a/ntex-connect/CHANGES.md +++ b/ntex-connect/CHANGES.md @@ -1,5 +1,9 @@ # Changes +## [0.3.1] - 2023-09-11 + +* Add missing fmt::Debug impls + ## [0.3.0] - 2023-06-22 * Release v0.3.0 diff --git a/ntex-connect/Cargo.toml b/ntex-connect/Cargo.toml index 0e3af423..e4bd3b58 100644 --- a/ntex-connect/Cargo.toml +++ b/ntex-connect/Cargo.toml @@ -1,6 +1,6 @@ [package] name = "ntex-connect" -version = "0.3.0" +version = "0.3.1" authors = ["ntex contributors "] description = "ntexwork connect utils for ntex framework" keywords = ["network", "framework", "async", "futures"] @@ -34,13 +34,13 @@ glommio = ["ntex-rt/glommio", "ntex-glommio"] async-std = ["ntex-rt/async-std", "ntex-async-std"] [dependencies] -ntex-service = "1.2.0" +ntex-service = "1.2.6" ntex-bytes = "0.1.19" -ntex-http = "0.1.8" -ntex-io = "0.3.0" +ntex-http = "0.1.10" +ntex-io = "0.3.3" ntex-rt = "0.4.7" -ntex-tls = "0.3.0" -ntex-util = "0.3.0" +ntex-tls = "0.3.1" +ntex-util = "0.3.2" log = "0.4" thiserror = "1.0" diff --git a/ntex-connect/src/lib.rs b/ntex-connect/src/lib.rs index 6fd06ce8..5d6455fe 100644 --- a/ntex-connect/src/lib.rs +++ b/ntex-connect/src/lib.rs @@ -1,4 +1,6 @@ //! Tcp connector service +#![deny(rust_2018_idioms, unreachable_pub, missing_debug_implementations)] + #[macro_use] extern crate log; diff --git a/ntex-connect/src/openssl.rs b/ntex-connect/src/openssl.rs index 03f385f8..eb52e77d 100644 --- a/ntex-connect/src/openssl.rs +++ b/ntex-connect/src/openssl.rs @@ -1,4 +1,4 @@ -use std::io; +use std::{fmt, io}; pub use ntex_tls::openssl::SslFilter; pub use tls_openssl::ssl::{Error as SslError, HandshakeError, SslConnector, SslMethod}; @@ -88,6 +88,15 @@ impl Clone for Connector { } } +impl fmt::Debug for Connector { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("Connector(openssl)") + .field("connector", &self.connector) + .field("openssl", &self.openssl) + .finish() + } +} + impl ServiceFactory, C> for Connector { type Response = Io>; type Error = ConnectError; diff --git a/ntex-connect/src/rustls.rs b/ntex-connect/src/rustls.rs index fc6dbe6e..3771dcf7 100644 --- a/ntex-connect/src/rustls.rs +++ b/ntex-connect/src/rustls.rs @@ -1,4 +1,4 @@ -use std::io; +use std::{fmt, io}; pub use ntex_tls::rustls::TlsFilter; pub use tls_rustls::{ClientConfig, ServerName}; @@ -92,6 +92,14 @@ impl Clone for Connector { } } +impl fmt::Debug for Connector { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("Connector(rustls)") + .field("connector", &self.connector) + .finish() + } +} + impl ServiceFactory, C> for Connector { type Response = Io>; type Error = ConnectError; diff --git a/ntex-connect/src/service.rs b/ntex-connect/src/service.rs index 74839b50..b8c4dbde 100644 --- a/ntex-connect/src/service.rs +++ b/ntex-connect/src/service.rs @@ -1,5 +1,5 @@ use std::task::{Context, Poll}; -use std::{collections::VecDeque, future::Future, io, net::SocketAddr, pin::Pin}; +use std::{collections::VecDeque, fmt, future::Future, io, net::SocketAddr, pin::Pin}; use ntex_bytes::{PoolId, PoolRef}; use ntex_io::{types, Io}; @@ -61,6 +61,15 @@ impl Clone for Connector { } } +impl fmt::Debug for Connector { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("Connector") + .field("resolver", &self.resolver) + .field("memory_pool", &self.pool) + .finish() + } +} + impl ServiceFactory, C> for Connector { type Response = Io; type Error = ConnectError; @@ -105,6 +114,14 @@ impl<'f, T: Address> ConnectServiceResponse<'f, T> { } } +impl<'f, T: Address> fmt::Debug for ConnectServiceResponse<'f, T> { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("ConnectServiceResponse") + .field("pool", &self.pool) + .finish() + } +} + impl<'f, T: Address> Future for ConnectServiceResponse<'f, T> { type Output = Result; diff --git a/ntex-http/CHANGES.md b/ntex-http/CHANGES.md index db6dfa95..019b6f46 100644 --- a/ntex-http/CHANGES.md +++ b/ntex-http/CHANGES.md @@ -1,5 +1,9 @@ # Changes +## [0.1.10] - 2023-09-11 + +* Add missing fmt::Debug impls + ## [0.1.9] - 2022-12-09 * Add helper method HeaderValue::as_shared() diff --git a/ntex-http/Cargo.toml b/ntex-http/Cargo.toml index fcc52368..a439f644 100644 --- a/ntex-http/Cargo.toml +++ b/ntex-http/Cargo.toml @@ -1,6 +1,6 @@ [package] name = "ntex-http" -version = "0.1.9" +version = "0.1.10" authors = ["ntex contributors "] description = "Http types for ntex framework" keywords = ["network", "framework", "async", "futures"] @@ -20,4 +20,4 @@ http = "0.2" log = "0.4" fxhash = "0.2.1" itoa = "1.0.4" -ntex-bytes = "0.1.17" +ntex-bytes = "0.1.19" diff --git a/ntex-http/src/error.rs b/ntex-http/src/error.rs index a9f79d9d..8b5ff2e5 100644 --- a/ntex-http/src/error.rs +++ b/ntex-http/src/error.rs @@ -36,7 +36,7 @@ enum ErrorKind { } impl fmt::Debug for Error { - fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_tuple("ntex_http::Error") // Skip the noise of the ErrorKind enum .field(&self.get_ref()) diff --git a/ntex-http/src/lib.rs b/ntex-http/src/lib.rs index 30b07d9d..7f9887d2 100644 --- a/ntex-http/src/lib.rs +++ b/ntex-http/src/lib.rs @@ -1,4 +1,6 @@ //! Http protocol support. +#![deny(rust_2018_idioms, unreachable_pub, missing_debug_implementations)] + pub mod error; mod map; mod value; diff --git a/ntex-http/src/map.rs b/ntex-http/src/map.rs index be26b1ef..e7d1d364 100644 --- a/ntex-http/src/map.rs +++ b/ntex-http/src/map.rs @@ -62,6 +62,7 @@ impl Value { } } +#[derive(Debug)] pub struct ValueIntoIter { value: Value, } @@ -444,6 +445,7 @@ impl TryFrom<&str> for Value { } } +#[derive(Debug)] pub struct GetAll<'a> { idx: usize, item: Option<&'a Value>, @@ -477,6 +479,7 @@ impl<'a> Iterator for GetAll<'a> { } } +#[derive(Debug)] pub struct Keys<'a>(hash_map::Keys<'a, HeaderName, Value>); impl<'a> Iterator for Keys<'a> { @@ -497,6 +500,7 @@ impl<'a> IntoIterator for &'a HeaderMap { } } +#[derive(Debug)] pub struct Iter<'a> { idx: usize, current: Option<(&'a HeaderName, &'a VecDeque)>, diff --git a/ntex-http/src/value.rs b/ntex-http/src/value.rs index 93e3cc8c..c1bccdad 100644 --- a/ntex-http/src/value.rs +++ b/ntex-http/src/value.rs @@ -512,7 +512,7 @@ fn is_valid(b: u8) -> bool { impl Error for InvalidHeaderValue {} impl fmt::Debug for InvalidHeaderValue { - fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("InvalidHeaderValue") // skip _priv noise .finish() diff --git a/ntex-io/CHANGES.md b/ntex-io/CHANGES.md index 3255e9d3..3abbb537 100644 --- a/ntex-io/CHANGES.md +++ b/ntex-io/CHANGES.md @@ -1,5 +1,9 @@ # Changes +## [0.3.3] - 2023-09-11 + +* Add missing fmt::Debug impls + ## [0.3.2] - 2023-08-10 * Replace `PipelineCall` with `ServiceCall<'static, S, R>` diff --git a/ntex-io/Cargo.toml b/ntex-io/Cargo.toml index 7c3aa37a..86bb6d72 100644 --- a/ntex-io/Cargo.toml +++ b/ntex-io/Cargo.toml @@ -1,6 +1,6 @@ [package] name = "ntex-io" -version = "0.3.2" +version = "0.3.3" authors = ["ntex contributors "] description = "Utilities for encoding and decoding frames" keywords = ["network", "framework", "async", "futures"] @@ -18,8 +18,8 @@ path = "src/lib.rs" [dependencies] ntex-codec = "0.6.2" ntex-bytes = "0.1.19" -ntex-util = "0.3.0" -ntex-service = "1.2.3" +ntex-util = "0.3.2" +ntex-service = "1.2.6" bitflags = "1.3" log = "0.4" diff --git a/ntex-io/src/buf.rs b/ntex-io/src/buf.rs index 36425f56..1481d7b4 100644 --- a/ntex-io/src/buf.rs +++ b/ntex-io/src/buf.rs @@ -1,12 +1,29 @@ -use std::cell::Cell; +use std::{cell::Cell, fmt}; use ntex_bytes::{BytesVec, PoolRef}; use ntex_util::future::Either; use crate::IoRef; -type Buffer = (Cell>, Cell>); +#[derive(Default)] +pub(crate) struct Buffer(Cell>, Cell>); +impl fmt::Debug for Buffer { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + let b0 = self.0.take(); + let b1 = self.1.take(); + let res = f + .debug_struct("Buffer") + .field("0", &b0) + .field("1", &b1) + .finish(); + self.0.set(b0); + self.1.set(b1); + res + } +} + +#[derive(Debug)] pub struct Stack { len: usize, buffers: Either<[Buffer; 3], Vec>, @@ -25,29 +42,32 @@ impl Stack { Either::Left(b) => { // move to vec if self.len == 3 { - let mut vec = vec![(Cell::new(None), Cell::new(None))]; + let mut vec = vec![Buffer(Cell::new(None), Cell::new(None))]; for item in b.iter_mut().take(self.len) { - vec.push((Cell::new(item.0.take()), Cell::new(item.1.take()))); + vec.push(Buffer( + Cell::new(item.0.take()), + Cell::new(item.1.take()), + )); } self.len += 1; self.buffers = Either::Right(vec); } else { let mut idx = self.len; while idx > 0 { - let item = ( + let item = Buffer( Cell::new(b[idx - 1].0.take()), Cell::new(b[idx - 1].1.take()), ); b[idx] = item; idx -= 1; } - b[0] = (Cell::new(None), Cell::new(None)); + b[0] = Buffer(Cell::new(None), Cell::new(None)); self.len += 1; } } Either::Right(vec) => { self.len += 1; - vec.insert(0, (Cell::new(None), Cell::new(None))); + vec.insert(0, Buffer(Cell::new(None), Cell::new(None))); } } } @@ -65,8 +85,8 @@ impl Stack { if self.len > next { f(&buffers[idx], &buffers[next]) } else { - let curr = (Cell::new(buffers[idx].0.take()), Cell::new(None)); - let next = (Cell::new(None), Cell::new(buffers[idx].1.take())); + let curr = Buffer(Cell::new(buffers[idx].0.take()), Cell::new(None)); + let next = Buffer(Cell::new(None), Cell::new(buffers[idx].1.take())); let result = f(&curr, &next); buffers[idx].0.set(curr.0.take()); @@ -265,6 +285,7 @@ impl Stack { } } +#[derive(Debug)] pub struct ReadBuf<'a> { pub(crate) io: &'a IoRef, pub(crate) curr: &'a Buffer, @@ -403,6 +424,7 @@ impl<'a> ReadBuf<'a> { } } +#[derive(Debug)] pub struct WriteBuf<'a> { pub(crate) io: &'a IoRef, pub(crate) curr: &'a Buffer, diff --git a/ntex-io/src/dispatcher.rs b/ntex-io/src/dispatcher.rs index 884b68db..5f2d4889 100644 --- a/ntex-io/src/dispatcher.rs +++ b/ntex-io/src/dispatcher.rs @@ -44,7 +44,7 @@ where pool: Pool, } -pub struct DispatcherShared +pub(crate) struct DispatcherShared where S: Service, Response = Option>>, U: Encoder + Decoder, @@ -64,6 +64,7 @@ enum DispatcherState { Shutdown, } +#[derive(Debug)] enum DispatcherError { Encoder(U), Service(S), diff --git a/ntex-io/src/filter.rs b/ntex-io/src/filter.rs index 7536d1fb..9f8593ec 100644 --- a/ntex-io/src/filter.rs +++ b/ntex-io/src/filter.rs @@ -2,6 +2,7 @@ use std::{any, io, task::Context, task::Poll}; use super::{buf::Stack, io::Flags, FilterLayer, IoRef, ReadStatus, WriteStatus}; +#[derive(Debug)] /// Default `Io` filter pub struct Base(IoRef); @@ -11,6 +12,7 @@ impl Base { } } +#[derive(Debug)] pub struct Layer(pub(crate) F, L); impl Layer { diff --git a/ntex-io/src/io.rs b/ntex-io/src/io.rs index 96779af4..5daf1deb 100644 --- a/ntex-io/src/io.rs +++ b/ntex-io/src/io.rs @@ -153,6 +153,23 @@ impl Drop for IoState { } } +impl fmt::Debug for IoState { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + let err = self.error.take(); + let res = f + .debug_struct("IoState") + .field("flags", &self.flags) + .field("pool", &self.pool) + .field("disconnect_timeout", &self.disconnect_timeout) + .field("error", &err) + .field("buffer", &self.buffer) + .field("keepalive", &self.keepalive) + .finish(); + self.error.set(err); + res + } +} + impl Io { #[inline] /// Create `Io` instance @@ -601,9 +618,7 @@ impl hash::Hash for Io { impl fmt::Debug for Io { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - f.debug_struct("Io") - .field("open", &!self.is_closed()) - .finish() + f.debug_struct("Io").field("state", &self.0).finish() } } @@ -771,6 +786,7 @@ impl FilterItem { } } +#[derive(Debug)] /// OnDisconnect future resolves when socket get disconnected #[must_use = "OnDisconnect do nothing unless polled"] pub struct OnDisconnect { diff --git a/ntex-io/src/ioref.rs b/ntex-io/src/ioref.rs index d8d9944c..989279ac 100644 --- a/ntex-io/src/ioref.rs +++ b/ntex-io/src/ioref.rs @@ -236,7 +236,7 @@ impl hash::Hash for IoRef { impl fmt::Debug for IoRef { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { f.debug_struct("IoRef") - .field("open", &!self.is_closed()) + .field("state", self.0.as_ref()) .finish() } } @@ -269,8 +269,8 @@ mod tests { let msg = state.recv(&BytesCodec).await.unwrap().unwrap(); assert_eq!(msg, Bytes::from_static(BIN)); assert_eq!(state.get_ref(), state.as_ref().clone()); - assert_eq!(format!("{:?}", state), "Io { open: true }"); - assert_eq!(format!("{:?}", state.get_ref()), "IoRef { open: true }"); + assert!(format!("{:?}", state).find("Io {").is_some()); + assert!(format!("{:?}", state.get_ref()).find("IoRef {").is_some()); let res = poll_fn(|cx| Poll::Ready(state.poll_recv(&BytesCodec, cx))).await; assert!(res.is_pending()); diff --git a/ntex-io/src/lib.rs b/ntex-io/src/lib.rs index 1bba316b..13f51769 100644 --- a/ntex-io/src/lib.rs +++ b/ntex-io/src/lib.rs @@ -1,4 +1,6 @@ //! Utilities for abstructing io streams +#![deny(rust_2018_idioms, unreachable_pub, missing_debug_implementations)] + use std::{ any::Any, any::TypeId, fmt, future::Future, io as sio, io::Error as IoError, task::Context, task::Poll, diff --git a/ntex-io/src/seal.rs b/ntex-io/src/seal.rs index 018da256..12a527f4 100644 --- a/ntex-io/src/seal.rs +++ b/ntex-io/src/seal.rs @@ -1,10 +1,16 @@ -use std::ops; +use std::{fmt, ops}; use crate::{filter::Filter, Io}; /// Sealed filter type pub struct Sealed(pub(crate) Box); +impl fmt::Debug for Sealed { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("Sealed").finish() + } +} + #[derive(Debug)] /// Boxed `Io` object with erased filter type pub struct IoBoxed(Io); diff --git a/ntex-io/src/tasks.rs b/ntex-io/src/tasks.rs index 4b80bdbc..caab22e8 100644 --- a/ntex-io/src/tasks.rs +++ b/ntex-io/src/tasks.rs @@ -4,6 +4,7 @@ use ntex_bytes::{BytesVec, PoolRef}; use super::{io::Flags, IoRef, ReadStatus, WriteStatus}; +#[derive(Debug)] /// Context for io read task pub struct ReadContext(IoRef); @@ -97,6 +98,7 @@ impl ReadContext { } } +#[derive(Debug)] /// Context for io write task pub struct WriteContext(IoRef); diff --git a/ntex-io/src/types.rs b/ntex-io/src/types.rs index 31e6acff..0153f586 100644 --- a/ntex-io/src/types.rs +++ b/ntex-io/src/types.rs @@ -65,3 +65,13 @@ impl QueryItem { } } } + +impl fmt::Debug for QueryItem { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + if let Some(v) = self.as_ref() { + f.debug_tuple("QueryItem").field(v).finish() + } else { + f.debug_tuple("QueryItem").field(&None::).finish() + } + } +} diff --git a/ntex-io/src/utils.rs b/ntex-io/src/utils.rs index 4b5c2654..0149d3db 100644 --- a/ntex-io/src/utils.rs +++ b/ntex-io/src/utils.rs @@ -1,4 +1,4 @@ -use std::marker::PhantomData; +use std::{fmt, marker::PhantomData}; use ntex_service::{chain_factory, fn_service, Service, ServiceCtx, ServiceFactory}; use ntex_util::future::Ready; @@ -41,6 +41,14 @@ pub struct FilterServiceFactory { _t: PhantomData, } +impl + fmt::Debug, F> fmt::Debug for FilterServiceFactory { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("FilterServiceFactory") + .field("filter_factory", &self.filter) + .finish() + } +} + impl ServiceFactory> for FilterServiceFactory where T: FilterFactory + Clone, @@ -65,6 +73,14 @@ pub struct FilterService { _t: PhantomData, } +impl + fmt::Debug, F> fmt::Debug for FilterService { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("FilterService") + .field("filter_factory", &self.filter) + .finish() + } +} + impl Service> for FilterService where T: FilterFactory + Clone, diff --git a/ntex-service/CHANGES.md b/ntex-service/CHANGES.md index edb633c6..19a4879b 100644 --- a/ntex-service/CHANGES.md +++ b/ntex-service/CHANGES.md @@ -1,5 +1,9 @@ # Changes +## [1.2.6] - 2023-09-11 + +* Add fmt::Debug impls + ## [1.2.5] - 2023-08-14 * Use Pipeline instead of ApplyService diff --git a/ntex-service/Cargo.toml b/ntex-service/Cargo.toml index 9aabfb09..be793070 100644 --- a/ntex-service/Cargo.toml +++ b/ntex-service/Cargo.toml @@ -1,6 +1,6 @@ [package] name = "ntex-service" -version = "1.2.5" +version = "1.2.6" authors = ["ntex contributors "] description = "ntex service" keywords = ["network", "framework", "async", "futures"] diff --git a/ntex-service/src/and_then.rs b/ntex-service/src/and_then.rs index b4250b57..9c91066f 100644 --- a/ntex-service/src/and_then.rs +++ b/ntex-service/src/and_then.rs @@ -2,6 +2,7 @@ use std::{future::Future, pin::Pin, task::Context, task::Poll}; use super::{Service, ServiceCall, ServiceCtx, ServiceFactory}; +#[derive(Clone, Debug)] /// Service for the `and_then` combinator, chaining a computation onto the end /// of another service which completes successfully. /// @@ -18,19 +19,6 @@ impl AndThen { } } -impl Clone for AndThen -where - A: Clone, - B: Clone, -{ - fn clone(&self) -> Self { - AndThen { - svc1: self.svc1.clone(), - svc2: self.svc2.clone(), - } - } -} - impl Service for AndThen where A: Service, @@ -129,6 +117,7 @@ where } } +#[derive(Debug, Clone)] /// `.and_then()` service factory combinator pub struct AndThenFactory { svc1: A, @@ -166,19 +155,6 @@ where } } -impl Clone for AndThenFactory -where - A: Clone, - B: Clone, -{ - fn clone(&self) -> Self { - Self { - svc1: self.svc1.clone(), - svc2: self.svc2.clone(), - } - } -} - pin_project_lite::pin_project! { #[must_use = "futures do nothing unless polled"] pub struct AndThenFactoryResponse<'f, A, B, Req, Cfg> diff --git a/ntex-service/src/apply.rs b/ntex-service/src/apply.rs index 388f601d..5eb2c787 100644 --- a/ntex-service/src/apply.rs +++ b/ntex-service/src/apply.rs @@ -1,5 +1,5 @@ #![allow(clippy::type_complexity)] -use std::{future::Future, marker, pin::Pin, task, task::Poll}; +use std::{fmt, future::Future, marker, pin::Pin, task, task::Poll}; use super::ctx::ServiceCtx; use super::{IntoService, IntoServiceFactory, Pipeline, Service, ServiceFactory}; @@ -72,6 +72,18 @@ where } } +impl fmt::Debug for Apply +where + T: Service + fmt::Debug, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("Apply") + .field("service", &self.service) + .field("map", &std::any::type_name::()) + .finish() + } +} + impl Service for Apply where T: Service, @@ -135,6 +147,21 @@ where } } +impl fmt::Debug + for ApplyFactory +where + T: ServiceFactory + fmt::Debug, + F: Fn(In, Pipeline) -> R + Clone, + R: Future>, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("ApplyFactory") + .field("factory", &self.service) + .field("map", &std::any::type_name::()) + .finish() + } +} + impl ServiceFactory for ApplyFactory where @@ -208,7 +235,7 @@ mod tests { use super::*; use crate::{chain, chain_factory, Service, ServiceCtx}; - #[derive(Clone)] + #[derive(Clone, Debug)] struct Srv; impl Service<()> for Srv { @@ -258,6 +285,7 @@ mod tests { let res = srv.call("srv").await; assert!(res.is_ok()); assert_eq!(res.unwrap(), ("srv", ())); + format!("{:?}", srv); } #[ntex::test] @@ -280,6 +308,7 @@ mod tests { let res = srv.call("srv").await; assert!(res.is_ok()); assert_eq!(res.unwrap(), ("srv", ())); + format!("{:?}", new_srv); } #[ntex::test] @@ -298,5 +327,6 @@ mod tests { let res = srv.call("srv").await; assert!(res.is_ok()); assert_eq!(res.unwrap(), ("srv", ())); + format!("{:?}", new_srv); } } diff --git a/ntex-service/src/boxed.rs b/ntex-service/src/boxed.rs index 002b03fe..241095f5 100644 --- a/ntex-service/src/boxed.rs +++ b/ntex-service/src/boxed.rs @@ -1,4 +1,4 @@ -use std::{future::Future, pin::Pin, task::Context, task::Poll}; +use std::{fmt, future::Future, pin::Pin, task::Context, task::Poll}; use crate::ctx::{ServiceCtx, WaitersRef}; @@ -32,6 +32,20 @@ where BoxService(Box::new(service)) } +impl fmt::Debug for BoxService { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("BoxService").finish() + } +} + +impl fmt::Debug + for BoxServiceFactory +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("BoxServiceFactory").finish() + } +} + trait ServiceObj { type Response; type Error; diff --git a/ntex-service/src/chain.rs b/ntex-service/src/chain.rs index 3767715c..568df75a 100644 --- a/ntex-service/src/chain.rs +++ b/ntex-service/src/chain.rs @@ -1,5 +1,5 @@ #![allow(clippy::type_complexity)] -use std::{future::Future, marker::PhantomData}; +use std::{fmt, future::Future, marker::PhantomData}; use crate::and_then::{AndThen, AndThenFactory}; use crate::apply::{Apply, ApplyFactory}; @@ -156,6 +156,17 @@ where } } +impl fmt::Debug for ServiceChain +where + Svc: fmt::Debug, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("ServiceChain") + .field("service", &self.service) + .finish() + } +} + impl, Req> Service for ServiceChain { type Response = Svc::Response; type Error = Svc::Error; @@ -315,6 +326,17 @@ where } } +impl fmt::Debug for ServiceChainFactory +where + T: fmt::Debug, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("ServiceChainFactory") + .field("factory", &self.factory) + .finish() + } +} + impl, R, C> ServiceFactory for ServiceChainFactory { type Response = T::Response; type Error = T::Error; diff --git a/ntex-service/src/ctx.rs b/ntex-service/src/ctx.rs index 78b52f2e..fee59698 100644 --- a/ntex-service/src/ctx.rs +++ b/ntex-service/src/ctx.rs @@ -1,4 +1,4 @@ -use std::{cell::UnsafeCell, future::Future, marker, pin::Pin, rc::Rc, task}; +use std::{cell::UnsafeCell, fmt, future::Future, marker, pin::Pin, rc::Rc, task}; use crate::{Pipeline, Service}; @@ -75,6 +75,15 @@ impl Clone for Waiters { } } +impl fmt::Debug for Waiters { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("Waiters") + .field("index", &self.index) + .field("waiters", &self.waiters.get().len()) + .finish() + } +} + impl Drop for Waiters { #[inline] fn drop(&mut self) { @@ -148,6 +157,15 @@ impl<'a, S> Clone for ServiceCtx<'a, S> { } } +impl<'a, S> fmt::Debug for ServiceCtx<'a, S> { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("ServiceCtx") + .field("idx", &self.idx) + .field("waiters", &self.waiters.get().len()) + .finish() + } +} + pin_project_lite::pin_project! { #[must_use = "futures do nothing unless polled"] pub struct ServiceCall<'a, S, Req> diff --git a/ntex-service/src/fn_service.rs b/ntex-service/src/fn_service.rs index 5bfad342..d6b83baf 100644 --- a/ntex-service/src/fn_service.rs +++ b/ntex-service/src/fn_service.rs @@ -1,4 +1,4 @@ -use std::{future::ready, future::Future, future::Ready, marker::PhantomData}; +use std::{fmt, future::ready, future::Future, future::Ready, marker::PhantomData}; use crate::{IntoService, IntoServiceFactory, Service, ServiceCtx, ServiceFactory}; @@ -118,6 +118,14 @@ where } } +impl fmt::Debug for FnService { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("FnService") + .field("f", &std::any::type_name::()) + .finish() + } +} + impl Service for FnService where F: Fn(Req) -> Fut, @@ -180,6 +188,18 @@ where } } +impl fmt::Debug for FnServiceFactory +where + F: Fn(Req) -> Fut, + Fut: Future>, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("FnServiceFactory") + .field("f", &std::any::type_name::()) + .finish() + } +} + impl Service for FnServiceFactory where F: Fn(Req) -> Fut, @@ -255,6 +275,19 @@ where } } +impl fmt::Debug for FnServiceConfig +where + F: Fn(Cfg) -> Fut, + Fut: Future>, + Srv: Service, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("FnServiceConfig") + .field("f", &std::any::type_name::()) + .finish() + } +} + impl ServiceFactory for FnServiceConfig where @@ -328,6 +361,19 @@ where } } +impl fmt::Debug for FnServiceNoConfig +where + F: Fn() -> R, + R: Future>, + S: Service, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("FnServiceNoConfig") + .field("f", &std::any::type_name::()) + .finish() + } +} + impl IntoServiceFactory, Req, C> for F where @@ -353,17 +399,20 @@ mod tests { #[ntex::test] async fn test_fn_service() { let new_srv = fn_service(|()| async { Ok::<_, ()>("srv") }).clone(); + format!("{:?}", new_srv); let srv = Pipeline::new(new_srv.create(()).await.unwrap()); let res = srv.call(()).await; assert_eq!(lazy(|cx| srv.poll_ready(cx)).await, Poll::Ready(Ok(()))); assert!(res.is_ok()); assert_eq!(res.unwrap(), "srv"); + format!("{:?}", srv); let srv2 = Pipeline::new(new_srv.clone()); let res = srv2.call(()).await; assert!(res.is_ok()); assert_eq!(res.unwrap(), "srv"); + format!("{:?}", srv2); assert_eq!(lazy(|cx| srv2.poll_shutdown(cx)).await, Poll::Ready(())); } diff --git a/ntex-service/src/fn_shutdown.rs b/ntex-service/src/fn_shutdown.rs index bbf1c39f..ffa3291b 100644 --- a/ntex-service/src/fn_shutdown.rs +++ b/ntex-service/src/fn_shutdown.rs @@ -1,7 +1,5 @@ -use std::cell::Cell; -use std::future::{ready, Ready}; -use std::marker::PhantomData; use std::task::{Context, Poll}; +use std::{cell::Cell, fmt, future::ready, future::Ready, marker::PhantomData}; use crate::{Service, ServiceCtx}; @@ -43,6 +41,14 @@ where } } +impl fmt::Debug for FnShutdown { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("FnShutdown") + .field("fn", &std::any::type_name::()) + .finish() + } +} + impl Service for FnShutdown where F: FnOnce(), @@ -91,5 +97,7 @@ mod tests { assert_eq!(res.unwrap(), "pipe"); assert_eq!(lazy(|cx| pipe.poll_shutdown(cx)).await, Poll::Ready(())); assert!(is_called.get()); + + format!("{:?}", pipe); } } diff --git a/ntex-service/src/lib.rs b/ntex-service/src/lib.rs index a02e364c..f79ee5d4 100644 --- a/ntex-service/src/lib.rs +++ b/ntex-service/src/lib.rs @@ -1,6 +1,10 @@ //! See [`Service`] docs for information on this crate's foundational trait. - -#![deny(rust_2018_idioms, warnings)] +#![deny( + rust_2018_idioms, + warnings, + unreachable_pub, + missing_debug_implementations +)] use std::future::Future; use std::rc::Rc; diff --git a/ntex-service/src/map.rs b/ntex-service/src/map.rs index cb5e4f70..e5133a4a 100644 --- a/ntex-service/src/map.rs +++ b/ntex-service/src/map.rs @@ -1,4 +1,4 @@ -use std::{future::Future, marker::PhantomData, pin::Pin, task::Context, task::Poll}; +use std::{fmt, future::Future, marker::PhantomData, pin::Pin, task::Context, task::Poll}; use super::{Service, ServiceCall, ServiceCtx, ServiceFactory}; @@ -41,6 +41,18 @@ where } } +impl fmt::Debug for Map +where + A: fmt::Debug, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("Map") + .field("service", &self.service) + .field("map", &std::any::type_name::()) + .finish() + } +} + impl Service for Map where A: Service, @@ -133,6 +145,18 @@ where } } +impl fmt::Debug for MapFactory +where + A: fmt::Debug, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("MapFactory") + .field("factory", &self.a) + .field("map", &std::any::type_name::()) + .finish() + } +} + impl ServiceFactory for MapFactory where A: ServiceFactory, @@ -194,7 +218,7 @@ mod tests { use super::*; use crate::{fn_factory, Pipeline, Service, ServiceCtx, ServiceFactory}; - #[derive(Clone)] + #[derive(Debug, Clone)] struct Srv; impl Service<()> for Srv { @@ -223,6 +247,8 @@ mod tests { let res = lazy(|cx| srv.poll_shutdown(cx)).await; assert_eq!(res, Poll::Ready(())); + + format!("{:?}", srv); } #[ntex::test] @@ -248,6 +274,8 @@ mod tests { let res = srv.call(()).await; assert!(res.is_ok()); assert_eq!(res.unwrap(), ("ok")); + + format!("{:?}", new_srv); } #[ntex::test] @@ -259,5 +287,7 @@ mod tests { let res = srv.call(()).await; assert!(res.is_ok()); assert_eq!(res.unwrap(), ("ok")); + + format!("{:?}", new_srv); } } diff --git a/ntex-service/src/map_config.rs b/ntex-service/src/map_config.rs index 4e4e5cd1..42c98683 100644 --- a/ntex-service/src/map_config.rs +++ b/ntex-service/src/map_config.rs @@ -1,4 +1,4 @@ -use std::{future::Future, marker::PhantomData, pin::Pin, task::Context, task::Poll}; +use std::{fmt, future::Future, marker::PhantomData, pin::Pin, task::Context, task::Poll}; use super::{IntoServiceFactory, ServiceFactory}; @@ -56,6 +56,18 @@ where } } +impl fmt::Debug for MapConfig +where + A: fmt::Debug, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("MapConfig") + .field("factory", &self.a) + .field("map", &std::any::type_name::()) + .finish() + } +} + impl ServiceFactory for MapConfig where A: ServiceFactory, @@ -74,24 +86,16 @@ where } } +#[derive(Clone, Debug)] /// `unit_config()` config combinator pub struct UnitConfig { - a: A, + factory: A, } impl UnitConfig { /// Create new `UnitConfig` combinator - pub(crate) fn new(a: A) -> Self { - Self { a } - } -} - -impl Clone for UnitConfig -where - A: Clone, -{ - fn clone(&self) -> Self { - Self { a: self.a.clone() } + pub(crate) fn new(factory: A) -> Self { + Self { factory } } } @@ -108,7 +112,7 @@ where fn create(&self, _: C) -> Self::Future<'_> { UnitConfigFuture { - fut: self.a.create(()), + fut: self.factory.create(()), _t: PhantomData, } } @@ -161,6 +165,7 @@ mod tests { let _ = factory.create(&10).await; assert_eq!(item.get(), 11); + format!("{:?}", factory); } #[ntex::test] diff --git a/ntex-service/src/map_err.rs b/ntex-service/src/map_err.rs index 62aab36e..8d532734 100644 --- a/ntex-service/src/map_err.rs +++ b/ntex-service/src/map_err.rs @@ -1,4 +1,4 @@ -use std::{future::Future, marker::PhantomData, pin::Pin, task::Context, task::Poll}; +use std::{fmt, future::Future, marker::PhantomData, pin::Pin, task::Context, task::Poll}; use super::{Service, ServiceCall, ServiceCtx, ServiceFactory}; @@ -42,6 +42,18 @@ where } } +impl fmt::Debug for MapErr +where + A: fmt::Debug, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("MapErr") + .field("svc", &self.service) + .field("map", &std::any::type_name::()) + .finish() + } +} + impl Service for MapErr where A: Service, @@ -138,6 +150,19 @@ where } } +impl fmt::Debug for MapErrFactory +where + A: ServiceFactory + fmt::Debug, + F: Fn(A::Error) -> E + Clone, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("MapErrFactory") + .field("factory", &self.a) + .field("map", &std::any::type_name::()) + .finish() + } +} + impl ServiceFactory for MapErrFactory where A: ServiceFactory, @@ -198,7 +223,7 @@ mod tests { use super::*; use crate::{fn_factory, Pipeline, Service, ServiceCtx, ServiceFactory}; - #[derive(Clone)] + #[derive(Debug, Clone)] struct Srv(bool); impl Service<()> for Srv { @@ -235,6 +260,8 @@ mod tests { let res = srv.call(()).await; assert!(res.is_err()); assert_eq!(res.err().unwrap(), "error"); + + format!("{:?}", srv); } #[ntex::test] @@ -243,6 +270,8 @@ mod tests { let res = srv.call(()).await; assert!(res.is_err()); assert_eq!(res.err().unwrap(), "error"); + + format!("{:?}", srv); } #[ntex::test] @@ -254,6 +283,7 @@ mod tests { let res = srv.call(()).await; assert!(res.is_err()); assert_eq!(res.err().unwrap(), "error"); + format!("{:?}", new_srv); } #[ntex::test] @@ -266,5 +296,6 @@ mod tests { let res = srv.call(()).await; assert!(res.is_err()); assert_eq!(res.err().unwrap(), "error"); + format!("{:?}", new_srv); } } diff --git a/ntex-service/src/map_init_err.rs b/ntex-service/src/map_init_err.rs index 0e4e9c3c..e96411df 100644 --- a/ntex-service/src/map_init_err.rs +++ b/ntex-service/src/map_init_err.rs @@ -1,4 +1,4 @@ -use std::{future::Future, marker::PhantomData, pin::Pin, task::Context, task::Poll}; +use std::{fmt, future::Future, marker::PhantomData, pin::Pin, task::Context, task::Poll}; use super::ServiceFactory; @@ -38,6 +38,18 @@ where } } +impl fmt::Debug for MapInitErr +where + A: fmt::Debug, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("MapInitErr") + .field("service", &self.a) + .field("map", &std::any::type_name::()) + .finish() + } +} + impl ServiceFactory for MapInitErr where A: ServiceFactory, @@ -108,6 +120,7 @@ mod tests { assert!(factory.create(&true).await.is_err()); assert!(factory.create(&false).await.is_ok()); + format!("{:?}", factory); } #[ntex::test] @@ -127,5 +140,6 @@ mod tests { assert!(factory.create(&true).await.is_err()); assert!(factory.create(&false).await.is_ok()); + format!("{:?}", factory); } } diff --git a/ntex-service/src/middleware.rs b/ntex-service/src/middleware.rs index d370e952..d673b3da 100644 --- a/ntex-service/src/middleware.rs +++ b/ntex-service/src/middleware.rs @@ -1,4 +1,4 @@ -use std::{future::Future, marker, pin::Pin, rc::Rc, task::Context, task::Poll}; +use std::{fmt, future::Future, marker, pin::Pin, rc::Rc, task::Context, task::Poll}; use crate::{IntoServiceFactory, Service, ServiceFactory}; @@ -113,6 +113,19 @@ impl Clone for ApplyMiddleware { } } +impl fmt::Debug for ApplyMiddleware +where + T: fmt::Debug, + S: fmt::Debug, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("ApplyMiddleware") + .field("service", &self.0 .1) + .field("middleware", &self.0 .0) + .finish() + } +} + impl ServiceFactory for ApplyMiddleware where S: ServiceFactory, @@ -216,7 +229,7 @@ mod tests { use super::*; use crate::{fn_service, Pipeline, Service, ServiceCall, ServiceCtx, ServiceFactory}; - #[derive(Clone)] + #[derive(Debug, Clone)] struct Tr(marker::PhantomData); impl Middleware for Tr { @@ -227,7 +240,7 @@ mod tests { } } - #[derive(Clone)] + #[derive(Debug, Clone)] struct Srv(S, marker::PhantomData); impl, R> Service for Srv { @@ -256,6 +269,7 @@ mod tests { let res = srv.call(10).await; assert!(res.is_ok()); assert_eq!(res.unwrap(), 20); + format!("{:?} {:?}", factory, srv); let res = lazy(|cx| srv.poll_ready(cx)).await; assert_eq!(res, Poll::Ready(Ok(()))); @@ -272,6 +286,7 @@ mod tests { let res = srv.call(10).await; assert!(res.is_ok()); assert_eq!(res.unwrap(), 20); + format!("{:?} {:?}", factory, srv); let res = lazy(|cx| srv.poll_ready(cx)).await; assert_eq!(res, Poll::Ready(Ok(()))); diff --git a/ntex-service/src/pipeline.rs b/ntex-service/src/pipeline.rs index 9921566a..543acd2e 100644 --- a/ntex-service/src/pipeline.rs +++ b/ntex-service/src/pipeline.rs @@ -2,6 +2,7 @@ use std::{cell::Cell, future, pin::Pin, rc::Rc, task, task::Context, task::Poll} use crate::{ctx::ServiceCall, ctx::Waiters, Service, ServiceCtx, ServiceFactory}; +#[derive(Debug)] /// Container for a service. /// /// Container allows to call enclosed service and adds support of shared readiness. diff --git a/ntex-service/src/then.rs b/ntex-service/src/then.rs index ce1aac2c..16ad2d59 100644 --- a/ntex-service/src/then.rs +++ b/ntex-service/src/then.rs @@ -2,6 +2,7 @@ use std::{future::Future, pin::Pin, task::Context, task::Poll}; use super::{Service, ServiceCall, ServiceCtx, ServiceFactory}; +#[derive(Debug, Clone)] /// Service for the `then` combinator, chaining a computation onto the end of /// another service. /// @@ -18,19 +19,6 @@ impl Then { } } -impl Clone for Then -where - A: Clone, - B: Clone, -{ - fn clone(&self) -> Self { - Then { - svc1: self.svc1.clone(), - svc2: self.svc2.clone(), - } - } -} - impl Service for Then where A: Service, @@ -131,6 +119,7 @@ where } } +#[derive(Debug, Clone)] /// `.then()` service factory combinator pub struct ThenFactory { svc1: A, @@ -172,19 +161,6 @@ where } } -impl Clone for ThenFactory -where - A: Clone, - B: Clone, -{ - fn clone(&self) -> Self { - Self { - svc1: self.svc1.clone(), - svc2: self.svc2.clone(), - } - } -} - pin_project_lite::pin_project! { #[must_use = "futures do nothing unless polled"] pub struct ThenFactoryResponse<'f, A, B, R, C> diff --git a/ntex-tls/CHANGES.md b/ntex-tls/CHANGES.md index b96d5764..2f643bc8 100644 --- a/ntex-tls/CHANGES.md +++ b/ntex-tls/CHANGES.md @@ -1,5 +1,9 @@ # Changes +## [0.3.1] - 2023-09-11 + +* Add missing fmt::Debug impls + ## [0.3.0] - 2023-06-22 * Release v0.3.0 diff --git a/ntex-tls/Cargo.toml b/ntex-tls/Cargo.toml index a7905202..b2ec41a9 100644 --- a/ntex-tls/Cargo.toml +++ b/ntex-tls/Cargo.toml @@ -1,6 +1,6 @@ [package] name = "ntex-tls" -version = "0.3.0" +version = "0.3.1" authors = ["ntex contributors "] description = "An implementation of SSL streams for ntex backed by OpenSSL" keywords = ["network", "framework", "async", "futures"] @@ -26,9 +26,9 @@ rustls = ["tls_rust"] [dependencies] ntex-bytes = "0.1.19" -ntex-io = "0.3.0" -ntex-util = "0.3.0" -ntex-service = "1.2.0" +ntex-io = "0.3.3" +ntex-util = "0.3.2" +ntex-service = "1.2.6" log = "0.4" pin-project-lite = "0.2" diff --git a/ntex-tls/src/counter.rs b/ntex-tls/src/counter.rs index a82f2ff1..f2127db6 100644 --- a/ntex-tls/src/counter.rs +++ b/ntex-tls/src/counter.rs @@ -3,12 +3,13 @@ use std::{cell::Cell, rc::Rc, task}; use ntex_util::task::LocalWaker; -#[derive(Clone)] +#[derive(Debug, Clone)] /// Simple counter with ability to notify task on reaching specific number /// /// Counter could be cloned, total count is shared across all clones. pub(super) struct Counter(Rc); +#[derive(Debug)] struct CounterInner { count: Cell, capacity: usize, @@ -17,7 +18,7 @@ struct CounterInner { impl Counter { /// Create `Counter` instance and set max value. - pub fn new(capacity: usize) -> Self { + pub(super) fn new(capacity: usize) -> Self { Counter(Rc::new(CounterInner { capacity, count: Cell::new(0), @@ -26,13 +27,13 @@ impl Counter { } /// Get counter guard. - pub fn get(&self) -> CounterGuard { + pub(super) fn get(&self) -> CounterGuard { CounterGuard::new(self.0.clone()) } /// Check if counter is not at capacity. If counter at capacity /// it registers notification for current task. - pub fn available(&self, cx: &mut task::Context<'_>) -> bool { + pub(super) fn available(&self, cx: &mut task::Context<'_>) -> bool { self.0.available(cx) } } diff --git a/ntex-tls/src/lib.rs b/ntex-tls/src/lib.rs index 20100728..13c61e0f 100644 --- a/ntex-tls/src/lib.rs +++ b/ntex-tls/src/lib.rs @@ -1,4 +1,6 @@ //! An implementations of SSL streams for ntex ecosystem +#![deny(rust_2018_idioms, unreachable_pub, missing_debug_implementations)] + use std::sync::atomic::{AtomicUsize, Ordering}; #[doc(hidden)] diff --git a/ntex-tls/src/openssl/accept.rs b/ntex-tls/src/openssl/accept.rs index fd68aff3..d34f7201 100644 --- a/ntex-tls/src/openssl/accept.rs +++ b/ntex-tls/src/openssl/accept.rs @@ -11,6 +11,7 @@ use crate::MAX_SSL_ACCEPT_COUNTER; use super::{SslAcceptor as IoSslAcceptor, SslFilter}; +#[derive(Debug)] /// Support `TLS` server connections via openssl package /// /// `openssl` feature enables `Acceptor` type @@ -71,6 +72,7 @@ impl ServiceFactory, C> for Acceptor { } } +#[derive(Debug)] /// Support `TLS` server connections via openssl package /// /// `openssl` feature enables `Acceptor` type diff --git a/ntex-tls/src/openssl/mod.rs b/ntex-tls/src/openssl/mod.rs index 93ab73d3..b9dbf1ab 100644 --- a/ntex-tls/src/openssl/mod.rs +++ b/ntex-tls/src/openssl/mod.rs @@ -1,6 +1,6 @@ //! An implementation of SSL streams for ntex backed by OpenSSL use std::cell::{Cell, RefCell}; -use std::{any, cmp, error::Error, io, task::Context, task::Poll}; +use std::{any, cmp, error::Error, fmt, io, task::Context, task::Poll}; use ntex_bytes::{BufMut, BytesVec}; use ntex_io::{types, Filter, FilterFactory, FilterLayer, Io, Layer, ReadBuf, WriteBuf}; @@ -22,11 +22,13 @@ pub struct PeerCert(pub X509); pub struct PeerCertChain(pub Vec); /// An implementation of SSL streams +#[derive(Debug)] pub struct SslFilter { inner: RefCell>, handshake: Cell, } +#[derive(Debug)] struct IoInner { source: Option, destination: Option, @@ -242,6 +244,14 @@ impl Clone for SslAcceptor { } } +impl fmt::Debug for SslAcceptor { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("SslAcceptor") + .field("timeout", &self.timeout) + .finish() + } +} + impl FilterFactory for SslAcceptor { type Filter = SslFilter; @@ -292,6 +302,7 @@ impl FilterFactory for SslAcceptor { } } +#[derive(Debug)] pub struct SslConnector { ssl: ssl::Ssl, } diff --git a/ntex-tls/src/rustls/accept.rs b/ntex-tls/src/rustls/accept.rs index 3be86df4..7e31a0da 100644 --- a/ntex-tls/src/rustls/accept.rs +++ b/ntex-tls/src/rustls/accept.rs @@ -10,6 +10,7 @@ use ntex_util::{future::Ready, time::Millis}; use super::{TlsAcceptor, TlsFilter}; use crate::{counter::Counter, counter::CounterGuard, MAX_SSL_ACCEPT_COUNTER}; +#[derive(Debug)] /// Support `SSL` connections via rustls package /// /// `rust-tls` feature enables `RustlsAcceptor` type @@ -71,6 +72,7 @@ impl ServiceFactory, C> for Acceptor { } } +#[derive(Debug)] /// RusTLS based `Acceptor` service pub struct AcceptorService { acceptor: TlsAcceptor, diff --git a/ntex-tls/src/rustls/client.rs b/ntex-tls/src/rustls/client.rs index 9ec38e8a..a00b3b42 100644 --- a/ntex-tls/src/rustls/client.rs +++ b/ntex-tls/src/rustls/client.rs @@ -11,8 +11,9 @@ use crate::rustls::{IoInner, TlsFilter, Wrapper}; use super::{PeerCert, PeerCertChain}; +#[derive(Debug)] /// An implementation of SSL streams -pub struct TlsClientFilter { +pub(crate) struct TlsClientFilter { inner: IoInner, session: RefCell, } diff --git a/ntex-tls/src/rustls/mod.rs b/ntex-tls/src/rustls/mod.rs index 52bc7529..60880508 100644 --- a/ntex-tls/src/rustls/mod.rs +++ b/ntex-tls/src/rustls/mod.rs @@ -25,11 +25,13 @@ pub struct PeerCert(pub Certificate); #[derive(Debug)] pub struct PeerCertChain(pub Vec); +#[derive(Debug)] /// An implementation of SSL streams pub struct TlsFilter { inner: InnerTlsFilter, } +#[derive(Debug)] enum InnerTlsFilter { Server(TlsServerFilter), Client(TlsClientFilter), @@ -110,6 +112,7 @@ impl FilterLayer for TlsFilter { } } +#[derive(Debug)] pub struct TlsAcceptor { cfg: Arc, timeout: Millis, @@ -162,6 +165,7 @@ impl FilterFactory for TlsAcceptor { } } +#[derive(Debug)] pub struct TlsConnector { cfg: Arc, } @@ -189,6 +193,7 @@ impl Clone for TlsConnector { } } +#[derive(Debug)] pub struct TlsConnectorConfigured { cfg: Arc, server_name: ServerName, @@ -217,6 +222,7 @@ impl FilterFactory for TlsConnectorConfigured { } } +#[derive(Debug)] pub(crate) struct IoInner { handshake: Cell, } diff --git a/ntex-tls/src/rustls/server.rs b/ntex-tls/src/rustls/server.rs index 2fa60574..c01437ad 100644 --- a/ntex-tls/src/rustls/server.rs +++ b/ntex-tls/src/rustls/server.rs @@ -12,8 +12,9 @@ use crate::Servername; use super::{PeerCert, PeerCertChain}; +#[derive(Debug)] /// An implementation of SSL streams -pub struct TlsServerFilter { +pub(crate) struct TlsServerFilter { inner: IoInner, session: RefCell, } diff --git a/ntex-util/CHANGES.md b/ntex-util/CHANGES.md index 63f14bc1..3d80a5cb 100644 --- a/ntex-util/CHANGES.md +++ b/ntex-util/CHANGES.md @@ -1,8 +1,12 @@ # Changes +## [0.3.2] - 2023-09-11 + +* Add missing fmt::Debug impls + ## [0.3.1] - 2023-06-24 -* Changed `BufferService` to maintain order +* Changed `BufferService` to maintain order * Buffer error type changed to indicate cancellation diff --git a/ntex-util/Cargo.toml b/ntex-util/Cargo.toml index 522f1144..bca66a1f 100644 --- a/ntex-util/Cargo.toml +++ b/ntex-util/Cargo.toml @@ -1,6 +1,6 @@ [package] name = "ntex-util" -version = "0.3.1" +version = "0.3.2" authors = ["ntex contributors "] description = "Utilities for ntex framework" keywords = ["network", "framework", "async", "futures"] @@ -17,7 +17,7 @@ path = "src/lib.rs" [dependencies] ntex-rt = "0.4.7" -ntex-service = "1.2.2" +ntex-service = "1.2.6" bitflags = "1.3" fxhash = "0.2.1" log = "0.4" diff --git a/ntex-util/src/channel/cell.rs b/ntex-util/src/channel/cell.rs index 4e5ca39b..d35e3dfb 100644 --- a/ntex-util/src/channel/cell.rs +++ b/ntex-util/src/channel/cell.rs @@ -46,6 +46,7 @@ impl Cell { } } +#[derive(Debug)] pub(super) struct WeakCell { inner: Weak>, } diff --git a/ntex-util/src/channel/condition.rs b/ntex-util/src/channel/condition.rs index e6c615f8..2e329734 100644 --- a/ntex-util/src/channel/condition.rs +++ b/ntex-util/src/channel/condition.rs @@ -5,9 +5,10 @@ use super::cell::Cell; use crate::{future::poll_fn, task::LocalWaker}; /// Condition allows to notify multiple waiters at the same time -#[derive(Clone)] +#[derive(Clone, Debug)] pub struct Condition(Cell); +#[derive(Debug)] struct Inner { data: Slab>, } @@ -50,6 +51,7 @@ impl Drop for Condition { } } +#[derive(Debug)] #[must_use = "Waiter do nothing unless polled"] pub struct Waiter { token: usize, diff --git a/ntex-util/src/channel/mpsc.rs b/ntex-util/src/channel/mpsc.rs index 442e8b43..dc311a44 100644 --- a/ntex-util/src/channel/mpsc.rs +++ b/ntex-util/src/channel/mpsc.rs @@ -124,6 +124,7 @@ impl Drop for Sender { } } +#[derive(Debug)] /// Weak sender type pub struct WeakSender { shared: WeakCell>, diff --git a/ntex-util/src/lib.rs b/ntex-util/src/lib.rs index f118e13d..5fecad45 100644 --- a/ntex-util/src/lib.rs +++ b/ntex-util/src/lib.rs @@ -1,4 +1,6 @@ //! Utilities for ntex framework +#![deny(rust_2018_idioms, unreachable_pub, missing_debug_implementations)] + pub mod channel; pub mod future; pub mod services; diff --git a/ntex-util/src/services/buffer.rs b/ntex-util/src/services/buffer.rs index ce1dcb6b..571d26b8 100644 --- a/ntex-util/src/services/buffer.rs +++ b/ntex-util/src/services/buffer.rs @@ -1,7 +1,7 @@ //! Service that buffers incomming requests. use std::cell::{Cell, RefCell}; use std::task::{ready, Context, Poll}; -use std::{collections::VecDeque, future::Future, marker::PhantomData, pin::Pin}; +use std::{collections::VecDeque, fmt, future::Future, marker::PhantomData, pin::Pin}; use ntex_service::{IntoService, Middleware, Service, ServiceCallToCall, ServiceCtx}; @@ -16,16 +16,6 @@ pub struct Buffer { _t: PhantomData, } -impl Default for Buffer { - fn default() -> Self { - Self { - buf_size: 16, - cancel_on_shutdown: false, - _t: PhantomData, - } - } -} - impl Buffer { pub fn buf_size(mut self, size: usize) -> Self { self.buf_size = size; @@ -41,6 +31,25 @@ impl Buffer { } } +impl Default for Buffer { + fn default() -> Self { + Self { + buf_size: 16, + cancel_on_shutdown: false, + _t: PhantomData, + } + } +} + +impl fmt::Debug for Buffer { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("Buffer") + .field("buf_size", &self.buf_size) + .field("cancel_on_shutdown", &self.cancel_on_shutdown) + .finish() + } +} + impl Clone for Buffer { fn clone(&self) -> Self { Self { @@ -127,6 +136,22 @@ where } } +impl fmt::Debug for BufferService +where + S: Service + fmt::Debug, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("BufferService") + .field("size", &self.size) + .field("cancel_on_shutdown", &self.cancel_on_shutdown) + .field("ready", &self.ready) + .field("service", &self.service) + .field("buf", &self.buf) + .field("next_call", &self.next_call) + .finish() + } +} + impl Service for BufferService where S: Service, diff --git a/ntex-util/src/services/counter.rs b/ntex-util/src/services/counter.rs index a16987ed..3a248417 100644 --- a/ntex-util/src/services/counter.rs +++ b/ntex-util/src/services/counter.rs @@ -5,8 +5,10 @@ use crate::task::LocalWaker; /// Simple counter with ability to notify task on reaching specific number /// /// Counter could be cloned, total count is shared across all clones. +#[derive(Debug)] pub struct Counter(Rc); +#[derive(Debug)] struct CounterInner { count: Cell, capacity: usize, @@ -40,6 +42,7 @@ impl Counter { } } +#[derive(Debug)] pub struct CounterGuard(Rc); impl CounterGuard { diff --git a/ntex-util/src/services/inflight.rs b/ntex-util/src/services/inflight.rs index eb15e20b..8fc6754c 100644 --- a/ntex-util/src/services/inflight.rs +++ b/ntex-util/src/services/inflight.rs @@ -37,6 +37,7 @@ impl Middleware for InFlight { } } +#[derive(Debug)] pub struct InFlightService { count: Counter, service: S, diff --git a/ntex-util/src/services/keepalive.rs b/ntex-util/src/services/keepalive.rs index 93fb7505..b80dde75 100644 --- a/ntex-util/src/services/keepalive.rs +++ b/ntex-util/src/services/keepalive.rs @@ -1,5 +1,5 @@ use std::task::{Context, Poll}; -use std::{cell::Cell, convert::Infallible, marker, time::Duration, time::Instant}; +use std::{cell::Cell, convert::Infallible, fmt, marker, time::Duration, time::Instant}; use ntex_service::{Service, ServiceCtx, ServiceFactory}; @@ -45,6 +45,15 @@ where } } +impl fmt::Debug for KeepAlive { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("KeepAlive") + .field("ka", &self.ka) + .field("f", &std::any::type_name::()) + .finish() + } +} + impl ServiceFactory for KeepAlive where F: Fn() -> E + Clone, @@ -86,6 +95,16 @@ where } } +impl fmt::Debug for KeepAliveService { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("KeepAliveService") + .field("dur", &self.dur) + .field("expire", &self.expire) + .field("f", &std::any::type_name::()) + .finish() + } +} + impl Service for KeepAliveService where F: Fn() -> E, diff --git a/ntex-util/src/services/onerequest.rs b/ntex-util/src/services/onerequest.rs index dde7b3cc..5d78f848 100644 --- a/ntex-util/src/services/onerequest.rs +++ b/ntex-util/src/services/onerequest.rs @@ -22,6 +22,7 @@ impl Middleware for OneRequest { } } +#[derive(Clone, Debug)] pub struct OneRequestService { waker: LocalWaker, service: S, diff --git a/ntex-util/src/services/variant.rs b/ntex-util/src/services/variant.rs index 647abb3b..f30672df 100644 --- a/ntex-util/src/services/variant.rs +++ b/ntex-util/src/services/variant.rs @@ -1,5 +1,5 @@ //! Contains `Variant` service and related types and functions. -use std::{future::Future, marker::PhantomData, pin::Pin, task::Context, task::Poll}; +use std::{fmt, future::Future, marker::PhantomData, pin::Pin, task::Context, task::Poll}; use ntex_service::{IntoServiceFactory, Service, ServiceCall, ServiceCtx, ServiceFactory}; @@ -46,6 +46,17 @@ where } } +impl fmt::Debug for Variant +where + A: fmt::Debug, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("Variant") + .field("V1", &self.factory) + .finish() + } +} + macro_rules! variant_impl_and ({$fac1_type:ident, $fac2_type:ident, $name:ident, $r_name:ident, $m_name:ident, ($($T:ident),+), ($($R:ident),+)} => { #[allow(non_snake_case)] @@ -73,7 +84,7 @@ macro_rules! variant_impl_and ({$fac1_type:ident, $fac2_type:ident, $name:ident, macro_rules! variant_impl ({$mod_name:ident, $enum_type:ident, $srv_type:ident, $fac_type:ident, $(($n:tt, $T:ident, $R:ident)),+} => { - #[allow(non_snake_case)] + #[allow(non_snake_case, missing_debug_implementations)] pub enum $enum_type { V1(V1R), $($T($R),)+ @@ -96,6 +107,15 @@ macro_rules! variant_impl ({$mod_name:ident, $enum_type:ident, $srv_type:ident, } } + impl fmt::Debug for $srv_type { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct(stringify!($srv_type)) + .field("V1", &self.V1) + $(.field(stringify!($T), &self.$T))+ + .finish() + } + } + impl Service<$enum_type> for $srv_type where V1: Service, @@ -154,6 +174,15 @@ macro_rules! variant_impl ({$mod_name:ident, $enum_type:ident, $srv_type:ident, } } + impl fmt::Debug for $fac_type { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct(stringify!(fac_type)) + .field("V1", &self.V1) + $(.field(stringify!($T), &self.$T))+ + .finish() + } + } + impl ServiceFactory<$enum_type, V1C> for $fac_type where V1: ServiceFactory, diff --git a/ntex-util/src/task.rs b/ntex-util/src/task.rs index a1743260..d9e0d104 100644 --- a/ntex-util/src/task.rs +++ b/ntex-util/src/task.rs @@ -58,6 +58,12 @@ impl LocalWaker { } } +impl Clone for LocalWaker { + fn clone(&self) -> Self { + LocalWaker::new() + } +} + impl fmt::Debug for LocalWaker { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { write!(f, "LocalWaker") diff --git a/ntex/CHANGES.md b/ntex/CHANGES.md index 7c7ea416..e1e45858 100644 --- a/ntex/CHANGES.md +++ b/ntex/CHANGES.md @@ -1,5 +1,9 @@ # Changes +## [0.7.4] - 2023-09-11 + +* Add missing fmt::Debug impls + ## [0.7.3] - 2023-08-10 * Update ntex-service diff --git a/ntex/Cargo.toml b/ntex/Cargo.toml index f4a213a9..afe22bc7 100644 --- a/ntex/Cargo.toml +++ b/ntex/Cargo.toml @@ -1,6 +1,6 @@ [package] name = "ntex" -version = "0.7.3" +version = "0.7.4" authors = ["ntex contributors "] description = "Framework for composable network services" readme = "README.md" @@ -49,17 +49,17 @@ async-std = ["ntex-rt/async-std", "ntex-async-std", "ntex-connect/async-std"] [dependencies] ntex-codec = "0.6.2" -ntex-connect = "0.3.0" -ntex-http = "0.1.9" +ntex-connect = "0.3.1" +ntex-http = "0.1.10" ntex-router = "0.5.1" -ntex-service = "1.2.5" +ntex-service = "1.2.6" ntex-macros = "0.1.3" -ntex-util = "0.3.0" +ntex-util = "0.3.2" ntex-bytes = "0.1.19" ntex-h2 = "0.3.2" ntex-rt = "0.4.9" -ntex-io = "0.3.2" -ntex-tls = "0.3.0" +ntex-io = "0.3.3" +ntex-tls = "0.3.1" ntex-tokio = { version = "0.3.0", optional = true } ntex-glommio = { version = "0.3.0", optional = true } ntex-async-std = { version = "0.3.0", optional = true } diff --git a/ntex/src/http/client/builder.rs b/ntex/src/http/client/builder.rs index d16429de..ee905b34 100644 --- a/ntex/src/http/client/builder.rs +++ b/ntex/src/http/client/builder.rs @@ -14,6 +14,7 @@ use super::{Client, ClientConfig, Connect, Connection, Connector}; /// /// This type can be used to construct an instance of `Client` through a /// builder-like pattern. +#[derive(Debug)] pub struct ClientBuilder { config: ClientConfig, default_headers: bool, @@ -44,7 +45,9 @@ impl ClientBuilder { /// Use custom connector service. pub fn connector(mut self, connector: T) -> Self where - T: Service + 'static, + T: Service + + fmt::Debug + + 'static, { self.config.connector = Box::new(ConnectorWrapper(connector.into())); self diff --git a/ntex/src/http/client/connect.rs b/ntex/src/http/client/connect.rs index dde1a0a4..c7182a42 100644 --- a/ntex/src/http/client/connect.rs +++ b/ntex/src/http/client/connect.rs @@ -1,4 +1,4 @@ -use std::net; +use std::{fmt, net}; use crate::http::{body::Body, RequestHeadType}; use crate::{service::Pipeline, service::Service, util::BoxFuture}; @@ -7,9 +7,21 @@ use super::error::{ConnectError, SendRequestError}; use super::response::ClientResponse; use super::{Connect as ClientConnect, Connection}; +// #[derive(Debug)] pub(super) struct ConnectorWrapper(pub(crate) Pipeline); -pub(super) trait Connect { +impl fmt::Debug for ConnectorWrapper +where + T: fmt::Debug, +{ + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("Connector") + .field("service", &self.0) + .finish() + } +} + +pub(super) trait Connect: fmt::Debug { fn send_request( &self, head: RequestHeadType, @@ -20,7 +32,7 @@ pub(super) trait Connect { impl Connect for ConnectorWrapper where - T: Service, + T: Service + fmt::Debug, { fn send_request( &self, diff --git a/ntex/src/http/client/connector.rs b/ntex/src/http/client/connector.rs index daf74c99..294abf36 100644 --- a/ntex/src/http/client/connector.rs +++ b/ntex/src/http/client/connector.rs @@ -1,4 +1,4 @@ -use std::{task::Context, task::Poll, time::Duration}; +use std::{fmt, task::Context, task::Poll, time::Duration}; use ntex_h2::{self as h2}; @@ -18,6 +18,7 @@ use crate::connect::rustls::ClientConfig; type BoxedConnector = boxed::BoxService, IoBoxed, ConnectError>; +#[derive(Debug)] /// Manages http client network connectivity. /// /// The `Connector` type uses a builder-like combinator pattern for service @@ -222,7 +223,8 @@ impl Connector { /// its combinator chain. pub fn finish( self, - ) -> impl Service { + ) -> impl Service + fmt::Debug + { let tcp_service = connector(self.connector, self.timeout, self.disconnect_timeout); let ssl_pool = if let Some(ssl_connector) = self.ssl_connector { @@ -257,7 +259,7 @@ fn connector( connector: BoxedConnector, timeout: Millis, disconnect_timeout: Millis, -) -> impl Service { +) -> impl Service + fmt::Debug { TimeoutService::new( timeout, apply_fn(connector, |msg: Connect, srv| { @@ -278,6 +280,7 @@ fn connector( }) } +#[derive(Debug)] struct InnerConnector { tcp_pool: ConnectionPool, ssl_pool: Option>, diff --git a/ntex/src/http/client/frozen.rs b/ntex/src/http/client/frozen.rs index 1af2f751..cad8c503 100644 --- a/ntex/src/http/client/frozen.rs +++ b/ntex/src/http/client/frozen.rs @@ -135,6 +135,7 @@ impl fmt::Debug for FrozenClientRequest { } /// Builder that allows to modify extra headers. +#[derive(Debug)] pub struct FrozenSendBuilder { req: FrozenClientRequest, extra_headers: HeaderMap, diff --git a/ntex/src/http/client/mod.rs b/ntex/src/http/client/mod.rs index 89e9d947..9d2f0867 100644 --- a/ntex/src/http/client/mod.rs +++ b/ntex/src/http/client/mod.rs @@ -47,7 +47,7 @@ use crate::time::Millis; use self::connect::{Connect as HttpConnect, ConnectorWrapper}; -#[derive(Clone)] +#[derive(Debug, Clone)] pub struct Connect { pub uri: Uri, pub addr: Option, @@ -70,9 +70,10 @@ pub struct Connect { /// println!("Response: {:?}", res); /// } /// ``` -#[derive(Clone)] +#[derive(Debug, Clone)] pub struct Client(Rc); +#[derive(Debug)] struct ClientConfig { pub(self) connector: Box, pub(self) headers: HeaderMap, diff --git a/ntex/src/http/client/pool.rs b/ntex/src/http/client/pool.rs index 6fd50555..287a3c8c 100644 --- a/ntex/src/http/client/pool.rs +++ b/ntex/src/http/client/pool.rs @@ -43,6 +43,7 @@ struct AvailableConnection { } /// Connections pool +#[derive(Debug)] pub(super) struct ConnectionPool { connector: Pipeline, inner: Rc>, @@ -174,6 +175,7 @@ where } } +#[derive(Debug)] pub(super) struct Inner { conn_lifetime: Duration, conn_keep_alive: Duration, @@ -187,6 +189,7 @@ pub(super) struct Inner { waiters: Rc>, } +#[derive(Debug)] struct Waiters { waiters: HashMap>, pool: pool::Pool>, diff --git a/ntex/src/http/client/response.rs b/ntex/src/http/client/response.rs index 994eac72..f8710fe3 100644 --- a/ntex/src/http/client/response.rs +++ b/ntex/src/http/client/response.rs @@ -166,6 +166,7 @@ impl fmt::Debug for ClientResponse { } } +#[derive(Debug)] /// Future that resolves to a complete http message body. pub struct MessageBody { length: Option, @@ -244,6 +245,7 @@ impl Future for MessageBody { } } +#[derive(Debug)] /// Response's payload json parser, it resolves to a deserialized `T` value. /// /// Returns error: @@ -342,6 +344,7 @@ where } } +#[derive(Debug)] struct ReadBody { stream: Payload, buf: BytesMut, diff --git a/ntex/src/http/client/test.rs b/ntex/src/http/client/test.rs index 96652ab5..70c44139 100644 --- a/ntex/src/http/client/test.rs +++ b/ntex/src/http/client/test.rs @@ -9,6 +9,7 @@ use crate::util::Bytes; use super::ClientResponse; +#[derive(Debug)] /// Test `ClientResponse` builder pub struct TestResponse { head: ResponseHead, diff --git a/ntex/src/http/config.rs b/ntex/src/http/config.rs index d46919ab..5ec41f8f 100644 --- a/ntex/src/http/config.rs +++ b/ntex/src/http/config.rs @@ -40,9 +40,11 @@ impl From> for KeepAlive { } } +#[derive(Debug)] /// Http service configuration pub struct ServiceConfig(pub(super) Rc); +#[derive(Debug)] pub(super) struct Inner { pub(super) keep_alive: Millis, pub(super) client_timeout: Millis, diff --git a/ntex/src/http/encoding/encoder.rs b/ntex/src/http/encoding/encoder.rs index 3c9824ec..4d19e6ee 100644 --- a/ntex/src/http/encoding/encoder.rs +++ b/ntex/src/http/encoding/encoder.rs @@ -1,5 +1,5 @@ //! Stream encoder -use std::{future::Future, io, io::Write, pin::Pin, task::Context, task::Poll}; +use std::{fmt, future::Future, io, io::Write, pin::Pin, task::Context, task::Poll}; use brotli2::write::BrotliEncoder; use flate2::write::{GzEncoder, ZlibEncoder}; @@ -14,6 +14,7 @@ use super::Writer; const INPLACE: usize = 1024; +#[derive(Debug)] pub struct Encoder { eof: bool, body: EncoderBody, @@ -67,6 +68,16 @@ enum EncoderBody { BoxedStream(Box), } +impl fmt::Debug for EncoderBody { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + match self { + EncoderBody::Bytes(ref b) => write!(f, "EncoderBody::Bytes({:?})", b), + EncoderBody::Stream(_) => write!(f, "EncoderBody::Stream(_)"), + EncoderBody::BoxedStream(_) => write!(f, "EncoderBody::BoxedStream(_)"), + } + } +} + impl MessageBody for Encoder { fn size(&self) -> BodySize { if self.encoder.is_none() { @@ -248,3 +259,13 @@ impl ContentEncoder { } } } + +impl fmt::Debug for ContentEncoder { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + match self { + ContentEncoder::Deflate(_) => write!(f, "ContentEncoder::Deflate"), + ContentEncoder::Gzip(_) => write!(f, "ContentEncoder::Gzip"), + ContentEncoder::Br(_) => write!(f, "ContentEncoder::Br"), + } + } +} diff --git a/ntex/src/http/h1/expect.rs b/ntex/src/http/h1/expect.rs index 1f36603c..6f8abdbd 100644 --- a/ntex/src/http/h1/expect.rs +++ b/ntex/src/http/h1/expect.rs @@ -3,6 +3,7 @@ use std::io; use crate::service::{Service, ServiceCtx, ServiceFactory}; use crate::{http::request::Request, util::Ready}; +#[derive(Copy, Clone, Debug)] pub struct ExpectHandler; impl ServiceFactory for ExpectHandler { diff --git a/ntex/src/http/h1/payload.rs b/ntex/src/http/h1/payload.rs index 9c868071..9784b168 100644 --- a/ntex/src/http/h1/payload.rs +++ b/ntex/src/http/h1/payload.rs @@ -83,6 +83,7 @@ impl Stream for Payload { } /// Sender part of the payload stream +#[derive(Debug)] pub struct PayloadSender { inner: Weak>, } diff --git a/ntex/src/http/response.rs b/ntex/src/http/response.rs index e7e7bc1f..09b902ca 100644 --- a/ntex/src/http/response.rs +++ b/ntex/src/http/response.rs @@ -242,6 +242,7 @@ impl fmt::Debug for Response { } #[cfg(feature = "cookie")] +#[derive(Debug)] pub struct CookieIter<'a> { iter: header::GetAll<'a>, } diff --git a/ntex/src/http/test.rs b/ntex/src/http/test.rs index ddc00dd5..fb8839ac 100644 --- a/ntex/src/http/test.rs +++ b/ntex/src/http/test.rs @@ -15,6 +15,7 @@ use super::header::{self, HeaderMap, HeaderName, HeaderValue}; use super::payload::Payload; use super::{Method, Request, Uri, Version}; +#[derive(Debug)] /// Test `Request` builder /// /// ```rust,no_run @@ -39,6 +40,7 @@ use super::{Method, Request, Uri, Version}; /// ``` pub struct TestRequest(Option); +#[derive(Debug)] struct Inner { version: Version, method: Method, @@ -276,6 +278,7 @@ where } } +#[derive(Debug)] /// Test server controller pub struct TestServer { addr: net::SocketAddr, diff --git a/ntex/src/lib.rs b/ntex/src/lib.rs index a6aa6ced..bc784c8d 100644 --- a/ntex/src/lib.rs +++ b/ntex/src/lib.rs @@ -9,7 +9,7 @@ #![warn( rust_2018_idioms, unreachable_pub, - // missing_debug_implementations, + missing_debug_implementations, // missing_docs, )] #![allow( diff --git a/ntex/src/server/accept.rs b/ntex/src/server/accept.rs index b2ca5f35..1ac666ef 100644 --- a/ntex/src/server/accept.rs +++ b/ntex/src/server/accept.rs @@ -1,4 +1,6 @@ -use std::{cell::Cell, io, sync::mpsc, sync::Arc, thread, time::Duration, time::Instant}; +use std::{ + cell::Cell, fmt, io, sync::mpsc, sync::Arc, thread, time::Duration, time::Instant, +}; use polling::{Event, Poller}; @@ -22,6 +24,7 @@ pub(super) enum Command { WorkerAvailable, } +#[derive(Debug)] struct ServerSocketInfo { addr: SocketAddr, token: Token, @@ -107,6 +110,16 @@ impl AcceptLoop { } } +impl fmt::Debug for AcceptLoop { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("AcceptLoop") + .field("notify", &self.notify) + .field("inner", &self.inner) + .field("status_handler", &self.status_handler.is_some()) + .finish() + } +} + struct Accept { poller: Arc, rx: mpsc::Receiver, diff --git a/ntex/src/server/config.rs b/ntex/src/server/config.rs index f0f0cf90..e73b2014 100644 --- a/ntex/src/server/config.rs +++ b/ntex/src/server/config.rs @@ -11,9 +11,10 @@ use super::service::{ }; use super::{builder::bind_addr, counter::CounterGuard, Token}; -#[derive(Clone)] +#[derive(Clone, Debug)] pub struct Config(Rc); +#[derive(Debug)] pub(super) struct InnerServiceConfig { pub(super) pool: Cell, } diff --git a/ntex/src/server/test.rs b/ntex/src/server/test.rs index bda7883d..a0a0ac20 100644 --- a/ntex/src/server/test.rs +++ b/ntex/src/server/test.rs @@ -92,6 +92,7 @@ where } } +#[derive(Debug)] /// Test server controller pub struct TestServer { addr: net::SocketAddr, diff --git a/ntex/src/web/error_default.rs b/ntex/src/web/error_default.rs index 436f5497..4cbc587e 100644 --- a/ntex/src/web/error_default.rs +++ b/ntex/src/web/error_default.rs @@ -15,7 +15,7 @@ use super::error::{self, ErrorContainer, ErrorRenderer, WebResponseError}; use super::{HttpRequest, HttpResponse}; /// Default error type -#[derive(Clone, Copy, Default)] +#[derive(Clone, Copy, Default, Debug)] pub struct DefaultError; impl ErrorRenderer for DefaultError { diff --git a/ntex/src/web/guard.rs b/ntex/src/web/guard.rs index 5339c810..b4b060f8 100644 --- a/ntex/src/web/guard.rs +++ b/ntex/src/web/guard.rs @@ -27,6 +27,8 @@ //! ``` #![allow(non_snake_case)] +use std::fmt; + use crate::http::{header, Method, RequestHead, Uri}; /// Trait defines resource guards. Guards are used for route selection. @@ -37,6 +39,11 @@ use crate::http::{header, Method, RequestHead, Uri}; pub trait Guard { /// Check if request matches predicate fn check(&self, request: &RequestHead) -> bool; + + /// Debug format + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_tuple("Guard").finish() + } } /// Create guard object for supplied function. @@ -71,6 +78,13 @@ where fn check(&self, head: &RequestHead) -> bool { (self.0)(head) } + + /// Debug format + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_tuple("FnGuard") + .field(&std::any::type_name::()) + .finish() + } } impl Guard for F @@ -99,8 +113,9 @@ pub fn Any(guard: F) -> AnyGuard { AnyGuard(vec![Box::new(guard)]) } +#[derive(Default)] /// Matches if any of supplied guards matche. -pub struct AnyGuard(Vec>); +pub struct AnyGuard(pub Vec>); impl AnyGuard { /// Add guard to a list of guards to check @@ -119,6 +134,21 @@ impl Guard for AnyGuard { } false } + + /// Debug format + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + write!(f, "AnyGuard(")?; + self.0.iter().for_each(|t| { + let _ = t.fmt(f); + }); + write!(f, ")") + } +} + +impl fmt::Debug for AnyGuard { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + Guard::fmt(self, f) + } } /// Return guard that matches if all of the supplied guards. @@ -139,8 +169,9 @@ pub fn All(guard: F) -> AllGuard { AllGuard(vec![Box::new(guard)]) } +#[derive(Default)] /// Matches if all of supplied guards. -pub struct AllGuard(Vec>); +pub struct AllGuard(pub(super) Vec>); impl AllGuard { /// Add new guard to the list of guards to check @@ -148,6 +179,11 @@ impl AllGuard { self.0.push(Box::new(guard)); self } + + /// Add guard to a list of guards to check + pub fn add(&mut self, guard: F) { + self.0.push(Box::new(guard)); + } } impl Guard for AllGuard { @@ -159,6 +195,21 @@ impl Guard for AllGuard { } true } + + /// Debug format + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + write!(f, "AllGuard(")?; + self.0.iter().for_each(|t| { + let _ = t.fmt(f); + }); + write!(f, ")") + } +} + +impl fmt::Debug for AllGuard { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + Guard::fmt(self, f) + } } /// Return guard that matches if supplied guard does not match. @@ -173,16 +224,35 @@ impl Guard for NotGuard { fn check(&self, request: &RequestHead) -> bool { !self.0.check(request) } + + /// Debug format + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + write!(f, "NotGuard(")?; + self.0.fmt(f)?; + write!(f, ")") + } +} + +impl fmt::Debug for NotGuard { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + Guard::fmt(self, f) + } } /// Http method guard #[doc(hidden)] +#[derive(Debug)] pub struct MethodGuard(Method); impl Guard for MethodGuard { fn check(&self, request: &RequestHead) -> bool { request.method == self.0 } + + /// Debug format + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + fmt::Debug::fmt(self, f) + } } /// Guard to match *GET* http method @@ -245,6 +315,7 @@ pub fn Header(name: &'static str, value: &'static str) -> HeaderGuard { } #[doc(hidden)] +#[derive(Debug)] pub struct HeaderGuard(header::HeaderName, header::HeaderValue); impl Guard for HeaderGuard { @@ -254,6 +325,11 @@ impl Guard for HeaderGuard { } false } + + /// Debug format + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + fmt::Debug::fmt(self, f) + } } /// Return predicate that matches if request contains specified Host name. @@ -284,6 +360,7 @@ fn get_host_uri(req: &RequestHead) -> Option { } #[doc(hidden)] +#[derive(Debug)] pub struct HostGuard(String, Option); impl HostGuard { @@ -318,6 +395,11 @@ impl Guard for HostGuard { true } + + /// Debug format + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + fmt::Debug::fmt(self, f) + } } #[cfg(test)] diff --git a/ntex/src/web/handler.rs b/ntex/src/web/handler.rs index 0bf9f682..c191f83f 100644 --- a/ntex/src/web/handler.rs +++ b/ntex/src/web/handler.rs @@ -1,4 +1,4 @@ -use std::{future::Future, marker::PhantomData}; +use std::{fmt, future::Future, marker::PhantomData}; use crate::util::BoxFuture; @@ -36,7 +36,7 @@ where } } -pub(super) trait HandlerFn { +pub(super) trait HandlerFn: fmt::Debug { fn call( &self, _: WebRequest, @@ -57,6 +57,12 @@ impl HandlerWrapper { } } +impl fmt::Debug for HandlerWrapper { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + write!(f, "Handler({:?})", std::any::type_name::()) + } +} + impl HandlerFn for HandlerWrapper where F: Handler + 'static, diff --git a/ntex/src/web/middleware/compress.rs b/ntex/src/web/middleware/compress.rs index 131fe52a..d8dc137c 100644 --- a/ntex/src/web/middleware/compress.rs +++ b/ntex/src/web/middleware/compress.rs @@ -54,6 +54,7 @@ impl Middleware for Compress { } } +#[derive(Debug)] pub struct CompressMiddleware { service: S, encoding: ContentEncoding, diff --git a/ntex/src/web/middleware/defaultheaders.rs b/ntex/src/web/middleware/defaultheaders.rs index 8a44f613..f8d05454 100644 --- a/ntex/src/web/middleware/defaultheaders.rs +++ b/ntex/src/web/middleware/defaultheaders.rs @@ -25,11 +25,12 @@ use crate::web::{WebRequest, WebResponse}; /// ); /// } /// ``` -#[derive(Clone)] +#[derive(Clone, Debug)] pub struct DefaultHeaders { inner: Rc, } +#[derive(Debug)] struct Inner { ct: bool, headers: HeaderMap, @@ -97,6 +98,7 @@ impl Middleware for DefaultHeaders { } } +#[derive(Debug)] pub struct DefaultHeadersMiddleware { service: S, inner: Rc, diff --git a/ntex/src/web/middleware/logger.rs b/ntex/src/web/middleware/logger.rs index f0365520..51a45a62 100644 --- a/ntex/src/web/middleware/logger.rs +++ b/ntex/src/web/middleware/logger.rs @@ -67,10 +67,12 @@ use crate::web::{HttpResponse, WebRequest, WebResponse}; /// /// `%{FOO}e` os.environ['FOO'] /// +#[derive(Debug)] pub struct Logger { inner: Rc, } +#[derive(Debug)] struct Inner { format: Format, exclude: HashSet, @@ -124,6 +126,7 @@ impl Middleware for Logger { } } +#[derive(Debug)] /// Logger middleware pub struct LoggerMiddleware { inner: Rc, @@ -251,7 +254,7 @@ impl MessageBody for StreamLog { /// A formatting style for the `Logger`, consisting of multiple /// `FormatText`s concatenated into one line. -#[derive(Clone)] +#[derive(Clone, Debug)] #[doc(hidden)] struct Format(Vec); diff --git a/ntex/src/web/route.rs b/ntex/src/web/route.rs index 8deb1224..a9248b17 100644 --- a/ntex/src/web/route.rs +++ b/ntex/src/web/route.rs @@ -1,4 +1,4 @@ -use std::{mem, rc::Rc}; +use std::{fmt, mem, rc::Rc}; use crate::util::{BoxFuture, Ready}; use crate::{http::Method, service::Service, service::ServiceCtx, service::ServiceFactory}; @@ -6,7 +6,7 @@ use crate::{http::Method, service::Service, service::ServiceCtx, service::Servic use super::error::ErrorRenderer; use super::error_default::DefaultError; use super::extract::FromRequest; -use super::guard::{self, Guard}; +use super::guard::{self, AllGuard, Guard}; use super::handler::{Handler, HandlerFn, HandlerWrapper}; use super::request::WebRequest; use super::response::WebResponse; @@ -19,7 +19,7 @@ use super::HttpResponse; pub struct Route { handler: Rc>, methods: Vec, - guards: Rc>>, + guards: Rc, } impl Route { @@ -28,7 +28,7 @@ impl Route { Route { handler: Rc::new(HandlerWrapper::new(|| async { HttpResponse::NotFound() })), methods: Vec::new(), - guards: Rc::new(Vec::new()), + guards: Default::default(), } } @@ -36,10 +36,10 @@ impl Route { for m in &self.methods { Rc::get_mut(&mut self.guards) .unwrap() - .push(Box::new(guard::Method(m.clone()))); + .add(guard::Method(m.clone())); } - mem::take(Rc::get_mut(&mut self.guards).unwrap()) + mem::take(&mut Rc::get_mut(&mut self.guards).unwrap().0) } pub(super) fn service(&self) -> RouteService { @@ -51,6 +51,16 @@ impl Route { } } +impl fmt::Debug for Route { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("Route") + .field("handler", &self.handler) + .field("methods", &self.methods) + .field("guards", &self.guards) + .finish() + } +} + impl ServiceFactory> for Route { type Response = WebResponse; type Error = Err::Container; @@ -66,7 +76,7 @@ impl ServiceFactory> for Route { pub struct RouteService { handler: Rc>, methods: Vec, - guards: Rc>>, + guards: Rc, } impl RouteService { @@ -75,12 +85,17 @@ impl RouteService { return false; } - for f in self.guards.iter() { - if !f.check(req.head()) { - return false; - } - } - true + self.guards.check(req.head()) + } +} + +impl fmt::Debug for RouteService { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("RouteService") + .field("handler", &self.handler) + .field("methods", &self.methods) + .field("guards", &self.guards) + .finish() } } @@ -132,7 +147,7 @@ impl Route { /// # } /// ``` pub fn guard(mut self, f: F) -> Self { - Rc::get_mut(&mut self.guards).unwrap().push(Box::new(f)); + Rc::get_mut(&mut self.guards).unwrap().add(f); self } diff --git a/ntex/src/web/service.rs b/ntex/src/web/service.rs index 408687d5..6f34157d 100644 --- a/ntex/src/web/service.rs +++ b/ntex/src/web/service.rs @@ -7,7 +7,7 @@ use crate::util::Extensions; use super::config::AppConfig; use super::dev::insert_slash; use super::error::ErrorRenderer; -use super::guard::Guard; +use super::guard::{AllGuard, Guard}; use super::{request::WebRequest, response::WebResponse, rmap::ResourceMap}; pub trait WebServiceFactory { @@ -194,10 +194,11 @@ impl WebServiceConfig { /// .finish(my_service) /// ); /// ``` +#[derive(Debug)] pub struct WebServiceAdapter { rdef: Vec, name: Option, - guards: Vec>, + guards: AllGuard, } impl WebServiceAdapter { @@ -206,7 +207,7 @@ impl WebServiceAdapter { WebServiceAdapter { rdef: path.patterns(), name: None, - guards: Vec::new(), + guards: Default::default(), } } @@ -237,7 +238,7 @@ impl WebServiceAdapter { /// } /// ``` pub fn guard(mut self, guard: G) -> Self { - self.guards.push(Box::new(guard)); + self.guards.add(guard); self } @@ -266,7 +267,7 @@ struct WebServiceImpl { srv: T, rdef: Vec, name: Option, - guards: Vec>, + guards: AllGuard, } impl WebServiceFactory for WebServiceImpl @@ -280,10 +281,10 @@ where Err: ErrorRenderer, { fn register(mut self, config: &mut WebServiceConfig) { - let guards = if self.guards.is_empty() { + let guards = if self.guards.0.is_empty() { None } else { - Some(std::mem::take(&mut self.guards)) + Some(std::mem::take(&mut self.guards.0)) }; let mut rdef = if config.is_root() || !self.rdef.is_empty() { diff --git a/ntex/src/web/test.rs b/ntex/src/web/test.rs index 17582cec..3f15132d 100644 --- a/ntex/src/web/test.rs +++ b/ntex/src/web/test.rs @@ -295,6 +295,7 @@ pub async fn respond_to>( /// assert_eq!(resp.status(), StatusCode::BAD_REQUEST); /// } /// ``` +#[derive(Debug)] pub struct TestRequest { req: HttpTestRequest, rmap: ResourceMap, @@ -828,6 +829,7 @@ impl TestServerConfig { } } +#[derive(Debug)] /// Test server controller pub struct TestServer { addr: net::SocketAddr, diff --git a/ntex/src/web/types/json.rs b/ntex/src/web/types/json.rs index b83172ae..feb2acc5 100644 --- a/ntex/src/web/types/json.rs +++ b/ntex/src/web/types/json.rs @@ -253,6 +253,21 @@ impl Default for JsonConfig { } } +impl fmt::Debug for JsonConfig { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("JsonConfig") + .field("limit", &self.limit) + .field( + "content_type", + &self + .content_type + .as_ref() + .map(|_| "Arc bool + Send + Sync>"), + ) + .finish() + } +} + /// Request's payload json parser, it resolves to a deserialized `T` value. /// /// Returns error: diff --git a/ntex/src/ws/sink.rs b/ntex/src/ws/sink.rs index 7744662b..ba78f5e2 100644 --- a/ntex/src/ws/sink.rs +++ b/ntex/src/ws/sink.rs @@ -3,9 +3,10 @@ use std::{future::Future, rc::Rc}; use crate::io::{IoRef, OnDisconnect}; use crate::ws; -#[derive(Clone)] +#[derive(Clone, Debug)] pub struct WsSink(Rc); +#[derive(Debug)] struct WsSinkInner { io: IoRef, codec: ws::Codec, diff --git a/ntex/src/ws/transport.rs b/ntex/src/ws/transport.rs index e379ee22..e594320b 100644 --- a/ntex/src/ws/transport.rs +++ b/ntex/src/ws/transport.rs @@ -15,6 +15,7 @@ bitflags::bitflags! { } } +#[derive(Clone, Debug)] /// An implementation of WebSockets streams pub struct WsTransport { pool: PoolRef, @@ -171,6 +172,7 @@ impl FilterLayer for WsTransport { } } +#[derive(Clone, Debug)] /// WebSockets transport factory pub struct WsTransportFactory { codec: Codec,