-
Notifications
You must be signed in to change notification settings - Fork 585
feat: add shutdown
in TracerProvider
#1855
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
Changes from all commits
fdc4b58
6db7b40
22d171a
038f8ae
924e33c
31a0a57
39fab0e
639cb2d
9f18239
d3057ac
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -9,18 +9,37 @@ | |
//! not duplicate this data to avoid that different [`Tracer`] instances | ||
//! of the [`TracerProvider`] have different versions of these data. | ||
use crate::runtime::RuntimeChannel; | ||
use crate::trace::{BatchSpanProcessor, SimpleSpanProcessor, Tracer}; | ||
use crate::trace::{ | ||
BatchSpanProcessor, Config, RandomIdGenerator, Sampler, SimpleSpanProcessor, SpanLimits, Tracer, | ||
}; | ||
use crate::{export::trace::SpanExporter, trace::SpanProcessor}; | ||
use crate::{InstrumentationLibrary, Resource}; | ||
use once_cell::sync::OnceCell; | ||
use once_cell::sync::{Lazy, OnceCell}; | ||
use opentelemetry::trace::TraceError; | ||
use opentelemetry::{global, trace::TraceResult}; | ||
use std::borrow::Cow; | ||
use std::sync::atomic::{AtomicBool, Ordering}; | ||
use std::sync::Arc; | ||
|
||
/// Default tracer name if empty string is provided. | ||
const DEFAULT_COMPONENT_NAME: &str = "rust.opentelemetry.io/sdk/tracer"; | ||
static PROVIDER_RESOURCE: OnceCell<Resource> = OnceCell::new(); | ||
|
||
// a no nop tracer provider used as placeholder when the provider is shutdown | ||
static NOOP_TRACER_PROVIDER: Lazy<TracerProvider> = Lazy::new(|| TracerProvider { | ||
inner: Arc::new(TracerProviderInner { | ||
processors: Vec::new(), | ||
config: Config { | ||
// cannot use default here as the default resource is not empty | ||
sampler: Box::new(Sampler::ParentBased(Box::new(Sampler::AlwaysOn))), | ||
id_generator: Box::<RandomIdGenerator>::default(), | ||
span_limits: SpanLimits::default(), | ||
resource: Cow::Owned(Resource::empty()), | ||
}, | ||
}), | ||
is_shutdown: Arc::new(AtomicBool::new(true)), | ||
}); | ||
|
||
/// TracerProvider inner type | ||
#[derive(Debug)] | ||
pub(crate) struct TracerProviderInner { | ||
|
@@ -39,9 +58,14 @@ impl Drop for TracerProviderInner { | |
} | ||
|
||
/// Creator and registry of named [`Tracer`] instances. | ||
/// | ||
/// `TracerProvider` is lightweight container holding pointers to `SpanProcessor` and other components. | ||
/// Cloning and dropping them will not stop the span processing. To stop span processing, users | ||
/// must either call `shutdown` method explicitly, or drop every clone of `TracerProvider`. | ||
#[derive(Clone, Debug)] | ||
pub struct TracerProvider { | ||
inner: Arc<TracerProviderInner>, | ||
is_shutdown: Arc<AtomicBool>, | ||
} | ||
|
||
impl Default for TracerProvider { | ||
|
@@ -52,8 +76,11 @@ impl Default for TracerProvider { | |
|
||
impl TracerProvider { | ||
/// Build a new tracer provider | ||
pub(crate) fn new(inner: Arc<TracerProviderInner>) -> Self { | ||
TracerProvider { inner } | ||
pub(crate) fn new(inner: TracerProviderInner) -> Self { | ||
TracerProvider { | ||
inner: Arc::new(inner), | ||
is_shutdown: Arc::new(AtomicBool::new(false)), | ||
} | ||
} | ||
|
||
/// Create a new [`TracerProvider`] builder. | ||
|
@@ -71,6 +98,12 @@ impl TracerProvider { | |
&self.inner.config | ||
} | ||
|
||
/// true if the provider has been shutdown | ||
/// Don't start span or export spans when provider is shutdown | ||
pub(crate) fn is_shutdown(&self) -> bool { | ||
self.is_shutdown.load(Ordering::Relaxed) | ||
} | ||
|
||
/// Force flush all remaining spans in span processors and return results. | ||
/// | ||
/// # Examples | ||
|
@@ -114,11 +147,41 @@ impl TracerProvider { | |
.map(|processor| processor.force_flush()) | ||
.collect() | ||
} | ||
|
||
/// Shuts down the current `TracerProvider`. | ||
/// | ||
/// Note that shut down doesn't means the TracerProvider has dropped | ||
pub fn shutdown(&self) -> TraceResult<()> { | ||
if self | ||
.is_shutdown | ||
.compare_exchange(false, true, Ordering::SeqCst, Ordering::SeqCst) | ||
.is_ok() | ||
{ | ||
// propagate the shutdown signal to processors | ||
// it's up to the processor to properly block new spans after shutdown | ||
let mut errs = vec![]; | ||
for processor in &self.inner.processors { | ||
if let Err(err) = processor.shutdown() { | ||
errs.push(err); | ||
} | ||
} | ||
|
||
if errs.is_empty() { | ||
Ok(()) | ||
} else { | ||
Err(TraceError::Other(format!("{errs:?}").into())) | ||
} | ||
} else { | ||
Err(TraceError::Other( | ||
"tracer provider already shut down".into(), | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. We should probably use There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Will rephrasing the error to say "tracer provider is already shutting down or has been shut down" be useful here, instead of using the Mutex/RwLock ? There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. It depends on what kind of experience we are targeting. I feel that shutting down a tracer provider does not have to be a perf optimized operation so it's okay to use locks. Shutdown would anyway not be a frequent scenario. I also like the clear status that locking offers about whether the provider is shutdown or not. There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. The mutex/rwlock/atomic - is checked in hot path, so it needs to be performant! There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. https://github.com/open-telemetry/opentelemetry-rust/blob/main/opentelemetry-sdk/src/logs/log_processor.rs#L93-L97 Logs. There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more.
Got it! In that case, we should make use of There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. why There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. My bad! I thought we could use There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more.
|
||
)) | ||
} | ||
} | ||
} | ||
|
||
impl opentelemetry::trace::TracerProvider for TracerProvider { | ||
/// This implementation of `TracerProvider` produces `Tracer` instances. | ||
type Tracer = crate::trace::Tracer; | ||
type Tracer = Tracer; | ||
|
||
/// Create a new versioned `Tracer` instance. | ||
fn versioned_tracer( | ||
|
@@ -152,7 +215,10 @@ impl opentelemetry::trace::TracerProvider for TracerProvider { | |
} | ||
|
||
fn library_tracer(&self, library: Arc<InstrumentationLibrary>) -> Self::Tracer { | ||
Tracer::new(library, Arc::downgrade(&self.inner)) | ||
if self.is_shutdown.load(Ordering::Relaxed) { | ||
return Tracer::new(library, NOOP_TRACER_PROVIDER.clone()); | ||
} | ||
Tracer::new(library, self.clone()) | ||
} | ||
} | ||
|
||
|
@@ -226,9 +292,7 @@ impl Builder { | |
p.set_resource(config.resource.as_ref()); | ||
} | ||
|
||
TracerProvider { | ||
inner: Arc::new(TracerProviderInner { processors, config }), | ||
} | ||
TracerProvider::new(TracerProviderInner { processors, config }) | ||
} | ||
} | ||
|
||
|
@@ -241,24 +305,59 @@ mod tests { | |
use crate::trace::provider::TracerProviderInner; | ||
use crate::trace::{Config, Span, SpanProcessor}; | ||
use crate::Resource; | ||
use opentelemetry::trace::{TraceError, TraceResult}; | ||
use opentelemetry::trace::{TraceError, TraceResult, Tracer, TracerProvider}; | ||
use opentelemetry::{Context, Key, KeyValue, Value}; | ||
use std::borrow::Cow; | ||
use std::env; | ||
use std::sync::atomic::{AtomicBool, AtomicU32, Ordering}; | ||
use std::sync::Arc; | ||
|
||
// fields below is wrapped with Arc so we can assert it | ||
#[derive(Default, Debug)] | ||
struct AssertInfo { | ||
started_span: AtomicU32, | ||
is_shutdown: AtomicBool, | ||
} | ||
|
||
#[derive(Default, Debug, Clone)] | ||
struct SharedAssertInfo(Arc<AssertInfo>); | ||
|
||
impl SharedAssertInfo { | ||
fn started_span_count(&self, count: u32) -> bool { | ||
self.0.started_span.load(Ordering::SeqCst) == count | ||
} | ||
} | ||
|
||
#[derive(Debug)] | ||
struct TestSpanProcessor { | ||
success: bool, | ||
assert_info: SharedAssertInfo, | ||
} | ||
|
||
impl TestSpanProcessor { | ||
fn new(success: bool) -> TestSpanProcessor { | ||
TestSpanProcessor { | ||
success, | ||
assert_info: SharedAssertInfo::default(), | ||
} | ||
} | ||
|
||
// get handle to assert info | ||
fn assert_info(&self) -> SharedAssertInfo { | ||
self.assert_info.clone() | ||
} | ||
} | ||
|
||
impl SpanProcessor for TestSpanProcessor { | ||
fn on_start(&self, _span: &mut Span, _cx: &Context) { | ||
unimplemented!() | ||
self.assert_info | ||
.0 | ||
.started_span | ||
.fetch_add(1, Ordering::SeqCst); | ||
} | ||
|
||
fn on_end(&self, _span: SpanData) { | ||
unimplemented!() | ||
// ignore | ||
} | ||
|
||
fn force_flush(&self) -> TraceResult<()> { | ||
|
@@ -270,19 +369,29 @@ mod tests { | |
} | ||
|
||
fn shutdown(&self) -> TraceResult<()> { | ||
self.force_flush() | ||
if self.assert_info.0.is_shutdown.load(Ordering::SeqCst) { | ||
Ok(()) | ||
} else { | ||
let _ = self.assert_info.0.is_shutdown.compare_exchange( | ||
false, | ||
true, | ||
Ordering::SeqCst, | ||
Ordering::SeqCst, | ||
); | ||
self.force_flush() | ||
} | ||
} | ||
} | ||
|
||
#[test] | ||
fn test_force_flush() { | ||
let tracer_provider = super::TracerProvider::new(Arc::from(TracerProviderInner { | ||
let tracer_provider = super::TracerProvider::new(TracerProviderInner { | ||
processors: vec![ | ||
Box::from(TestSpanProcessor { success: true }), | ||
Box::from(TestSpanProcessor { success: false }), | ||
Box::from(TestSpanProcessor::new(true)), | ||
Box::from(TestSpanProcessor::new(false)), | ||
], | ||
config: Default::default(), | ||
})); | ||
}); | ||
|
||
let results = tracer_provider.force_flush(); | ||
assert_eq!(results.len(), 2); | ||
|
@@ -417,4 +526,42 @@ mod tests { | |
|
||
assert_eq!(no_service_name.config().resource.len(), 0) | ||
} | ||
|
||
#[test] | ||
fn test_shutdown_noops() { | ||
let processor = TestSpanProcessor::new(false); | ||
let assert_handle = processor.assert_info(); | ||
let tracer_provider = super::TracerProvider::new(TracerProviderInner { | ||
processors: vec![Box::from(processor)], | ||
config: Default::default(), | ||
}); | ||
|
||
let test_tracer_1 = tracer_provider.tracer("test1"); | ||
let _ = test_tracer_1.start("test"); | ||
|
||
assert!(assert_handle.started_span_count(1)); | ||
|
||
let _ = test_tracer_1.start("test"); | ||
|
||
assert!(assert_handle.started_span_count(2)); | ||
|
||
let shutdown = |tracer_provider: super::TracerProvider| { | ||
let _ = tracer_provider.shutdown(); // shutdown once | ||
}; | ||
|
||
// assert tracer provider can be shutdown using on a cloned version | ||
shutdown(tracer_provider.clone()); | ||
|
||
// after shutdown we should get noop tracer | ||
let noop_tracer = tracer_provider.tracer("noop"); | ||
// noop tracer cannot start anything | ||
let _ = noop_tracer.start("test"); | ||
assert!(assert_handle.started_span_count(2)); | ||
// noop tracer's tracer provider should be shutdown | ||
assert!(noop_tracer.provider().is_shutdown.load(Ordering::SeqCst)); | ||
|
||
// existing tracer becomes noops after shutdown | ||
let _ = test_tracer_1.start("test"); | ||
assert!(assert_handle.started_span_count(2)); | ||
} | ||
} |
Uh oh!
There was an error while loading. Please reload this page.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Is there any benefit to creating another
Arc
pointer just foris_shutdown
? Could we reuse the existingArc
pointer inner to also holdis_shutdown
inside it?