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
//! Helpers for rendering metrics in the Prometheus exposition format.
use indexmap::IndexMap;
use metrics::Key;
/// Breaks a key into the name and label components, with optional default labels.
///
/// If any of the default labels are not already present, they will be added to the overall list of labels.
///
/// Both the metric name, and labels, are sanitized. See [`sanitize_metric_name`], [`sanitize_label_key`],
/// and [`sanitize_label_value`] for more information.
pub fn key_to_parts(
key: &Key,
default_labels: Option<&IndexMap<String, String>>,
) -> (String, Vec<String>) {
let name = sanitize_metric_name(key.name());
let mut values = default_labels.cloned().unwrap_or_default();
key.labels().into_iter().for_each(|label| {
values.insert(label.key().to_string(), label.value().to_string());
});
let labels = values
.iter()
.map(|(k, v)| format!("{}=\"{}\"", sanitize_label_key(k), sanitize_label_value(v)))
.collect();
(name, labels)
}
/// Writes a help (description) line in the Prometheus [exposition format].
///
/// [exposition format]: https://github.com/prometheus/docs/blob/main/content/docs/instrumenting/exposition_formats.md#text-format-details
pub fn write_help_line(buffer: &mut String, name: &str, desc: &str) {
buffer.push_str("# HELP ");
buffer.push_str(name);
buffer.push(' ');
let desc = sanitize_description(desc);
buffer.push_str(&desc);
buffer.push('\n');
}
/// Writes a metric type line in the Prometheus [exposition format].
///
/// [exposition format]: https://github.com/prometheus/docs/blob/main/content/docs/instrumenting/exposition_formats.md#text-format-details
pub fn write_type_line(buffer: &mut String, name: &str, metric_type: &str) {
buffer.push_str("# TYPE ");
buffer.push_str(name);
buffer.push(' ');
buffer.push_str(metric_type);
buffer.push('\n');
}
/// Writes a metric in the Prometheus [exposition format].
///
/// When `suffix` is specified, it is appended to the `name`, which is useful for writing summary
/// statistics, such as the sum or total of an aggregated histogram or aggregated summary. Likewise,
/// `additional_label` would typically be used to specify a data type-specific label, such as `le` for
/// for aggregated histograms, or `quantile` for aggregated summaries.
///
/// [exposition format]: https://github.com/prometheus/docs/blob/main/content/docs/instrumenting/exposition_formats.md#text-format-details
pub fn write_metric_line<T, T2>(
buffer: &mut String,
name: &str,
suffix: Option<&'static str>,
labels: &[String],
additional_label: Option<(&'static str, T)>,
value: T2,
) where
T: std::fmt::Display,
T2: std::fmt::Display,
{
buffer.push_str(name);
if let Some(suffix) = suffix {
buffer.push('_');
buffer.push_str(suffix);
}
if !labels.is_empty() || additional_label.is_some() {
buffer.push('{');
let mut first = true;
for label in labels {
if first {
first = false;
} else {
buffer.push(',');
}
buffer.push_str(label);
}
if let Some((name, value)) = additional_label {
if !first {
buffer.push(',');
}
buffer.push_str(name);
buffer.push_str("=\"");
buffer.push_str(value.to_string().as_str());
buffer.push('"');
}
buffer.push('}');
}
buffer.push(' ');
buffer.push_str(value.to_string().as_str());
buffer.push('\n');
}
/// Sanitizes a metric name to be valid under the Prometheus [data model].
///
/// [data model]: https://prometheus.io/docs/concepts/data_model/#metric-names-and-labels
pub fn sanitize_metric_name(name: &str) -> String {
// The first character must be [a-zA-Z_:], and all subsequent characters must be [a-zA-Z0-9_:].
let mut out = String::with_capacity(name.len());
let mut is_invalid: fn(char) -> bool = invalid_metric_name_start_character;
for c in name.chars() {
if is_invalid(c) {
out.push('_');
} else {
out.push(c);
}
is_invalid = invalid_metric_name_character;
}
out
}
/// Sanitizes a label key to be valid under the Prometheus [data model].
///
/// [data model]: https://prometheus.io/docs/concepts/data_model/#metric-names-and-labels
pub fn sanitize_label_key(key: &str) -> String {
// The first character must be [a-zA-Z_], and all subsequent characters must be [a-zA-Z0-9_].
let mut out = String::with_capacity(key.len());
let mut is_invalid: fn(char) -> bool = invalid_label_key_start_character;
for c in key.chars() {
if is_invalid(c) {
out.push('_');
} else {
out.push(c);
}
is_invalid = invalid_label_key_character;
}
out
}
/// Sanitizes a label value to be valid under the Prometheus [data model].
///
/// [data model]: https://prometheus.io/docs/concepts/data_model/#metric-names-and-labels
pub fn sanitize_label_value(value: &str) -> String {
sanitize_label_value_or_description(value, false)
}
/// Sanitizes a metric description to be valid under the Prometheus [exposition format].
///
/// [exposition format]: https://github.com/prometheus/docs/blob/main/content/docs/instrumenting/exposition_formats.md#text-format-details
pub fn sanitize_description(value: &str) -> String {
sanitize_label_value_or_description(value, true)
}
fn sanitize_label_value_or_description(value: &str, is_desc: bool) -> String {
// All Unicode characters are valid, but backslashes, double quotes, and line feeds must be
// escaped.
let mut sanitized = String::with_capacity(value.as_bytes().len());
let mut previous_backslash = false;
for c in value.chars() {
match c {
// Any raw newlines get escaped, period.
'\n' => sanitized.push_str("\\n"),
// Any double quote we see gets escaped, but only for label values, not descriptions.
'"' if !is_desc => {
previous_backslash = false;
sanitized.push_str("\\\"");
}
// If we see a backslash, we might be either seeing one that is being used to escape
// something, or seeing one that has being escaped. If our last character was a
// backslash, then we know this one has already been escaped, and we just emit the
// escaped backslash.
'\\' => {
if previous_backslash {
// This backslash was preceded by another backslash, so we can safely emit an
// escaped backslash.
sanitized.push_str("\\\\");
}
// This may or may not be a backslash that is about to escape something else, so if
// we toggle the value here: if it was false, then we're marking ourselves as having
// seen a previous backslash (duh) or we just emitted an escaped backslash and now
// we're clearing the flag.
previous_backslash = !previous_backslash;
}
c => {
// If we had a backslash in holding, and we're here, we know it wasn't escaping
// something we care about, so it's on its own, and we emit an escaped backslash,
// before emitting the actual character we're handling.
if previous_backslash {
previous_backslash = false;
sanitized.push_str("\\\\");
}
sanitized.push(c);
}
}
}
// Handle any dangling backslash by writing it out in an escaped fashion.
if previous_backslash {
sanitized.push_str("\\\\");
}
sanitized
}
#[inline]
fn invalid_metric_name_start_character(c: char) -> bool {
// Essentially, needs to match the regex pattern of [a-zA-Z_:].
!(c.is_ascii_alphabetic() || c == '_' || c == ':')
}
#[inline]
fn invalid_metric_name_character(c: char) -> bool {
// Essentially, needs to match the regex pattern of [a-zA-Z0-9_:].
!(c.is_ascii_alphanumeric() || c == '_' || c == ':')
}
#[inline]
fn invalid_label_key_start_character(c: char) -> bool {
// Essentially, needs to match the regex pattern of [a-zA-Z_].
!(c.is_ascii_alphabetic() || c == '_')
}
#[inline]
fn invalid_label_key_character(c: char) -> bool {
// Essentially, needs to match the regex pattern of [a-zA-Z0-9_].
!(c.is_ascii_alphanumeric() || c == '_')
}
#[cfg(test)]
mod tests {
use crate::formatting::{
invalid_label_key_character, invalid_label_key_start_character,
invalid_metric_name_character, invalid_metric_name_start_character, sanitize_description,
sanitize_label_key, sanitize_label_value, sanitize_metric_name,
};
use proptest::prelude::*;
#[test]
fn test_sanitize_metric_name_known_cases() {
let cases = &[
("*", "_"),
("\"", "_"),
("foo_bar", "foo_bar"),
("foo1_bar", "foo1_bar"),
("1foobar", "_foobar"),
("foo1:bar2", "foo1:bar2"),
("123", "_23"),
];
for (input, expected) in cases {
let result = sanitize_metric_name(input);
assert_eq!(expected, &result);
}
}
#[test]
fn test_sanitize_label_key_known_cases() {
let cases = &[
("*", "_"),
("\"", "_"),
(":", "_"),
("foo_bar", "foo_bar"),
("1foobar", "_foobar"),
("__foobar", "__foobar"),
("foo1bar2", "foo1bar2"),
("123", "_23"),
];
for (input, expected) in cases {
let result = sanitize_label_key(input);
assert_eq!(expected, &result);
}
}
#[test]
fn test_sanitize_label_value_known_cases() {
let cases = &[
("*", "*"),
("\"", "\\\""),
("\\", "\\\\"),
("\\\\", "\\\\"),
("\n", "\\n"),
("foo_bar", "foo_bar"),
("1foobar", "1foobar"),
];
for (input, expected) in cases {
let result = sanitize_label_value(input);
assert_eq!(expected, &result);
}
}
#[test]
fn test_sanitize_description_known_cases() {
let cases = &[
("*", "*"),
("\"", "\""),
("\\", "\\\\"),
("\\\\", "\\\\"),
("\n", "\\n"),
("foo_bar", "foo_bar"),
("1foobar", "1foobar"),
];
for (input, expected) in cases {
let result = sanitize_description(input);
assert_eq!(expected, &result);
}
}
proptest! {
#[test]
fn test_sanitize_metric_name(input in "[\n\"\\\\]?.*[\n\"\\\\]?") {
let result = sanitize_metric_name(&input);
let as_chars = result.chars().collect::<Vec<_>>();
if let Some(c) = as_chars.first() {
assert_eq!(false, invalid_metric_name_start_character(*c),
"first character of metric name was not valid");
}
assert!(!as_chars.iter().any(|c| invalid_metric_name_character(*c)),
"invalid character in metric name");
}
#[test]
fn test_sanitize_label_key(input in "[\n\"\\\\:]?.*[\n\"\\\\:]?") {
let result = sanitize_label_key(&input);
let as_chars = result.chars().collect::<Vec<_>>();
if let Some(c) = as_chars.first() {
assert_eq!(false, invalid_label_key_start_character(*c),
"first character of label key was not valid");
}
// Label keys cannot begin with two underscores, as that format is reserved for internal
// use.
//
// TODO: More closely examine how official Prometheus client libraries handle label key sanitization
// and follow whatever they do, so it's not actually clear if transforming `__foo` to `___foo` would
// be valid, given that it still technically starts with two underscores.
/*if as_chars.len() == 2 {
assert!(!(as_chars[0] == '_' && as_chars[1] == '_'));
} else if as_chars.len() == 3 {
if as_chars[0] == '_' && as_chars[1] == '_' {
assert_eq!(as_chars[2], '_');
}
}*/
assert!(!as_chars.iter().any(|c| invalid_label_key_character(*c)),
"invalid character in label key");
}
#[test]
fn test_sanitize_label_value(input in "[\n\"\\\\]?.*[\n\"\\\\]?") {
let result = sanitize_label_value(&input);
// If any raw newlines are still present, then we messed up.
assert!(!result.contains('\n'), "raw/unescaped newlines present");
// We specifically remove instances of "\\" because we only care about dangling backslashes.
let delayered_backslashes = result.replace("\\\\", "");
let as_chars = delayered_backslashes.chars().collect::<Vec<_>>();
// If the first character is a double quote, then we messed up.
assert!(as_chars.first().map(|c| *c != '"').unwrap_or(true),
"first character cannot be a double quote: {}", result);
// Now look for unescaped characters in the rest of the string, in a windowed fashion.
let contained_unescaped_chars = as_chars.as_slice()
.windows(2)
.any(|s| {
let first = s[0];
let second = s[1];
match (first, second) {
// If there's a double quote, it has to have been preceded by an escaping
// backslash.
(c, '"') => c != '\\',
// If there's a backslash, it can only be in front of an 'n' for escaping
// newlines.
('\\', c) => c != 'n',
// Everything else is valid.
_ => false,
}
});
assert!(!contained_unescaped_chars, "invalid or missing escape detected");
}
#[test]
fn test_sanitize_description(input in "[\n\"\\\\]?.*[\n\"\\\\]?") {
let result = sanitize_description(&input);
// If any raw newlines are still present, then we messed up.
assert!(!result.contains('\n'), "raw/unescaped newlines present");
// We specifically remove instances of "\\" because we only care about dangling backslashes.
let delayered_backslashes = result.replace("\\\\", "");
let as_chars = delayered_backslashes.chars().collect::<Vec<_>>();
// Now look for unescaped characters in the rest of the string, in a windowed fashion.
let contained_unescaped_chars = as_chars.as_slice()
.windows(2)
.any(|s| {
let first = s[0];
let second = s[1];
match (first, second) {
// If there's a backslash, it can only be in front of an 'n' for escaping
// newlines.
('\\', c) => c != 'n',
// Everything else is valid.
_ => false,
}
});
assert!(!contained_unescaped_chars, "invalid or missing escape detected");
}
}
}