tracing_forest/tag.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
//! Supplement events with categorical information.
//!
//! # Use cases for tags
//!
//! Using tags in trace data can improve readability by distinguishing
//! between different kinds of trace data such as requests, internal state,
//! or special operations. An error during a network request could mean a
//! timeout occurred, while an error in the internal state could mean
//! corruption. Both are errors, but one should be treated more seriously than
//! the other, and therefore the two should be easily distinguishable.
//!
//! # How to use tags
//!
//! Every application has its own preferences for how events should be tagged,
//! and this can be set via a custom [`TagParser`] in the [`ForestLayer`]. This
//! works by passing a reference to each incoming [`Event`] to the `TagParser`,
//! which can then be parsed into an `Option<Tag>` for the `ForestLayer` to use
//! later.
//!
//! Since [`TagParser`] is blanket implemented for all `Fn(&Event) -> Option<Tag>`
//! the easiest way to create one is to define a top-level function with this type
//! signature.
//!
//! Once the function is defined, it can either be passed directly to [`ForestLayer::new`],
//! or can be passed to [`Builder::set_tag`].
//!
//! [`ForestLayer`]: crate::layer::ForestLayer
//! [`ForestLayer::new`]: crate::layer::ForestLayer::new
//! [`Builder::set_tag`]: crate::runtime::Builder::set_tag
//!
//! ## Examples
//!
//! Declaring and using a custom `TagParser`.
//! ```
//! use tracing_forest::{util::*, Tag};
//!
//! fn simple_tag(event: &Event) -> Option<Tag> {
//! let target = event.metadata().target();
//! let level = *event.metadata().level();
//!
//! Some(match target {
//! "security" if level == Level::ERROR => Tag::builder()
//! .prefix(target)
//! .suffix("critical")
//! .icon('🔐')
//! .build(),
//! "admin" | "request" => Tag::builder().prefix(target).level(level).build(),
//! _ => return None,
//! })
//! }
//!
//! #[tokio::main]
//! async fn main() {
//! tracing_forest::worker_task()
//! .set_tag(simple_tag)
//! .build()
//! .on(async {
//! // Since `simple_tag` reads from the `target`, we use the target.
//! // If it parsed the event differently, we would reflect that here.
//! info!(target: "admin", "some info for the admin");
//! error!(target: "request", "the request timed out");
//! error!(target: "security", "the db has been breached");
//! info!("no tags here");
//! })
//! .await;
//! }
//! ```
//! ```log
//! INFO i [admin.info]: some info for the admin
//! ERROR 🚨 [request.error]: the request timed out
//! ERROR 🔐 [security.critical]: the db has been breached
//! INFO i [info]: no tags here
//! ```
use crate::cfg_serde;
use std::fmt;
use tracing::{Event, Level};
/// A basic `Copy` type containing information about where an event occurred.
///
/// See the [module-level documentation](mod@crate::tag) for more details.
#[derive(Debug, Clone, Copy, Hash, PartialEq, Eq)]
pub struct Tag {
/// Optional prefix for the tag message
prefix: Option<&'static str>,
/// Level specifying the importance of the log.
///
/// This value isn't necessarily "trace", "debug", "info", "warn", or "error",
/// and can be customized.
suffix: &'static str,
/// An icon, typically emoji, that represents the tag.
icon: char,
}
impl Tag {
/// Build a new [`Tag`].
///
/// # Examples
///
/// ```
/// use tracing_forest::Tag;
///
/// let tag = Tag::builder()
/// .prefix("security")
/// .suffix("critical")
/// .icon('🔐')
/// .build();
/// ```
pub fn builder() -> Builder<(), ()> {
Builder {
prefix: None,
suffix: (),
icon: (),
}
}
/// Returns the prefix, if there is one.
pub const fn prefix(&self) -> Option<&'static str> {
self.prefix
}
/// Returns the suffix.
pub const fn suffix(&self) -> &'static str {
self.suffix
}
/// Returns the icon.
pub const fn icon(&self) -> char {
self.icon
}
}
/// Incrementally construct [`Tag`]s.
///
/// See [`Tag::builder`] for more details.
#[derive(Copy, Clone, PartialEq, Eq)]
pub struct Builder<S, I> {
prefix: Option<&'static str>,
suffix: S,
icon: I,
}
/// A type used by [`Builder`] to indicate that the suffix has been set.
#[derive(Copy, Clone, PartialEq, Eq)]
pub struct Suffix(&'static str);
/// A type used by [`Builder`] to indicate that the icon has been set.
#[derive(Copy, Clone, PartialEq, Eq)]
pub struct Icon(char);
impl<S, I> Builder<S, I> {
/// Set the prefix.
pub fn prefix(self, prefix: &'static str) -> Builder<S, I> {
Builder {
prefix: Some(prefix),
..self
}
}
/// Set the suffix.
pub fn suffix(self, suffix: &'static str) -> Builder<Suffix, I> {
Builder {
prefix: self.prefix,
suffix: Suffix(suffix),
icon: self.icon,
}
}
/// Set the icon.
pub fn icon(self, icon: char) -> Builder<S, Icon> {
Builder {
prefix: self.prefix,
suffix: self.suffix,
icon: Icon(icon),
}
}
/// Set the suffix and icon using defaults for each [`Level`].
///
/// If the `Tag` won't have a prefix, then `Tag::from(level)` can be used as
/// a shorter alternative.
pub fn level(self, level: Level) -> Builder<Suffix, Icon> {
let (suffix, icon) = match level {
Level::TRACE => ("trace", '📍'),
Level::DEBUG => ("debug", '🐛'),
Level::INFO => ("info", 'i'),
Level::WARN => ("warn", '🚧'),
Level::ERROR => ("error", '🚨'),
};
Builder {
prefix: self.prefix,
suffix: Suffix(suffix),
icon: Icon(icon),
}
}
}
impl Builder<Suffix, Icon> {
/// Complete the [`Tag`].
///
/// This can only be called once a suffix and an icon have been provided via
/// [`.suffix(...)`](Builder::suffix) and [`.icon(...)`](Builder::icon), or
/// alternatively just [`.level(...)`](Builder::level).
pub fn build(self) -> Tag {
Tag {
prefix: self.prefix,
suffix: self.suffix.0,
icon: self.icon.0,
}
}
}
impl fmt::Display for Tag {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
if let Some(prefix) = self.prefix {
write!(f, "{}.{}", prefix, self.suffix)
} else {
self.suffix.fmt(f)
}
}
}
impl From<Level> for Tag {
fn from(level: Level) -> Self {
Tag::builder().level(level).build()
}
}
cfg_serde! {
use serde::{Serialize, Serializer};
impl Serialize for Tag {
fn serialize<S: Serializer>(&self, serializer: S) -> Result<S::Ok, S::Error> {
// This could probably go in a smart string
serializer.serialize_str(&self.to_string())
}
}
}
/// A type that can parse [`Tag`]s from Tracing events.
///
/// This trait is blanket-implemented for all `Fn(&tracing::Event) -> Option<Tag>`,
/// so top-level `fn`s can be used.
///
/// See the [module-level documentation](mod@crate::tag) for more details.
pub trait TagParser: 'static {
/// Parse a tag from a [`tracing::Event`]
fn parse(&self, event: &Event) -> Option<Tag>;
}
/// A `TagParser` that always returns `None`.
#[derive(Clone, Debug)]
pub struct NoTag;
impl TagParser for NoTag {
fn parse(&self, _event: &Event) -> Option<Tag> {
None
}
}
impl<F> TagParser for F
where
F: 'static + Fn(&Event) -> Option<Tag>,
{
fn parse(&self, event: &Event) -> Option<Tag> {
self(event)
}
}