Skip to content

Make Non-blocking shutdown timeout configurable #3231

New issue

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

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

Already on GitHub? Sign in to your account

Open
wants to merge 4 commits into
base: v0.1.x
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from 3 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
179 changes: 173 additions & 6 deletions tracing-appender/src/non_blocking.rs
Original file line number Diff line number Diff line change
Expand Up @@ -106,6 +106,7 @@ pub struct WorkerGuard {
_guard: Option<JoinHandle<()>>,
sender: Sender<Msg>,
shutdown: Sender<()>,
shutdown_timeout: Duration,
}

/// A non-blocking writer.
Expand Down Expand Up @@ -144,7 +145,7 @@ impl NonBlocking {
/// The returned `NonBlocking` writer will have the [default configuration][default] values.
/// Other configurations can be specified using the [builder] interface.
///
/// [default]: NonBlockingBuilder::default
/// [default]: NonBlockingBuilder::default()
/// [builder]: NonBlockingBuilder
pub fn new<T: Write + Send + 'static>(writer: T) -> (NonBlocking, WorkerGuard) {
NonBlockingBuilder::default().finish(writer)
Expand All @@ -155,6 +156,7 @@ impl NonBlocking {
buffered_lines_limit: usize,
is_lossy: bool,
thread_name: String,
shutdown_timeout: Duration,
) -> (NonBlocking, WorkerGuard) {
let (sender, receiver) = bounded(buffered_lines_limit);

Expand All @@ -165,6 +167,7 @@ impl NonBlocking {
worker.worker_thread(thread_name),
sender.clone(),
shutdown_sender,
shutdown_timeout,
);

(
Expand Down Expand Up @@ -192,6 +195,7 @@ pub struct NonBlockingBuilder {
buffered_lines_limit: usize,
is_lossy: bool,
thread_name: String,
shutdown_timeout: Duration,
}

impl NonBlockingBuilder {
Expand Down Expand Up @@ -227,8 +231,20 @@ impl NonBlockingBuilder {
self.buffered_lines_limit,
self.is_lossy,
self.thread_name,
self.shutdown_timeout,
)
}

/// Sets the timeout for shutdown of the worker thread.
///
/// This is the maximum amount of time the main thread will wait
/// for the worker thread to finish proccessing pending logs during shutdown
///
/// The default timeout is 1 second.
pub fn shutdown_timeout(mut self, timeout: Duration) -> NonBlockingBuilder {
self.shutdown_timeout = timeout;
self
}
}

impl Default for NonBlockingBuilder {
Expand All @@ -237,6 +253,7 @@ impl Default for NonBlockingBuilder {
buffered_lines_limit: DEFAULT_BUFFERED_LINES_LIMIT,
is_lossy: true,
thread_name: "tracing-appender".to_string(),
shutdown_timeout: Duration::from_secs(1),
}
}
}
Expand Down Expand Up @@ -276,11 +293,17 @@ impl<'a> MakeWriter<'a> for NonBlocking {
}

impl WorkerGuard {
fn new(handle: JoinHandle<()>, sender: Sender<Msg>, shutdown: Sender<()>) -> Self {
fn new(
handle: JoinHandle<()>,
sender: Sender<Msg>,
shutdown: Sender<()>,
shutdown_timeout: Duration,
) -> Self {
WorkerGuard {
_guard: Some(handle),
sender,
shutdown,
shutdown_timeout,
}
}
}
Expand All @@ -295,14 +318,27 @@ impl Drop for WorkerGuard {
// Attempt to wait for `Worker` to flush all messages before dropping. This happens
// when the `Worker` calls `recv()` on a zero-capacity channel. Use `send_timeout`
// so that drop is not blocked indefinitely.
// TODO: Make timeout configurable.
let _ = self.shutdown.send_timeout((), Duration::from_millis(1000));
// The shutdown timeout now is configurable
match self.shutdown.send_timeout((), self.shutdown_timeout) {
Ok(_) => (),
Err(SendTimeoutError::Timeout(_)) => {
eprintln!(
"Shutting down logging worker timed out after {:?}.",
self.shutdown_timeout
);
}
Err(SendTimeoutError::Disconnected(_)) => {
eprintln!("Shutdown failed because logging worker was disconnected");
}
}
}
Err(SendTimeoutError::Disconnected(_)) => (),
Err(SendTimeoutError::Timeout(e)) => println!(
Err(SendTimeoutError::Timeout(e)) => eprintln!(
"Failed to send shutdown signal to logging worker. Error: {:?}",
e
),
Err(SendTimeoutError::Disconnected(_)) => {
eprintln!("Logging worker disconnected before shutdown signal");
}
}
}
}
Expand Down Expand Up @@ -493,4 +529,135 @@ mod test {
assert_eq!(10, hello_count);
assert_eq!(0, error_count.dropped_lines());
}

use std::{
io::{self, Write},
sync::atomic::{AtomicUsize, Ordering},
sync::Arc,
};

struct ControlledWriter {
counter: Arc<AtomicUsize>,
ready_tx: mpsc::Sender<()>,
proceed_rx: mpsc::Receiver<()>,
}

impl ControlledWriter {
fn new() -> (Self, mpsc::Sender<()>, mpsc::Receiver<()>) {
let (ready_tx, ready_rx) = mpsc::channel();
let (proceed_tx, proceed_rx) = mpsc::channel();
let writer = ControlledWriter {
counter: Arc::new(AtomicUsize::new(0)),
ready_tx,
proceed_rx,
};
(writer, proceed_tx, ready_rx)
}
}

impl Write for ControlledWriter {
fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
self.ready_tx.send(()).unwrap();
self.proceed_rx.recv().unwrap();
self.counter.fetch_add(1, Ordering::SeqCst);
Ok(buf.len())
}

fn flush(&mut self) -> io::Result<()> {
Ok(())
}
}

#[test]
fn test_complete_message_processing() {
let (writer, proceed_tx, ready_rx) = ControlledWriter::new();
let counter = writer.counter.clone();

let (mut non_blocking, guard) = NonBlockingBuilder::default().finish(writer);

for i in 0..3 {
non_blocking
.write_all(format!("msg{}\n", i).as_bytes())
.unwrap();
}

for _ in 0..3 {
ready_rx.recv().unwrap();
proceed_tx.send(()).unwrap();
}

drop(guard);

assert_eq!(
counter.load(Ordering::SeqCst),
3,
"All messages should be processed"
);
}

#[test]
fn test_partial_message_processing() {
let (writer, proceed_tx, ready_rx) = ControlledWriter::new();
let counter = writer.counter.clone();

let (mut non_blocking, guard) = NonBlockingBuilder::default().finish(writer);

for i in 0..3 {
non_blocking
.write_all(format!("msg{}\n", i).as_bytes())
.unwrap();
}

ready_rx.recv().unwrap();
proceed_tx.send(()).unwrap();

drop(guard);

let processed = counter.load(Ordering::SeqCst);
assert!(processed >= 1, "At least one message should be processed");
assert!(processed < 3, "Not all messages should be processed");
}

#[test]
fn test_no_message_processing() {
let (writer, _proceed_tx, _ready_rx) = ControlledWriter::new();
let counter = writer.counter.clone();

let (mut non_blocking, guard) = NonBlockingBuilder::default().finish(writer);

for i in 0..3 {
non_blocking
.write_all(format!("msg{}\n", i).as_bytes())
.unwrap();
}

drop(guard);

assert_eq!(
counter.load(Ordering::SeqCst),
0,
"No messages should be processed"
);
}

#[test]
fn test_single_message_processing() {
let (writer, proceed_tx, ready_rx) = ControlledWriter::new();
let counter = writer.counter.clone();

let (mut non_blocking, guard) = NonBlockingBuilder::default().finish(writer);

non_blocking.write_all(b"single message\n").unwrap();

ready_rx.recv().unwrap();
proceed_tx.send(()).unwrap();

drop(guard);

assert_eq!(
counter.load(Ordering::SeqCst),
1,
"Single message should be processed"
);
}
}
62 changes: 62 additions & 0 deletions tracing-appender/tests/non-blocking-timeout.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,62 @@
use std::{
io::{self, Write},
sync::atomic::{AtomicBool, AtomicU64, Ordering},
thread,
time::{Duration, Instant},
};
use tracing_appender::non_blocking::NonBlockingBuilder;

static BLOCK_IN_WORKER: AtomicBool = AtomicBool::new(false);
static BLOCK_DURATION_SECS: AtomicU64 = AtomicU64::new(3);

struct BlockingMemoryWriter {
buffer: Vec<u8>,
}

impl BlockingMemoryWriter {
fn new() -> Self {
Self { buffer: Vec::new() }
}
}

impl Write for BlockingMemoryWriter {
fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
if BLOCK_IN_WORKER.load(Ordering::Relaxed) {
let block_secs = BLOCK_DURATION_SECS.load(Ordering::Relaxed);
thread::sleep(Duration::from_secs(block_secs));
}
self.buffer.extend_from_slice(buf);
Ok(buf.len())
}

fn flush(&mut self) -> io::Result<()> {
Ok(())
}
}

#[test]
fn test_shutdown_timeout_behavior() {
let timeout = Duration::from_millis(300);
let blocking_writer = BlockingMemoryWriter::new();

let (mut non_blocking, guard) = NonBlockingBuilder::default()
.shutdown_timeout(timeout)
.finish(blocking_writer);

non_blocking.write_all(b"test data\n").unwrap();

thread::sleep(Duration::from_millis(50));
BLOCK_IN_WORKER.store(true, Ordering::Relaxed);
non_blocking.write_all(b"blocking data\n").unwrap();

let start = Instant::now();
drop(guard);
let elapsed = start.elapsed();

assert!(
elapsed >= timeout,
"Shutdown completed before timeout: {:?}, expected at least {:?}",
elapsed,
timeout
);
}
2 changes: 1 addition & 1 deletion tracing-attributes/src/expand.rs
Original file line number Diff line number Diff line change
Expand Up @@ -453,7 +453,7 @@ impl RecordType {
if path
.segments
.iter()
.last()
.next_back()
.map(|path_segment| {
let ident = path_segment.ident.to_string();
Self::TYPES_FOR_VALUE.iter().any(|&t| t == ident)
Expand Down
16 changes: 8 additions & 8 deletions tracing-futures/src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -25,15 +25,15 @@
//! features with other crates in the asynchronous ecosystem:
//!
//! - `tokio`: Enables compatibility with the `tokio` crate, including
//! [`Instrument`] and [`WithSubscriber`] implementations for
//! `tokio::executor::Executor`, `tokio::runtime::Runtime`, and
//! `tokio::runtime::current_thread`. Enabled by default.
//! [`Instrument`] and [`WithSubscriber`] implementations for
//! `tokio::executor::Executor`, `tokio::runtime::Runtime`, and
//! `tokio::runtime::current_thread`. Enabled by default.
//! - `tokio-executor`: Enables compatibility with the `tokio-executor`
//! crate, including [`Instrument`] and [`WithSubscriber`]
//! implementations for types implementing `tokio_executor::Executor`.
//! This is intended primarily for use in crates which depend on
//! `tokio-executor` rather than `tokio`; in general the `tokio` feature
//! should be used instead.
//! crate, including [`Instrument`] and [`WithSubscriber`]
//! implementations for types implementing `tokio_executor::Executor`.
//! This is intended primarily for use in crates which depend on
//! `tokio-executor` rather than `tokio`; in general the `tokio` feature
//! should be used instead.
//! - `std-future`: Enables compatibility with `std::future::Future`.
//! - `futures-01`: Enables compatibility with version 0.1.x of the [`futures`]
//! crate.
Expand Down
10 changes: 5 additions & 5 deletions tracing-journald/src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -515,11 +515,11 @@ pub struct PriorityMappings {
impl PriorityMappings {
/// Returns the default priority mappings:
///
/// - [`tracing::Level::ERROR`]: [`Priority::Error`] (3)
/// - [`tracing::Level::WARN`]: [`Priority::Warning`] (4)
/// - [`tracing::Level::INFO`]: [`Priority::Notice`] (5)
/// - [`tracing::Level::DEBUG`]: [`Priority::Informational`] (6)
/// - [`tracing::Level::TRACE`]: [`Priority::Debug`] (7)
/// - [`tracing::Level::ERROR`][]: [`Priority::Error`] (3)
/// - [`tracing::Level::WARN`][]: [`Priority::Warning`] (4)
/// - [`tracing::Level::INFO`][]: [`Priority::Notice`] (5)
/// - [`tracing::Level::DEBUG`][]: [`Priority::Informational`] (6)
/// - [`tracing::Level::TRACE`][]: [`Priority::Debug`] (7)
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

These links don't work, we should probably change this to:

    /// Returns the default priority mappings:
    ///
    /// - [`Level::ERROR`][]: [`Priority::Error`] (3)
    /// - [`Level::WARN`][]: [`Priority::Warning`] (4)
    /// - [`Level::INFO`][]: [`Priority::Notice`] (5)
    /// - [`Level::DEBUG`][]: [`Priority::Informational`] (6)
    /// - [`Level::TRACE`][]: [`Priority::Debug`] (7)
    ///
    /// [`Level::ERROR`]: tracing_core::Level::ERROR
    /// [`Level::WARN`]: tracing_core::Level::WARN
    /// [`Level::INFO`]: tracing_core::Level::INFO
    /// [`Level::DEBUG`]: tracing_core::Level::DEBUG
    /// [`Level::TRACE`]: tracing_core::Level::TRACE

Thanks!

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Changing to this would cause clippy warnings saying that link definitions are not shown in rendered documentation. Would changing to

    /// Returns the default priority mappings:
    ///
    /// - `tracing::Level::ERROR`: [`Priority::Error`] (3)
    /// - `tracing::Level::WARN`: [`Priority::Warning`] (4)
    /// - `tracing::Level::INFO`: [`Priority::Notice`] (5)
    /// - `tracing::Level::DEBUG`: [`Priority::Informational`] (6)
    /// - `tracing::Level::TRACE`: [`Priority::Debug`] (7)

be a better idea?

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Umm that's weird I don't get any clippy warnings. Which rust version do you use? Anyways I'd avoid your example because it doesn't actually link to the levels.

Copy link
Author

@Amberley-Sz Amberley-Sz Apr 11, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I'm using rustc 1.86.0
When I run cargo clippy it shows

Checking tracing-journald v0.3.1 (/local/home/asuzhan/tracing/tracing-journald)
warning: link reference defined in list item
   --> tracing-journald/src/lib.rs:518:11
    |
518 |     /// - [`tracing::Level::ERROR`]: [`Priority::Error`] (3)
    |           ^^^^^^^^^^^^^^^^^^^^^^^^^
    |
    = help: link definitions are not shown in rendered documentation
    = help: for further information visit https://rust-lang.github.io/rust-clippy/master/index.html#doc_nested_refdefs
    = note: `#[warn(clippy::doc_nested_refdefs)]` on by default
help: for an intra-doc link, add `[]` between the label and the colon
    |
518 |     /// - [`tracing::Level::ERROR`][]: [`Priority::Error`] (3)
    |                                    ++

warning: link reference defined in list item
   --> tracing-journald/src/lib.rs:519:11
    |
519 |     /// - [`tracing::Level::WARN`]: [`Priority::Warning`] (4)
    |           ^^^^^^^^^^^^^^^^^^^^^^^^
    |
    = help: link definitions are not shown in rendered documentation
    = help: for further information visit https://rust-lang.github.io/rust-clippy/master/index.html#doc_nested_refdefs
help: for an intra-doc link, add `[]` between the label and the colon
    |
519 |     /// - [`tracing::Level::WARN`][]: [`Priority::Warning`] (4)
    |                                   ++

warning: link reference defined in list item
   --> tracing-journald/src/lib.rs:520:11
    |
520 |     /// - [`tracing::Level::INFO`]: [`Priority::Notice`] (5)
    |           ^^^^^^^^^^^^^^^^^^^^^^^^
    |
    = help: link definitions are not shown in rendered documentation
    = help: for further information visit https://rust-lang.github.io/rust-clippy/master/index.html#doc_nested_refdefs
help: for an intra-doc link, add `[]` between the label and the colon
    |
520 |     /// - [`tracing::Level::INFO`][]: [`Priority::Notice`] (5)
    |                                   ++

warning: link reference defined in list item
   --> tracing-journald/src/lib.rs:521:11
    |
521 |     /// - [`tracing::Level::DEBUG`]: [`Priority::Informational`] (6)
    |           ^^^^^^^^^^^^^^^^^^^^^^^^^
    |
    = help: link definitions are not shown in rendered documentation
    = help: for further information visit https://rust-lang.github.io/rust-clippy/master/index.html#doc_nested_refdefs
help: for an intra-doc link, add `[]` between the label and the colon
    |
521 |     /// - [`tracing::Level::DEBUG`][]: [`Priority::Informational`] (6)
    |                                    ++

warning: link reference defined in list item
   --> tracing-journald/src/lib.rs:522:11
    |
522 |     /// - [`tracing::Level::TRACE`]: [`Priority::Debug`] (7)
    |           ^^^^^^^^^^^^^^^^^^^^^^^^^
    |
    = help: link definitions are not shown in rendered documentation
    = help: for further information visit https://rust-lang.github.io/rust-clippy/master/index.html#doc_nested_refdefs
help: for an intra-doc link, add `[]` between the label and the colon
    |
522 |     /// - [`tracing::Level::TRACE`][]: [`Priority::Debug`] (7)
    |                                    ++

warning: `tracing-journald` (lib) generated 5 warnings
    Finished `dev` profile [unoptimized + debuginfo] target(s) in 0.22s

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

You didn't add my suggestion though.
Add:

/// Returns the default priority mappings:
///
/// - [`Level::ERROR`][]: [`Priority::Error`] (3)
/// - [`Level::WARN`][]: [`Priority::Warning`] (4)
/// - [`Level::INFO`][]: [`Priority::Notice`] (5)
/// - [`Level::DEBUG`][]: [`Priority::Informational`] (6)
/// - [`Level::TRACE`][]: [`Priority::Debug`] (7)
///
/// [`Level::ERROR`]: tracing_core::Level::ERROR
/// [`Level::WARN`]: tracing_core::Level::WARN
/// [`Level::INFO`]: tracing_core::Level::INFO
/// [`Level::DEBUG`]: tracing_core::Level::DEBUG
/// [`Level::TRACE`]: tracing_core::Level::TRACE

instead of the existing doc-comment.

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I see the point now! Thanks for the suggestion, updated!

pub fn new() -> PriorityMappings {
Self {
error: Priority::Error,
Expand Down
14 changes: 7 additions & 7 deletions tracing-subscriber/src/filter/env/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -56,16 +56,16 @@ use tracing_core::{
/// Each component (`target`, `span`, `field`, `value`, and `level`) will be covered in turn.
///
/// - `target` matches the event or span's target. In general, this is the module path and/or crate name.
/// Examples of targets `h2`, `tokio::net`, or `tide::server`. For more information on targets,
/// please refer to [`Metadata`]'s documentation.
/// Examples of targets `h2`, `tokio::net`, or `tide::server`. For more information on targets,
/// please refer to [`Metadata`]'s documentation.
/// - `span` matches on the span's name. If a `span` directive is provided alongside a `target`,
/// the `span` directive will match on spans _within_ the `target`.
/// the `span` directive will match on spans _within_ the `target`.
/// - `field` matches on [fields] within spans. Field names can also be supplied without a `value`
/// and will match on any [`Span`] or [`Event`] that has a field with that name.
/// For example: `[span{field=\"value\"}]=debug`, `[{field}]=trace`.
/// and will match on any [`Span`] or [`Event`] that has a field with that name.
/// For example: `[span{field=\"value\"}]=debug`, `[{field}]=trace`.
/// - `value` matches on the value of a span's field. If a value is a numeric literal or a bool,
/// it will match _only_ on that value. Otherwise, this filter matches the
/// [`std::fmt::Debug`] output from the value.
/// it will match _only_ on that value. Otherwise, this filter matches the
/// [`std::fmt::Debug`] output from the value.
/// - `level` sets a maximum verbosity level accepted by this directive.
///
/// When a field value directive (`[{<FIELD NAME>=<FIELD_VALUE>}]=...`) matches a
Expand Down
Loading