risingwave_rt/logger.rs
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 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548
// Copyright 2024 RisingWave Labs
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
use std::borrow::Cow;
use std::env;
use std::path::PathBuf;
use std::time::Duration;
use either::Either;
use fastrace_opentelemetry::OpenTelemetryReporter;
use opentelemetry::trace::{SpanKind, TracerProvider};
use opentelemetry::InstrumentationLibrary;
use opentelemetry_sdk::Resource;
use risingwave_common::metrics::MetricsLayer;
use risingwave_common::util::deployment::Deployment;
use risingwave_common::util::env_var::env_var_is_true;
use risingwave_common::util::query_log::*;
use risingwave_common::util::tracing::layer::set_toggle_otel_layer_fn;
use thiserror_ext::AsReport;
use tracing::level_filters::LevelFilter as Level;
use tracing_subscriber::filter::{FilterFn, Targets};
use tracing_subscriber::fmt::format::DefaultFields;
use tracing_subscriber::fmt::time::OffsetTime;
use tracing_subscriber::fmt::FormatFields;
use tracing_subscriber::layer::SubscriberExt;
use tracing_subscriber::prelude::*;
use tracing_subscriber::{filter, reload, EnvFilter};
pub struct LoggerSettings {
/// The name of the service. Used to identify the service in distributed tracing.
name: String,
/// Enable tokio console output.
enable_tokio_console: bool,
/// Enable colorful output in console.
colorful: bool,
/// Output to `stderr` instead of `stdout`.
stderr: bool,
/// Whether to include thread name in the log.
with_thread_name: bool,
/// Override target settings.
targets: Vec<(String, tracing::metadata::LevelFilter)>,
/// Override the default level.
default_level: Option<tracing::metadata::LevelFilter>,
/// The endpoint of the tracing collector in OTLP gRPC protocol.
tracing_endpoint: Option<String>,
}
impl Default for LoggerSettings {
fn default() -> Self {
Self::new("risingwave")
}
}
impl LoggerSettings {
/// Create a new logger settings from the given command-line options.
///
/// If env var `RW_TRACING_ENDPOINT` is not set, the meta address will be used
/// as the default tracing endpoint, which means that the embedded tracing
/// collector will be used.
pub fn from_opts<O: risingwave_common::opts::Opts>(opts: &O) -> Self {
let mut settings = Self::new(O::name());
if settings.tracing_endpoint.is_none() // no explicit endpoint
&& let Some(addr) = opts.meta_addr().exactly_one()
// meta address is valid
{
// Use embedded collector in the meta service.
// TODO: when there's multiple meta nodes for high availability, we may send
// to a wrong node here.
settings.tracing_endpoint = Some(addr.to_string());
}
settings
}
/// Create a new logger settings with the given service name.
pub fn new(name: impl Into<String>) -> Self {
Self {
name: name.into(),
enable_tokio_console: false,
colorful: console::colors_enabled_stderr() && console::colors_enabled(),
stderr: false,
with_thread_name: false,
targets: vec![],
default_level: None,
tracing_endpoint: std::env::var("RW_TRACING_ENDPOINT").ok(),
}
}
/// Enable tokio console output.
pub fn tokio_console(mut self, enabled: bool) -> Self {
self.enable_tokio_console = enabled;
self
}
/// Output to `stderr` instead of `stdout`.
pub fn stderr(mut self, enabled: bool) -> Self {
self.stderr = enabled;
self
}
/// Whether to include thread name in the log.
pub fn with_thread_name(mut self, enabled: bool) -> Self {
self.with_thread_name = enabled;
self
}
/// Overrides the default target settings.
pub fn with_target(
mut self,
target: impl Into<String>,
level: impl Into<tracing::metadata::LevelFilter>,
) -> Self {
self.targets.push((target.into(), level.into()));
self
}
/// Overrides the default level.
pub fn with_default(mut self, level: impl Into<tracing::metadata::LevelFilter>) -> Self {
self.default_level = Some(level.into());
self
}
/// Overrides the tracing endpoint.
pub fn with_tracing_endpoint(mut self, endpoint: impl Into<String>) -> Self {
self.tracing_endpoint = Some(endpoint.into());
self
}
}
/// Create a filter that disables all events or spans.
fn disabled_filter() -> filter::Targets {
filter::Targets::new()
}
/// Init logger for RisingWave binaries.
///
/// ## Environment variables to configure logger dynamically
///
/// ### `RUST_LOG`
///
/// Overrides default level and tracing targets of the fmt layer (formatting and
/// logging to `stdout` or `stderr`).
///
/// Note that only verbosity levels below or equal to `DEBUG` are effective in
/// release builds.
///
/// e.g.,
/// ```bash
/// RUST_LOG="info,risingwave_stream=debug,events=debug"
/// ```
///
/// ### `RW_QUERY_LOG_PATH`
///
/// Configures the path to generate query log.
///
/// If it is set,
/// - Dump logs of all SQLs, i.e., tracing target [`PGWIRE_QUERY_LOG`] to
/// `RW_QUERY_LOG_PATH/query.log`.
/// - Dump slow queries, i.e., tracing target [`PGWIRE_SLOW_QUERY_LOG`] to
/// `RW_QUERY_LOG_PATH/slow_query.log`.
///
/// Note:
/// To enable query log in the fmt layer (slow query is included by default), set
/// ```bash
/// RUST_LOG="pgwire_query_log=info"
/// ```
///
/// `RW_QUERY_LOG_TRUNCATE_LEN` configures the max length of the SQLs logged in the query log,
/// to avoid the log file growing too large. The default value is 1024 in production.
///
/// ### `ENABLE_PRETTY_LOG`
///
/// If it is set to `true`, enable pretty log output, which contains line numbers and prints spans in multiple lines.
/// This can be helpful for development and debugging.
///
/// Hint: Also turn off other uninteresting logs to make the most of the pretty log.
/// e.g.,
/// ```bash
/// RUST_LOG="risingwave_storage::hummock::event_handler=off,batch_execute=off,risingwave_batch::task=off" ENABLE_PRETTY_LOG=true risedev d
/// ```
pub fn init_risingwave_logger(settings: LoggerSettings) {
let deployment = Deployment::current();
// Default timer for logging with local time offset.
let default_timer = OffsetTime::local_rfc_3339().unwrap_or_else(|e| {
println!(
"failed to get local time offset, falling back to UTC: {}",
e.as_report()
);
OffsetTime::new(
time::UtcOffset::UTC,
time::format_description::well_known::Rfc3339,
)
});
// Default filter for logging to stdout and tracing.
let default_filter = {
let mut filter = filter::Targets::new();
// Configure levels for some RisingWave crates.
// Other RisingWave crates like `stream` and `storage` will follow the default level.
filter = filter
.with_target("auto_schema_change", Level::INFO)
.with_target("risingwave_sqlparser", Level::INFO)
.with_target("risingwave_connector_node", Level::INFO)
.with_target("pgwire", Level::INFO)
.with_target(PGWIRE_QUERY_LOG, Level::OFF)
// debug-purposed events are disabled unless `RUST_LOG` overrides
.with_target("events", Level::OFF);
// Configure levels for external crates.
filter = filter
.with_target("foyer", Level::INFO)
.with_target("aws", Level::INFO)
.with_target("aws_config", Level::WARN)
.with_target("aws_endpoint", Level::WARN)
.with_target("aws_credential_types::cache::lazy_caching", Level::WARN)
.with_target("hyper", Level::WARN)
.with_target("h2", Level::WARN)
.with_target("tower", Level::WARN)
.with_target("tonic", Level::WARN)
.with_target("isahc", Level::WARN)
.with_target("console_subscriber", Level::WARN)
.with_target("reqwest", Level::WARN)
.with_target("sled", Level::INFO)
.with_target("cranelift", Level::INFO)
.with_target("wasmtime", Level::INFO)
.with_target("sqlx", Level::WARN)
.with_target("opendal", Level::INFO)
.with_target("reqsign", Level::INFO);
// For all other crates, apply default level depending on the deployment and `debug_assertions` flag.
let default_level = match deployment {
Deployment::Ci => Level::INFO,
_ => {
if cfg!(debug_assertions) {
Level::DEBUG
} else {
Level::INFO
}
}
};
filter = filter.with_default(default_level);
// Overrides from settings.
filter = filter.with_targets(settings.targets);
if let Some(default_level) = settings.default_level {
filter = filter.with_default(default_level);
}
// Overrides from env var.
if let Ok(rust_log) = std::env::var(EnvFilter::DEFAULT_ENV)
&& !rust_log.is_empty()
{
let rust_log_targets: Targets = rust_log.parse().expect("failed to parse `RUST_LOG`");
if let Some(default_level) = rust_log_targets.default_level() {
filter = filter.with_default(default_level);
}
filter = filter.with_targets(rust_log_targets)
};
filter
};
let mut layers = vec![];
// fmt layer (formatting and logging to `stdout` or `stderr`)
{
let fmt_layer = tracing_subscriber::fmt::layer()
.with_thread_names(settings.with_thread_name)
.with_timer(default_timer.clone())
.with_ansi(settings.colorful)
.with_writer(move || {
if settings.stderr {
Either::Left(std::io::stderr())
} else {
Either::Right(std::io::stdout())
}
});
let fmt_layer = match deployment {
Deployment::Ci => fmt_layer
.compact()
.with_filter(FilterFn::new(|metadata| metadata.is_event())) // filter-out all span-related info
.boxed(),
Deployment::Cloud => fmt_layer
.json()
.map_event_format(|e| e.with_current_span(false)) // avoid duplication as there's a span list field
.boxed(),
Deployment::Other => {
if env_var_is_true("ENABLE_PRETTY_LOG") {
fmt_layer.pretty().boxed()
} else {
fmt_layer.boxed()
}
}
};
layers.push(
fmt_layer
.with_filter(default_filter.clone().with_target("rw_tracing", Level::OFF)) // filter-out tracing-only events
.boxed(),
);
};
// If `RW_QUERY_LOG_PATH` env var is set to a directory, turn on query log files.
let query_log_path = std::env::var("RW_QUERY_LOG_PATH");
if let Ok(query_log_path) = query_log_path {
let query_log_path = PathBuf::from(query_log_path);
std::fs::create_dir_all(query_log_path.clone()).unwrap_or_else(|e| {
panic!(
"failed to create directory '{}' for query log: {}",
query_log_path.display(),
e.as_report(),
)
});
/// Newtype wrapper for `DefaultFields`.
///
/// `fmt::Layer` will share the same `FormattedFields` extension for spans across
/// different layers, as long as the type of `N: FormatFields` is the same. This
/// will cause several problems:
///
/// - `with_ansi(false)` does not take effect and it will follow the settings of
/// the primary fmt layer installed above.
/// - `Span::record` will update the same `FormattedFields` multiple times,
/// leading to duplicated fields.
///
/// As a workaround, we use a newtype wrapper here to get a different type id.
/// The const generic parameter `SLOW` is further used to distinguish between the
/// query log and the slow query log.
#[derive(Default)]
struct FmtFields<const SLOW: bool>(DefaultFields);
impl<'writer, const SLOW: bool> FormatFields<'writer> for FmtFields<SLOW> {
fn format_fields<R: tracing_subscriber::field::RecordFields>(
&self,
writer: tracing_subscriber::fmt::format::Writer<'writer>,
fields: R,
) -> std::fmt::Result {
self.0.format_fields(writer, fields)
}
}
for (file_name, target, is_slow) in [
("query.log", PGWIRE_QUERY_LOG, false),
("slow_query.log", PGWIRE_SLOW_QUERY_LOG, true),
] {
let path = query_log_path.join(file_name);
let file = std::fs::OpenOptions::new()
.create(true)
.write(true)
.truncate(true)
.open(&path)
.unwrap_or_else(|e| {
panic!("failed to create `{}`: {}", path.display(), e.as_report(),)
});
let layer = tracing_subscriber::fmt::layer()
.with_ansi(false)
.with_level(false)
.with_file(false)
.with_target(false)
.with_timer(default_timer.clone())
.with_thread_names(true)
.with_thread_ids(true)
.with_writer(file);
let layer = match is_slow {
true => layer.fmt_fields(FmtFields::<true>::default()).boxed(),
false => layer.fmt_fields(FmtFields::<false>::default()).boxed(),
};
let layer = layer.with_filter(
filter::Targets::new()
// Root span must be enabled to provide common info like the SQL query.
.with_target(PGWIRE_ROOT_SPAN_TARGET, Level::INFO)
.with_target(target, Level::INFO),
);
layers.push(layer.boxed());
}
}
if settings.enable_tokio_console {
let (console_layer, server) = console_subscriber::ConsoleLayer::builder()
.with_default_env()
.build();
let console_layer = console_layer.with_filter(
filter::Targets::new()
.with_target("tokio", Level::TRACE)
.with_target("runtime", Level::TRACE),
);
layers.push(console_layer.boxed());
std::thread::spawn(|| {
tokio::runtime::Builder::new_current_thread()
.enable_all()
.build()
.unwrap()
.block_on(async move {
println!("serving console subscriber");
server.serve().await.unwrap();
});
});
};
// Tracing layer
#[cfg(not(madsim))]
if let Some(endpoint) = settings.tracing_endpoint {
println!("opentelemetry tracing will be exported to `{endpoint}` if enabled");
use opentelemetry::KeyValue;
use opentelemetry_otlp::WithExportConfig;
use opentelemetry_sdk as sdk;
use opentelemetry_semantic_conventions::resource;
let id = format!(
"{}-{}",
hostname::get()
.ok()
.and_then(|o| o.into_string().ok())
.unwrap_or_default(),
std::process::id()
);
let (otel_tracer, exporter) = {
let runtime = tokio::runtime::Builder::new_multi_thread()
.enable_all()
.thread_name("rw-otel")
.worker_threads(2)
.build()
.unwrap();
let runtime = Box::leak(Box::new(runtime));
// Installing the exporter requires a tokio runtime.
let _entered = runtime.enter();
// TODO(bugen): better service name
// https://github.com/jaegertracing/jaeger-ui/issues/336
let service_name = format!("{}-{}", settings.name, id);
let otel_tracer = opentelemetry_otlp::new_pipeline()
.tracing()
.with_exporter(
opentelemetry_otlp::new_exporter()
.tonic()
.with_endpoint(&endpoint),
)
.with_trace_config(
sdk::trace::Config::default().with_resource(sdk::Resource::new([
KeyValue::new(resource::SERVICE_NAME, service_name.clone()),
KeyValue::new(resource::SERVICE_INSTANCE_ID, id.clone()),
KeyValue::new(resource::SERVICE_VERSION, env!("CARGO_PKG_VERSION")),
KeyValue::new(resource::PROCESS_PID, std::process::id().to_string()),
])),
)
.install_batch(sdk::runtime::Tokio)
.unwrap()
.tracer(service_name);
let exporter = opentelemetry_otlp::new_exporter()
.tonic()
.with_endpoint(&endpoint)
.with_protocol(opentelemetry_otlp::Protocol::Grpc)
.with_timeout(Duration::from_secs(
opentelemetry_otlp::OTEL_EXPORTER_OTLP_TIMEOUT_DEFAULT,
))
.build_span_exporter()
.unwrap();
(otel_tracer, exporter)
};
// Disable by filtering out all events or spans by default.
//
// It'll be enabled with `toggle_otel_layer` based on the system parameter `enable_tracing` later.
let (reload_filter, reload_handle) = reload::Layer::new(disabled_filter());
set_toggle_otel_layer_fn(move |enabled: bool| {
let result = reload_handle.modify(|f| {
*f = if enabled {
default_filter.clone()
} else {
disabled_filter()
}
});
match result {
Ok(_) => tracing::info!(
"opentelemetry tracing {}",
if enabled { "enabled" } else { "disabled" },
),
Err(error) => tracing::error!(
error = %error.as_report(),
"failed to {} opentelemetry tracing",
if enabled { "enable" } else { "disable" },
),
}
});
let layer = tracing_opentelemetry::layer()
.with_tracer(otel_tracer)
.with_filter(reload_filter);
layers.push(layer.boxed());
// The reporter is used by fastrace in foyer for dynamically tail-based tracing.
//
// Code here only setup the OpenTelemetry reporter. To enable/disable the function, please use risectl.
//
// e.g.
//
// ```bash
// risectl hummock tiered-cache-tracing -h
// ```
let reporter = OpenTelemetryReporter::new(
exporter,
SpanKind::Server,
Cow::Owned(Resource::new([KeyValue::new(
resource::SERVICE_NAME,
format!("fastrace-{id}"),
)])),
InstrumentationLibrary::builder("opentelemetry-instrumentation-foyer").build(),
);
fastrace::set_reporter(reporter, fastrace::collector::Config::default());
tracing::info!("opentelemetry exporter for fastrace is set at {endpoint}");
}
// Metrics layer
{
let filter = filter::Targets::new().with_target("aws_smithy_client::retry", Level::DEBUG);
layers.push(Box::new(MetricsLayer::new().with_filter(filter)));
}
tracing_subscriber::registry().with(layers).init();
// TODO: add file-appender tracing subscriber in the future
}