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
/*
* SPDX-FileCopyrightText: 2023 Tommaso Fontana
* SPDX-FileCopyrightText: 2023 Inria
* SPDX-FileCopyrightText: 2023 Sebastiano Vigna
*
* SPDX-License-Identifier: Apache-2.0 OR LGPL-2.1-or-later
*/
#![cfg_attr(feature = "offset_of_enum", feature(offset_of_enum, offset_of_nested))]
#![doc = include_str!(concat!(env!("CARGO_MANIFEST_DIR"), "/README.md"))]
#![deny(unconditional_recursion)]
#![cfg_attr(not(feature = "std"), no_std)]
#[cfg(all(feature = "alloc", not(feature = "std")))]
extern crate alloc;
#[cfg(feature = "derive")]
pub use mem_dbg_derive::{MemDbg, MemSize};
mod impl_mem_dbg;
mod impl_mem_size;
mod utils;
pub use utils::*;
/**
Internal trait used within [`CopyType`] to implement [`MemSize`] depending
on whether a type is [`Copy`] or not.
It has only two implementations, [`True`] and [`False`].
*/
pub trait Boolean {}
/// One of the two possible implementations of [`Boolean`].
pub struct True {}
impl Boolean for True {}
/// One of the two possible implementations of [`Boolean`].
pub struct False {}
impl Boolean for False {}
/**
Marker trait for copy types.
The trait comes in two flavors: `CopyType<Copy=True>` and
`CopyType<Copy=False>`. In the first case, [`MemSize::mem_size`] can be computed on
arrays, vectors, and slices by multiplying the length or capacity
by the size of the element type; in the second case, it
is necessary to iterate on each element.
The trait is made necessary by the impossibility of checking that a type
implements [`Copy`] from a procedural macro.
Since we cannot use negative trait bounds, every type that is used as a parameter of
an array, vector, or slice must implement either `CopyType<Copy=True>` or
`CopyType<Copy=False>`. If you do not implement either of these traits,
you will not be able to compute the size of arrays, vectors, and slices but error
messages will be very unhelpful due to the contrived way we have to implement
mutually exclusive types [working around the bug that prevents the compiler
from understanding that implementations for the two flavors of `CopyType` are mutually
exclusive](https://github.com/rust-lang/rfcs/pull/1672#issuecomment-1405377983).
If you use the provided derive macros all this logic will be hidden from you. You'll
just have to add the attribute `#[copy_type]` to your structures if they
are [`Copy`] types and they do not contain non-`'static` references. We enforce this property by
adding a bound `Copy + 'static` to the type in the procedural macro.
Note that this approach forces us to compute the size of [`Copy`] types that contain
references by iteration _even if you do not specify_ [`SizeFlags::FOLLOW_REFS`].
*/
pub trait CopyType {
type Copy: Boolean;
}
bitflags::bitflags! {
/// Flags for [`MemDbg`].
#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash)]
pub struct SizeFlags: u32 {
/// Follow references.
///
/// By default [`MemSize::mem_size`] does not follow references and
/// computes only the size of the reference itself.
///
/// # Warning
///
/// Note that all references are followed independently. If the same
/// region of memory is reachable by two different paths, it will be
/// counted twice.
const FOLLOW_REFS = 1 << 0;
/// Return capacity instead of size.
///
/// Size does not include memory allocated but not used: for example, in
/// the case of a vector [`MemSize::mem_size`] calls [`Vec::len`] rather
/// than [`Vec::capacity`].
///
/// However, when this flag is specified [`MemSize::mem_size`] will
/// return the size of all memory allocated, even if it is not used: for
/// example, in the case of a vector this option makes
/// [`MemSize::mem_size`] call [`Vec::capacity`] rather than
/// [`Vec::len`].
const CAPACITY = 1 << 1;
}
}
impl Default for SizeFlags {
/// The default set of flags is the empty set.
#[inline(always)]
fn default() -> Self {
Self::empty()
}
}
/// A trait to compute recursively the overall size or capacity of a structure,
/// as opposed to the stack size returned by [`core::mem::size_of()`].
///
/// You can derive this trait with `#[derive(MemSize)]` if all the fields of
/// your type implement [`MemSize`].
pub trait MemSize {
/// Returns the (recursively computed) overall
/// memory size of the structure in bytes.
fn mem_size(&self, flags: SizeFlags) -> usize;
}
bitflags::bitflags! {
/// Flags for [`MemDbg`].
#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash)]
pub struct DbgFlags: u32 {
/// Follow references. See [`SizeFlags::FOLLOW_REFS`].
const FOLLOW_REFS = 1 << 0;
/// Print memory usage in human readable format.
const HUMANIZE = 1 << 1;
/// Print memory usage as a percentage.
const PERCENTAGE = 1 << 2;
/// Print the type name.
const TYPE_NAME = 1 << 3;
/// Display capacity instead of size. See [`SizeFlags::CAPACITY`].
const CAPACITY = 1 << 4;
/// Add an underscore every 3 digits.
const SEPARATOR = 1 << 5;
/// Print fields in memory order (i.e., using the layout chosen by the
/// compiler), rather than in declaration order.
const RUST_LAYOUT = 1 << 6;
}
}
impl DbgFlags {
/// Translates flags that are in common with [`MemSize`] into [`SizeFlags`].
pub fn to_size_flags(&self) -> SizeFlags {
let mut flags = SizeFlags::empty();
if self.contains(DbgFlags::FOLLOW_REFS) {
flags |= SizeFlags::FOLLOW_REFS;
}
if self.contains(DbgFlags::CAPACITY) {
flags |= SizeFlags::CAPACITY;
}
flags
}
}
impl Default for DbgFlags {
/// The default set of flags contains [`DbgFlags::TYPE_NAME`],
/// [`DbgFlags::SEPARATOR`], and [`DbgFlags::PERCENTAGE`].
#[inline(always)]
fn default() -> Self {
Self::TYPE_NAME | Self::SEPARATOR | Self::PERCENTAGE
}
}
/// A trait providing methods to display recursively the content and size of a
/// structure.
///
/// You can derive this trait with `#[derive(MemDbg)]` if all the fields of your
/// type implement [`MemDbg`]. Note that you will also need to derive
/// [`MemSize`].
pub trait MemDbg: MemDbgImpl {
/// Writes to stdout debug infos about the structure memory usage, expanding
/// all levels of nested structures.
#[cfg(feature = "std")]
#[inline(always)]
fn mem_dbg(&self, flags: DbgFlags) -> core::fmt::Result {
// TODO: fix padding
self._mem_dbg_depth(
<Self as MemSize>::mem_size(self, flags.to_size_flags()),
usize::MAX,
std::mem::size_of_val(self),
flags,
)
}
/// Writes to a [`core::fmt::Write`] debug infos about the structure memory
/// usage, expanding all levels of nested structures.
#[inline(always)]
fn mem_dbg_on(&self, writer: &mut impl core::fmt::Write, flags: DbgFlags) -> core::fmt::Result {
// TODO: fix padding
self._mem_dbg_depth_on(
writer,
<Self as MemSize>::mem_size(self, flags.to_size_flags()),
usize::MAX,
&mut String::new(),
Some("⏺"),
true,
std::mem::size_of_val(self),
flags,
)
}
/// Writes to stdout debug infos about the structure memory usage as
/// [`mem_dbg`](MemDbg::mem_dbg), but expanding only up to `max_depth`
/// levels of nested structures.
fn mem_dbg_depth(&self, max_depth: usize, flags: DbgFlags) -> core::fmt::Result {
self._mem_dbg_depth(
<Self as MemSize>::mem_size(self, flags.to_size_flags()),
max_depth,
std::mem::size_of_val(self),
flags,
)
}
/// Writes to a [`core::fmt::Write`] debug infos about the structure memory
/// usage as [`mem_dbg_on`](MemDbg::mem_dbg_on), but expanding only up to
/// `max_depth` levels of nested structures.
fn mem_dbg_depth_on(
&self,
writer: &mut impl core::fmt::Write,
max_depth: usize,
flags: DbgFlags,
) -> core::fmt::Result {
self._mem_dbg_depth_on(
writer,
<Self as MemSize>::mem_size(self, flags.to_size_flags()),
max_depth,
&mut String::new(),
None,
false,
std::mem::size_of_val(self),
flags,
)
}
}
/// Implemens [`MemDbg`] for all types that implement [`MemDbgImpl`].
///
/// This is done so that no one can change the implementation of [`MemDbg`],
/// which ensures consistency in printing.
impl<T: MemDbgImpl> MemDbg for T {}
/// Inner trait used to implement [`MemDbg`].
///
/// This trait should not be implemented by users, which should use the
/// [`MemDbg`](mem_dbg_derive::MemDbg) derive macro instead.
///
/// The default no-op implementation is used by all types in which it does not
/// make sense, or it is impossible, to recurse.
pub trait MemDbgImpl: MemSize {
#[inline(always)]
fn _mem_dbg_rec_on(
&self,
_writer: &mut impl core::fmt::Write,
_total_size: usize,
_max_depth: usize,
_prefix: &mut String,
_is_last: bool,
_flags: DbgFlags,
) -> core::fmt::Result {
Ok(())
}
#[cfg(feature = "std")]
#[doc(hidden)]
#[inline(always)]
fn _mem_dbg_depth(
&self,
total_size: usize,
max_depth: usize,
padded_size: usize,
flags: DbgFlags,
) -> core::fmt::Result {
struct Wrapper(std::io::Stdout);
impl core::fmt::Write for Wrapper {
#[inline(always)]
fn write_str(&mut self, s: &str) -> core::fmt::Result {
use std::io::Write;
self.0
.lock()
.write(s.as_bytes())
.map_err(|_| core::fmt::Error)
.map(|_| ())
}
}
self._mem_dbg_depth_on(
&mut Wrapper(std::io::stdout()),
total_size,
max_depth,
&mut String::new(),
Some("⏺"),
true,
padded_size,
flags,
)
}
#[inline(always)]
#[allow(clippy::too_many_arguments)]
fn _mem_dbg_depth_on(
&self,
writer: &mut impl core::fmt::Write,
total_size: usize,
max_depth: usize,
prefix: &mut String,
field_name: Option<&str>,
is_last: bool,
padded_size: usize,
flags: DbgFlags,
) -> core::fmt::Result {
if prefix.len() > max_depth {
return Ok(());
}
let real_size = <Self as MemSize>::mem_size(self, flags.to_size_flags());
if flags.contains(DbgFlags::HUMANIZE) {
let (value, uom) = crate::utils::humanize_float(real_size as f64);
if uom == " B" {
writer.write_fmt(format_args!("{:>5} B ", real_size))?;
} else {
let mut precision = 4;
let a = value.abs();
if a >= 100.0 {
precision = 1;
} else if a >= 10.0 {
precision = 2;
} else if a >= 1.0 {
precision = 3;
}
writer.write_fmt(format_args!("{0:>4.1$} {2} ", value, precision, uom))?;
}
} else if flags.contains(DbgFlags::SEPARATOR) {
let mut align = crate::utils::n_of_digits(total_size);
let mut real_size = real_size;
align += align / 3;
let mut digits = crate::utils::n_of_digits(real_size);
let digit_align = digits + digits / 3;
for _ in digit_align..align {
writer.write_char(' ')?;
}
let first_digits = digits % 3;
let mut multiplier = 10_usize.pow((digits - first_digits) as u32);
if first_digits != 0 {
writer.write_fmt(format_args!("{}", real_size / multiplier))?;
} else {
multiplier /= 1000;
digits -= 3;
writer.write_fmt(format_args!(" {}", real_size / multiplier))?;
}
while digits >= 3 {
real_size %= multiplier;
multiplier /= 1000;
writer.write_fmt(format_args!("_{:03}", real_size / multiplier))?;
digits -= 3;
}
writer.write_str(" B ")?;
} else {
let align = crate::utils::n_of_digits(total_size);
writer.write_fmt(format_args!("{:>align$} B ", real_size, align = align))?;
}
if flags.contains(DbgFlags::PERCENTAGE) {
writer.write_fmt(format_args!(
"{:>6.2}% ",
100.0 * real_size as f64 / total_size as f64
))?;
}
if !prefix.is_empty() {
writer.write_str(&prefix[2..])?;
if is_last {
writer.write_char('╰')?;
} else {
writer.write_char('├')?;
}
writer.write_char('╴')?;
}
if let Some(field_name) = field_name {
writer.write_fmt(format_args!("{:}", field_name))?;
}
if flags.contains(DbgFlags::TYPE_NAME) {
writer.write_fmt(format_args!(": {:}", core::any::type_name::<Self>()))?;
}
let padding = padded_size - std::mem::size_of_val(self);
if padding != 0 {
writer.write_fmt(format_args!(" [{}B]", padding))?;
}
writer.write_char('\n')?;
if is_last {
prefix.push_str(" ");
} else {
prefix.push_str("│ ");
}
self._mem_dbg_rec_on(writer, total_size, max_depth, prefix, is_last, flags)?;
prefix.pop();
prefix.pop();
Ok(())
}
}