1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376
#![allow(missing_docs)]
use std::{
collections::HashMap,
marker::PhantomData,
str::FromStr,
sync::{
atomic::{AtomicBool, Ordering},
Mutex, MutexGuard, OnceLock,
},
};
use futures_util::{future::ready, Stream, StreamExt};
use metrics_tracing_context::MetricsLayer;
use tokio::sync::{
broadcast::{self, Receiver, Sender},
oneshot,
};
use tokio_stream::wrappers::BroadcastStream;
use tracing::{Event, Subscriber};
use tracing_limit::RateLimitedLayer;
use tracing_subscriber::{
filter::LevelFilter,
layer::{Context, SubscriberExt},
registry::LookupSpan,
util::SubscriberInitExt,
Layer,
};
pub use tracing_tower::{InstrumentableService, InstrumentedService};
use vector_lib::lookup::event_path;
use vrl::value::Value;
use crate::event::LogEvent;
/// BUFFER contains all of the internal log events generated by Vector between the initialization of `tracing` and early
/// buffering being stopped, which occurs once the topology reports as having successfully started.
///
/// This means that callers must subscribe during the configuration phase of their components, and not in the core loop
/// of the component, as the topology can only report when a component has been spawned, but not necessarily always
/// when it has started doing, or waiting, for input.
static BUFFER: Mutex<Option<Vec<LogEvent>>> = Mutex::new(Some(Vec::new()));
/// SHOULD_BUFFER controls whether or not internal log events should be buffered or sent directly to the trace broadcast
/// channel.
static SHOULD_BUFFER: AtomicBool = AtomicBool::new(true);
/// SUBSCRIBERS contains a list of callers interested in internal log events who will be notified when early buffering
/// is disabled, by receiving a copy of all buffered internal log events.
static SUBSCRIBERS: Mutex<Option<Vec<oneshot::Sender<Vec<LogEvent>>>>> =
Mutex::new(Some(Vec::new()));
/// SENDER holds the sender/receiver handle that will receive a copy of all the internal log events *after* the topology
/// has been initialized.
static SENDER: OnceLock<Sender<LogEvent>> = OnceLock::new();
fn metrics_layer_enabled() -> bool {
!matches!(std::env::var("DISABLE_INTERNAL_METRICS_TRACING_INTEGRATION"), Ok(x) if x == "true")
}
pub fn init(color: bool, json: bool, levels: &str, internal_log_rate_limit: u64) {
let fmt_filter = tracing_subscriber::filter::Targets::from_str(levels).expect(
"logging filter targets were not formatted correctly or did not specify a valid level",
);
let metrics_layer =
metrics_layer_enabled().then(|| MetricsLayer::new().with_filter(LevelFilter::INFO));
let broadcast_layer = RateLimitedLayer::new(BroadcastLayer::new())
.with_default_limit(internal_log_rate_limit)
.with_filter(fmt_filter.clone());
let subscriber = tracing_subscriber::registry()
.with(metrics_layer)
.with(broadcast_layer);
#[cfg(feature = "tokio-console")]
let subscriber = {
let console_layer = console_subscriber::ConsoleLayer::builder()
.with_default_env()
.spawn();
subscriber.with(console_layer)
};
#[cfg(feature = "allocation-tracing")]
let subscriber = {
let allocation_layer = crate::internal_telemetry::allocations::AllocationLayer::new()
.with_filter(LevelFilter::ERROR);
subscriber.with(allocation_layer)
};
if json {
let formatter = tracing_subscriber::fmt::layer().json().flatten_event(true);
#[cfg(test)]
let formatter = formatter.with_test_writer();
let rate_limited =
RateLimitedLayer::new(formatter).with_default_limit(internal_log_rate_limit);
let subscriber = subscriber.with(rate_limited.with_filter(fmt_filter));
_ = subscriber.try_init();
} else {
let formatter = tracing_subscriber::fmt::layer()
.with_ansi(color)
.with_writer(std::io::stderr);
#[cfg(test)]
let formatter = formatter.with_test_writer();
let rate_limited =
RateLimitedLayer::new(formatter).with_default_limit(internal_log_rate_limit);
let subscriber = subscriber.with(rate_limited.with_filter(fmt_filter));
_ = subscriber.try_init();
}
}
#[cfg(test)]
pub fn reset_early_buffer() -> Option<Vec<LogEvent>> {
get_early_buffer().replace(Vec::new())
}
/// Gets a mutable reference to the early buffer.
fn get_early_buffer() -> MutexGuard<'static, Option<Vec<LogEvent>>> {
BUFFER
.lock()
.expect("Couldn't acquire lock on internal logs buffer")
}
/// Determines whether tracing events should be processed (e.g. converted to log
/// events) to avoid unnecessary performance overhead.
///
/// Checks if [`BUFFER`] is set or if a trace sender exists
fn should_process_tracing_event() -> bool {
get_early_buffer().is_some() || maybe_get_trace_sender().is_some()
}
/// Attempts to buffer an event into the early buffer.
fn try_buffer_event(log: &LogEvent) -> bool {
if SHOULD_BUFFER.load(Ordering::Acquire) {
if let Some(buffer) = get_early_buffer().as_mut() {
buffer.push(log.clone());
return true;
}
}
false
}
/// Attempts to broadcast an event to subscribers.
///
/// If no subscribers are connected, this does nothing.
fn try_broadcast_event(log: LogEvent) {
if let Some(sender) = maybe_get_trace_sender() {
_ = sender.send(log);
}
}
/// Consumes the early buffered events.
///
/// # Panics
///
/// If the early buffered events have already been consumed, this function will panic.
fn consume_early_buffer() -> Vec<LogEvent> {
get_early_buffer()
.take()
.expect("early buffer was already consumed")
}
/// Gets or creates a trace sender for sending internal log events.
fn get_trace_sender() -> &'static broadcast::Sender<LogEvent> {
SENDER.get_or_init(|| broadcast::channel(99).0)
}
/// Attempts to get the trace sender for sending internal log events.
///
/// If the trace sender has not yet been created, `None` is returned.
fn maybe_get_trace_sender() -> Option<&'static broadcast::Sender<LogEvent>> {
SENDER.get()
}
/// Creates a trace receiver that receives internal log events.
///
/// This will create a trace sender if one did not already exist.
fn get_trace_receiver() -> broadcast::Receiver<LogEvent> {
get_trace_sender().subscribe()
}
/// Gets a mutable reference to the list of waiting subscribers, if it exists.
fn get_trace_subscriber_list() -> MutexGuard<'static, Option<Vec<oneshot::Sender<Vec<LogEvent>>>>> {
SUBSCRIBERS.lock().expect("poisoned locks are dumb")
}
/// Attempts to register for early buffered events.
///
/// If early buffering has not yet been stopped, `Some(receiver)` is returned. The given receiver will resolve to a
/// vector of all early buffered events once early buffering has been stopped. Otherwise, if early buffering is already
/// stopped, `None` is returned.
fn try_register_for_early_events() -> Option<oneshot::Receiver<Vec<LogEvent>>> {
if SHOULD_BUFFER.load(Ordering::Acquire) {
// We're still in early buffering mode. Attempt to subscribe by adding a oneshot sender
// to SUBSCRIBERS. If it's already been consumed, then we've gotten beaten out by a
// caller that is disabling early buffering, so we just go with the flow either way.
get_trace_subscriber_list().as_mut().map(|subscribers| {
let (tx, rx) = oneshot::channel();
subscribers.push(tx);
rx
})
} else {
// Early buffering is being or has been disabled, so we can no longer register.
None
}
}
/// Stops early buffering.
///
/// This flushes any buffered log events to waiting subscribers and redirects log events from the buffer to the
/// broadcast stream.
pub fn stop_early_buffering() {
// Try and disable early buffering.
//
// If it was already disabled, or we lost the race to disable it, just return.
if SHOULD_BUFFER
.compare_exchange(true, false, Ordering::SeqCst, Ordering::SeqCst)
.is_err()
{
return;
}
// We won the right to capture all buffered events and forward them to any waiting subscribers,
// so let's grab the subscriber list and see if there's actually anyone waiting.
let subscribers = get_trace_subscriber_list().take();
if let Some(subscribers_tx) = subscribers {
// Consume the early buffer, and send a copy of it to every waiting subscriber.
let buffered_events = consume_early_buffer();
for subscriber_tx in subscribers_tx {
// Ignore any errors sending since the caller may have dropped or something else.
_ = subscriber_tx.send(buffered_events.clone());
}
}
}
/// A subscription to the log events flowing in via `tracing`, in the Vector native format.
///
/// Used to capture tracing events from internal log telemetry, via `tracing`, and convert them to native Vector events,
/// specifically `LogEvent`, such that they can be shuttled around and treated as normal events. Currently only powers
/// the `internal_logs` source, but could be used for other purposes if need be.
pub struct TraceSubscription {
buffered_events_rx: Option<oneshot::Receiver<Vec<LogEvent>>>,
trace_rx: Receiver<LogEvent>,
}
impl TraceSubscription {
/// Registers a subscription to the internal log event stream.
pub fn subscribe() -> TraceSubscription {
let buffered_events_rx = try_register_for_early_events();
let trace_rx = get_trace_receiver();
Self {
buffered_events_rx,
trace_rx,
}
}
/// Gets any early buffered log events.
///
/// If this subscription was registered after early buffering was turned off, `None` will be returned immediately.
/// Otherwise, waits for early buffering to be stopped and returns `Some(events)` where `events` contains all events
/// seen from the moment `tracing` was initialized to the moment early buffering was stopped.
pub async fn buffered_events(&mut self) -> Option<Vec<LogEvent>> {
// If we have a receiver for buffered events, and it returns them successfully, then pass
// them back. We don't care if the sender drops in the meantime, so just swallow that error.
match self.buffered_events_rx.take() {
Some(rx) => rx.await.ok(),
None => None,
}
}
/// Converts this subscription into a raw stream of log events.
pub fn into_stream(self) -> impl Stream<Item = LogEvent> + Unpin {
// We ignore errors because the only error we get is when the broadcast receiver lags, and there's nothing we
// can actually do about that so there's no reason to force callers to even deal with it.
BroadcastStream::new(self.trace_rx).filter_map(|event| ready(event.ok()))
}
}
struct BroadcastLayer<S> {
_subscriber: PhantomData<S>,
}
impl<S> BroadcastLayer<S> {
const fn new() -> Self {
BroadcastLayer {
_subscriber: PhantomData,
}
}
}
impl<S> Layer<S> for BroadcastLayer<S>
where
S: Subscriber + 'static + for<'lookup> LookupSpan<'lookup>,
{
fn on_event(&self, event: &Event<'_>, ctx: Context<'_, S>) {
if should_process_tracing_event() {
let mut log = LogEvent::from(event);
// Add span fields if available
if let Some(parent_span) = ctx.event_span(event) {
for span in parent_span.scope().from_root() {
if let Some(fields) = span.extensions().get::<SpanFields>() {
for (k, v) in &fields.0 {
log.insert(event_path!("vector", *k), v.clone());
}
}
}
}
// Try buffering the event, and if we're not buffering anymore, try to
// send it along via the trace sender if it's been established.
if !try_buffer_event(&log) {
try_broadcast_event(log);
}
}
}
fn on_new_span(
&self,
attrs: &tracing_core::span::Attributes<'_>,
id: &tracing_core::span::Id,
ctx: Context<'_, S>,
) {
let span = ctx.span(id).expect("span must already exist!");
let mut fields = SpanFields::default();
attrs.values().record(&mut fields);
span.extensions_mut().insert(fields);
}
}
#[derive(Default, Debug)]
struct SpanFields(HashMap<&'static str, Value>);
impl SpanFields {
fn record(&mut self, field: &tracing_core::Field, value: impl Into<Value>) {
let name = field.name();
// Filter for span fields such as component_id, component_type, etc.
//
// This captures all the basic component information provided in the
// span that each component is spawned with. We don't capture all fields
// to avoid adding unintentional noise and to prevent accidental
// security/privacy issues (e.g. leaking sensitive data).
if name.starts_with("component_") {
self.0.insert(name, value.into());
}
}
}
impl tracing::field::Visit for SpanFields {
fn record_i64(&mut self, field: &tracing_core::Field, value: i64) {
self.record(field, value);
}
fn record_u64(&mut self, field: &tracing_core::Field, value: u64) {
self.record(field, value);
}
fn record_bool(&mut self, field: &tracing_core::Field, value: bool) {
self.record(field, value);
}
fn record_str(&mut self, field: &tracing_core::Field, value: &str) {
self.record(field, value);
}
fn record_debug(&mut self, field: &tracing_core::Field, value: &dyn std::fmt::Debug) {
self.record(field, format!("{:?}", value));
}
}