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 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284
//! `crabgrind` is a small library that enables `Rust` programs to tap into `Valgrind`'s tools and virtualized environment.
//!
//! `Valgrind` offers a ["client request interface"](https://valgrind.org/docs/manual/manual-core-adv.html#manual-core-adv.clientreq) that is accessible through `C` macros in its header files.
//! However, these macros can’t be used in languages fortunate enough to lack `C` preprocessor support, such as `Rust`. To address this,`crabgrind` wraps those macros in `C` functions and expose this API via FFI.
//!
//! Essentially, `crabgrind` acts as a thin wrapper. It adds some type conversions and structure, but all the real things are done by `Valgrind` itself.
//!
//! ### Valgrind 3 API coverage
//! - Supported tool-specific client request interface:
//! [valgrind](https://valgrind.org/docs/manual/manual-core-adv.html#manual-core-adv.clientreq),
//! [callgrind](https://valgrind.org/docs/manual/cl-manual.html),
//! [memcheck](https://valgrind.org/docs/manual/mc-manual.html),
//! [helgrind](https://valgrind.org/docs/manual/hg-manual.html),
//! [massif](https://valgrind.org/docs/manual/ms-manual.html),
//! [cachegrind](https://valgrind.org/docs/manual/cg-manual.html#cg-manual.clientrequests),
//! [dhat](https://valgrind.org/docs/manual/dh-manual.html)
//! - [Monitor commands](https://valgrind.org/docs/manual/manual-core-adv.html#manual-core-adv.gdbserver-commandhandling) interface
//!
//! ## Quickstart
//! `crabgrind` does not link against `Valgrind` but instead reads its header files, which must be accessible during build.
//! If you have installed `Valgrind` using OS-specific package manager, the paths to the headers are likely to be resolved automatically by [`cc`](https://docs.rs/cc/latest/cc/index.html).
//! In case of manual installation, you can set the path to the `Valgrind` headers location through the `DEP_VALGRIND` environment variable. For example:
//!
//! ```bash
//! DEP_VALGRIND=/usr/include cargo build
//! ```
//!
//! Next, add dependency to `Cargo.toml`
//! ```toml
//! [dependencies]
//! crabgrind = "0.1"
//! ```
//!
//! Then, use some of [Valgrind's API](https://docs.rs/crabgrind/latest/crabgrind/#modules)
//! ```no_run
//! use crabgrind as cg;
//!
//! fn main() {
//! if matches!(cg::run_mode(), cg::RunMode::Native) {
//! println!("run me under Valgrind");
//! } else {
//! cg::println!("Hey, Valgrind!");
//! }
//! }
//! ```
//! and run under `Valgrind`
//!
//! ``` bash
//! cargo build
//! valgrind ./target/debug/appname
//! ```
//!
//! ### Examples
//!
//! ##### Print current function stack-trace to the Valgrind log
//! Valgrind provides `VALGRIND_PRINTF_BACKTRACE` macro to print the message with the stack-trace attached,
//! `crabgrind::print_stacktrace` is it's crabbed wrapper.
//! ```no_run
//! use crabgrind as cg;
//!
//! #[inline(never)]
//! fn print_trace(){
//! let mode = cg::run_mode();
//! cg::print_stacktrace!("current mode: {mode:?}");
//! }
//!
//! print_trace();
//! ```
//!
//! ##### Exclude expensive initialization code from the measurements
//! One way to do this would be to turn off stats collection at stratup with the
//! [`--collect-atstart=no`](https://valgrind.org/docs/manual/cl-manual.html#opt.collect-atstart)
//! callgrind command-line attribute, and enable/disable it from the code with `callgrind::toggle_collect`
//!
//! ```no_run
//! use crabgrind as cg;
//!
//! // ... some expensive initialization
//!
//! cg::callgrind::toggle_collect();
//! // code of interest
//! cg::callgrind::toggle_collect();
//!
//! // ... some deinitialization
//! ```
//!
//! ##### Run a closure on the real CPU while running under Valgrind
//! We can run on the real CPU instead of the virtual one using `valgrind::non_simd_call`,
//! refer to `valgrind.h` for details on limitations and various ways to crash.
//!
//! ```no_run
//! use crabgrind as cg;
//!
//! let mut state = 0;
//! cg::valgrind::non_simd_call(|tid| {
//! // uncomment following line to see "the 'impossible' happened"
//! // println!("tid: {tid}");
//! state = tid;
//! });
//!
//! println!("tid: {state}");
//! ```
//! ##### Save current memory usage snapshot to a file
//! We'll use `Massif` tool and the [monitor command](https://valgrind.org/docs/manual/manual-core-adv.html#manual-core-adv.gdbserver-commandhandling)
//! interface to run the corresponding Massif command.
//! ```no_run
//! use crabgrind as cg;
//!
//! let heap = String::from("alloca");
//!
//! if cg::monitor_command("snapshot mem.snapshot").is_ok(){
//! println!("snapshot is saved to \"mem.snapshot\"");
//! }
//! ```
//!
//! ##### Dump Callgrind counters on a per-function basis
//! ```no_run
//! use crabgrind as cg;
//!
//! fn factorial1(num: u128) -> u128 {
//! match num {
//! 0 => 1,
//! 1 => 1,
//! _ => factorial1(num - 1) * num,
//! }
//! }
//!
//! fn factorial2(num: u128) -> u128 {
//! (1..=num).product()
//! }
//!
//! cg::callgrind::zero_stats();
//!
//! let a = factorial1(20);
//! cg::callgrind::dump_stats("factorial1");
//!
//! let b = factorial2(20);
//! cg::callgrind::dump_stats("factorial2");
//!
//! assert_eq!(a,b);
//! cg::callgrind::dump_stats(None);
//! ```
//!
//! ### Overhead
//! from [Valgrind docs](https://valgrind.org/docs/manual/manual-core-adv.html)
//! > The code added to your binary has negligible performance impact: on x86, amd64, ppc32, ppc64 and ARM,
//! the overhead is 6 simple integer instructions and is probably undetectable except in tight loops.
//!
//! > ... the code does nothing when not run on Valgrind, so you are not forced to run your program
//! under Valgrind just because you use the macros in this file.
//!
//! Although your loops should be very tight (like a well-executed dance move) to notice any impact,
//! keep in mind that:
//! - Wrapping each macros in a function implies function call overhead regardless of the run mode. This can potentially impact the performance of your Rust program.
//! See [linker-plugin-lto](https://github.com/2dav/crabgrind/tree/linker-plugin-lto) branch for a possible workaround.
//! - Functions that return `std::result::Result` involve branching, which can also have an impact on performance.
//! - Functions that take strings as parameters internally convert them to `std::ffi::CString`, which can introduce additional overhead.
use std::ffi::c_void;
mod bindings;
macro_rules! raw_call {
($f:ident) => { raw_call!($f,) };
($f:ident, $($args:tt)*) => {{
unsafe{ bindings::$f($($args)*) }
}};
}
/// Current run mode
///
/// see [`run_mode()`]
#[derive(Debug, PartialEq, Eq, Clone, Copy, Hash, PartialOrd, Ord)]
pub enum RunMode {
/// on the real CPU
Native,
/// under Valgrind emulation
Valgrind,
/// under multiple layers of Valgrind emulation
ValgrindInValgrind(usize),
}
/// Returns the [`RunMode`] app running in
///
/// # Example
/// ```no_run
/// use crabgrind::RunMode;
///
/// match crabgrind::run_mode(){
/// RunMode::Native => println!("native CPU"),
/// RunMode::Valgrind => println!("hey, Valgrind!"),
/// RunMode::ValgrindInValgrind(n) => println!("Valgrind layers: {n}"),
/// }
/// ```
/// # Implementation
/// `RUNNING_ON_VALGRIND`
#[inline]
pub fn run_mode() -> RunMode {
match unsafe { bindings::running_on_valgrind() } {
0 => RunMode::Native,
1 => RunMode::Valgrind,
x => RunMode::ValgrindInValgrind(x),
}
}
#[doc(hidden)]
pub fn __print(msg: String) {
let cstr = std::ffi::CString::new(msg).unwrap();
raw_call!(vg_print, cstr.as_ptr());
}
/// Prints to the Valgrind's log.
///
/// Accepts format string similar to [`std::println!`].
///
/// # Example
/// ```no_run
/// if !matches!(crabgrind::run_mode(), crabgrind::RunMode::Native){
/// crabgrind::print!("hello {}", "Valgrind");
/// }
/// ```
///
/// # Implementation
/// `VALGRIND_PRINTF` wrapped with the fixed `"%s"` format.
///
/// # Panics
/// If format string contains null-byte in any position.
#[macro_export]
macro_rules! print{
($($arg:tt)+) => { $crate::__print(format!("{}",format_args!($($arg)+)));}
}
/// Prints to the Valgrind's log, with a newline.
///
/// Accepts format string similar to [`std::println!`].
///
/// # Example
/// ```no_run
/// use crabgrind as cg;
///
/// cg::println!("current mode: {:?}", cg::run_mode());
/// ```
///
/// # Implementation
/// `VALGRIND_PRINTF` wrapped with the fixed `"%s"` format.
///
/// # Panics
/// If format string contains null-byte in any position.
#[macro_export]
macro_rules! println{
($($arg:tt)+) => { $crate::__print(format!("{}\n",format_args!($($arg)+)));}
}
#[doc(hidden)]
#[inline(always)]
pub fn __print_stacktrace(msg: String) {
let cstr = std::ffi::CString::new(msg).unwrap();
raw_call!(vg_print_backtrace, cstr.as_ptr());
}
/// Prints to the Valgrind's log, with the current stacktrace attached.
///
/// Accepts format string similar to [`std::println!`].
///
/// # Example
/// ```no_run
/// use crabgrind as cg;
///
/// #[inline(never)]
/// fn print_trace(){
/// let mode = cg::run_mode();
/// cg::print_stacktrace!("current mode: {mode:?}");
/// }
///
/// print_trace();
/// ```
///
/// # Implementation
/// `VALGRIND_PRINTF_BACKTRACE` wrapped with the fixed `"%s"` format.
///
/// # Panics
/// If format string contains null-byte in any position.
#[macro_export]
macro_rules! print_stacktrace{
($($arg:tt)+) => { $crate::__print_stacktrace(format!("{}\n",format_args!($($arg)+)));}
}
/// Execute arbitrary Valgrind [Monitor command](https://valgrind.org/docs/manual/manual-core-adv.html#manual-core-adv.gdbserver-commandhandling)
///
/// # Example
/// ```no_run
/// use crabgrind as cg;
///
/// let heap = String::from("alloca");
///
/// if cg::monitor_command("snapshot mem.snapshot").is_ok(){
/// println!("snapshot is saved to \"mem.snapshot\"");
/// }
/// ```
///
/// # Implementation
/// `VALGRIND_MONITOR_COMMAND`
///
/// # Panics
/// If command string contains null-byte in any position.
#[inline]
pub fn monitor_command(cmd: impl AsRef<str>) -> std::io::Result<()> {
let cmd = std::ffi::CString::new(cmd.as_ref()).unwrap();
if raw_call!(vg_monitor_command, cmd.as_ptr()) {
Err(std::io::ErrorKind::NotFound.into())
} else {
Ok(())
}
}
/// Disable error reporting for this thread
///
/// Behaves in a stack like way, so you can safely call this multiple times provided that
/// [`enable_error_reporting()`] is called the same number of times to re-enable reporting.
///
/// The first call of this macro disables reporting. Subsequent calls have no effect except
/// to increase the number of [`enable_error_reporting()`] calls needed to re-enable reporting.
///
/// Child threads do not inherit this setting from their parents -- they are always created with
/// reporting enabled.
///
/// # Example
/// ```no_run
/// use crabgrind as cg;
///
/// cg::disable_error_reporting();
///
/// unsafe {
/// let b = Box::new([0]);
/// println!("{}", b.get_unchecked(1));
/// };
/// assert_eq!(cg::count_errors(), 0);
/// ```
///
/// # Implementation
/// `VALGRIND_DISABLE_ERROR_REPORTING`
#[inline]
pub fn disable_error_reporting() {
raw_call!(vg_disable_error_reporting);
}
/// Re-enable error reporting for this thread
///
/// see [`disable_error_reporting()`] docs
///
/// # Implementation
/// `VALGRIND_ENABLE_ERROR_REPORTING`
#[inline]
pub fn enable_error_reporting() {
raw_call!(vg_enable_error_reporting);
}
/// Returns the number of errors found so far by Valgrind
///
/// # Example
/// ```no_run
/// use crabgrind as cg;
///
/// unsafe {
/// let b = Box::new([0]);
/// println!("{}", b.get_unchecked(1));
/// };
///
/// assert_eq!(cg::count_errors(), 1);
/// ```
///
/// # Implementation
/// `VALGRIND_COUNT_ERRORS`
#[inline]
pub fn count_errors() -> usize {
raw_call!(vg_count_errors)
}
/// Change the value of a dynamic command line option.
///
/// see [`official docs`](https://valgrind.org/docs/manual/manual-core.html#manual-core.dynopts)
/// for details.
///
/// # Example
/// ```no_run
/// use crabgrind as cg;
///
/// cg::change_cli_option("--leak-check=no");
/// std::mem::forget(String::from("see you in the void"));
/// ```
///
/// # Implementation
/// `VALGRIND_CLO_CHANGE`
///
/// # Panics
/// If command string contains null-byte in any position.
#[inline]
pub fn change_cli_option(opt: impl AsRef<str>) {
let cstr = std::ffi::CString::new(opt.as_ref()).unwrap();
raw_call!(vg_clo_change, cstr.as_ptr());
}
pub mod valgrind {
//! [`Valgrind requests`](https://valgrind.org/docs/manual/manual-core-adv.html#manual-core-adv.clientreq)
use std::os::unix::prelude::RawFd;
use super::*;
pub type ThreadId = usize;
/// Discards translations of code in the specified address range
///
/// see [official docs](https://valgrind.org/docs/manual/manual-core-adv.html#manual-core-adv.clientreq)
/// for details.
///
/// # Implementation
/// `VALGRIND_DISCARD_TRANSLATIONS`
#[inline]
pub fn discard_translations(addr: *mut c_void, len: usize) {
raw_call!(vg_discard_translations, addr, len);
}
/// Load PDB debug info for Wine PE image_map
///
/// # Implementation
/// `VALGRIND_LOAD_PDB_DEBUGINFO`
#[inline]
pub fn load_pdb_debuginfo(fd: RawFd, ptr: *mut c_void, total_size: usize, delta: usize) {
raw_call!(vg_load_pdb_debuginfo, fd, ptr, total_size, delta);
}
/// Map a code address to a source file name and line number
///
/// `buf64` must point to a 64-byte buffer in the caller's address space.
/// The result will be dumped in there and is guaranteed to be zero terminated.
/// If no info is found, the first byte is set to zero.
///
/// # Implementation
/// `VALGRIND_MAP_IP_TO_SRCLOC`
#[inline]
pub fn map_ip_to_srcloc(addr: *mut c_void, buf64: *mut c_void) -> usize {
raw_call!(vg_map_ip_to_srcloc, addr, buf64)
}
extern "C" fn _closure_adapter<F>(tid: ThreadId, f: *mut c_void)
where
F: FnMut(ThreadId),
{
if let Err(err) = std::panic::catch_unwind(|| unsafe {
debug_assert!(!f.is_null(), "closure pointer is null");
debug_assert_eq!(
f as usize & (std::mem::align_of::<F>() - 1),
0,
"unexpected closure pointer"
);
(*f.cast::<F>())(tid)
}) {
let panic_info = err
.downcast::<String>()
.map(|v| *v)
.or_else(|e| e.downcast::<&str>().map(|v| v.to_string()))
.unwrap_or_else(|_| "unknown panic source".to_string());
eprintln!("closure code panicked with: {panic_info:?}");
std::process::abort();
}
}
/// Runs a closure on the real CPU.
///
/// Closure receives a [`ThreadId`] as the parameter, that is the Valgrind's notion of thread
/// identifier and there may not be relationship between [`ThreadId`] and rust's [`std::thread::ThreadId`].
///
/// Refer to the `valgrind.h` for details and limitations.
///
/// # Example
/// ```no_run
/// use crabgrind as cg;
///
/// let mut thread_id = 0;
/// cg::valgrind::non_simd_call(|tid| {
/// thread_id = tid;
/// });
/// println!("{thread_id}");
/// ```
///
/// # Implementation
/// `VALGRIND_NON_SIMD_CALL1`
///
/// # Panics
/// It's safe to panic in the closure code in that this won't cause a UB on stack unwinding.
#[inline]
pub fn non_simd_call<F>(f: F)
where
F: FnMut(ThreadId),
{
let boxed = Box::into_raw(Box::new(f));
raw_call!(vg_non_simd_call1, _closure_adapter::<F>, boxed.cast());
let _ = unsafe { Box::from_raw(boxed) };
}
}
pub mod callgrind {
//! [`Callgrind requests`](https://courses.cs.vt.edu/~cs3214/fall2011/projects/valgrind/valgrind-3.4.0/docs/html/cl-manual.html#cl-manual.clientrequests)
use super::*;
/// Dump current state of cost centers, and zero them afterwards
///
/// If `reason` parameter is specified, this string will be written as a description field into
/// the profile data dump.
///
/// # Example
/// ```no_run
/// use crabgrind as cg;
///
/// fn factorial1(num: u128) -> u128 {
/// match num {
/// 0 => 1,
/// 1 => 1,
/// _ => factorial1(num - 1) * num,
/// }
/// }
///
/// fn factorial2(num: u128) -> u128 {
/// (1..=num).product()
/// }
///
/// cg::callgrind::zero_stats();
///
/// let a = factorial1(20);
/// cg::callgrind::dump_stats("factorial1");
///
/// let b = factorial2(20);
/// cg::callgrind::dump_stats("factorial2");
///
/// assert_eq!(a,b);
/// cg::callgrind::dump_stats(None);
/// ```
///
/// # Implementation
/// `CALLGRIND_DUMP_STATS` or `CALLGRIND_DUMP_STATS_AT`
///
/// # Panics
/// If `reason` is specified and contains null-byte in any position.
#[inline]
pub fn dump_stats<'a>(reason: impl Into<Option<&'a str>>) {
match reason.into() {
None => raw_call!(cl_dump_stats),
Some(reason) => {
let cstr = std::ffi::CString::new(reason).unwrap();
raw_call!(cl_dump_stats_at, cstr.as_ptr())
}
};
}
/// Zero current stats
///
/// # Implementation
/// `CALLGRIND_ZERO_STATS`
#[inline]
pub fn zero_stats() {
raw_call!(cl_zero_stats);
}
/// Toggles collection state
///
/// The collection state specifies whether the happening of events should be noted or if
/// they are to be ignored. Events are noted by increment of counters in a cost center.
///
/// # Example
/// run with `valgrind --tool==callgrind --collect-atstart=no ...`
/// ```no_run
/// use crabgrind as cg;
///
/// let xs = (0..10 << 10).into_iter().collect::<Vec<u32>>();
///
/// cg::callgrind::toggle_collect();
/// let i = xs.binary_search(&(10 << 10 >> 1));
/// cg::callgrind::toggle_collect();
/// ```
///
/// # Implementation
/// `CALLGRIND_TOGGLE_COLLECT`
#[inline]
pub fn toggle_collect() {
raw_call!(cl_toggle_collect);
}
/// Start full callgrind instrumentation if not already switched on
///
/// When cache simulation is done, it will flush the simulated cache;
/// this will lead to an artificial cache warmup phase afterwards with cache misses which
/// would not have happened in reality.
///
/// Use this to bypass Callgrind aggregation for uninteresting code parts.
/// To start Callgrind in this mode to ignore the setup phase, use the option `--instr-atstart=no`.
///
/// # Example
/// ```no_run
/// use crabgrind as cg;
///
/// let xs = (0..10 << 10).into_iter().collect::<Vec<u32>>();
///
/// cg::callgrind::start_instrumentation();
/// let i = xs.binary_search(&(10 << 10 >> 1));
/// cg::callgrind::dump_stats(None);
/// ```
/// also see documentation for [`stop_instrumentation()`]
///
/// # Implementation
/// `CALLGRIND_START_INSTRUMENTATION`
#[inline]
pub fn start_instrumentation() {
raw_call!(cl_start_instrumentation);
}
/// Stop full callgrind instrumentation if not already switched off
///
/// This flushes Valgrinds translation cache, and does no additional instrumentation afterwards,
/// which effectivly will run at the same speed as the "none" tool (ie. at minimal slowdown).
///
/// also see documentation for [`start_instrumentation()`]
///
/// # Implementation
/// `CALLGRIND_STOP_INSTRUMENTATION`
#[inline]
pub fn stop_instrumentation() {
raw_call!(cl_stop_instrumentation);
}
}
pub mod cachegrind {
//! [`Cachegrind requests`](https://valgrind.org/docs/manual/cg-manual.html#cg-manual.clientrequests)
use super::*;
/// Start full cachegrind instrumentation if not already switched on
///
/// When cache simulation is done, it will flush the simulated cache;
/// this will lead to an artificial cache warmup phase afterwards with cache misses which
/// would not have happened in reality.
///
/// Use this to bypass Cachegrind aggregation for uninteresting code parts.
/// To start Callgrind in this mode to ignore the setup phase, use the option `--instr-at-start=no`.
///
/// # Example
/// ```no_run
/// use crabgrind as cg;
///
/// let xs = (0..10 << 10).into_iter().collect::<Vec<u32>>();
///
/// cg::cachegrind::start_instrumentation();
/// let i = xs.binary_search(&(10 << 10 >> 1));
/// cg::cachegrind::stop_instrumentation();
/// ```
/// also see documentation for [`cachegrind::stop_instrumentation()`]
///
/// # Implementation
/// `CACHEGRIND_START_INSTRUMENTATION`
#[inline]
pub fn start_instrumentation() {
raw_call!(cg_start_instrumentation);
}
/// Stop full cachegrind instrumentation if not already switched off
///
/// This flushes Valgrind's translation cache, and does no additional instrumentation afterwards,
/// which effectively will run at the same speed as the "none" tool (ie. at minimal slowdown).
///
/// also see documentation for [`cachegrind::start_instrumentation()`]
///
/// # Implementation
/// `CACHEGRIND_STOP_INSTRUMENTATION`
#[inline]
pub fn stop_instrumentation() {
raw_call!(cg_stop_instrumentation);
}
}
pub mod memcheck {
//! [`Memcheck requests`](https://valgrind.org/docs/manual/mc-manual.html#mc-manual.clientreqs)
use super::*;
pub use bindings::LeakCount;
pub type BlockDescHandle = u32;
#[derive(Debug, PartialEq, Eq, Clone, Copy, Hash, PartialOrd, Ord)]
#[non_exhaustive]
pub enum Error {
InvalidHandle,
NotAddressable(usize),
NoValgrind,
UnalignedArrays,
}
impl std::error::Error for Error {}
unsafe impl Send for Error {}
unsafe impl Sync for Error {}
impl std::fmt::Display for Error {
#[inline]
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
match self {
Error::InvalidHandle => f.write_str("Invalid memory block description handle"),
Error::NotAddressable(addr) => {
write!(f, "Memory starting from 0x{addr:X} is not addressable")
}
Error::NoValgrind => f.write_str("Not running under Valgrind"),
Error::UnalignedArrays => {
f.write_str("[previously indicated unaligned arrays; these are now allowed]")
}
}
}
}
pub type Result<T = ()> = std::result::Result<T, Error>;
#[derive(Debug, PartialEq, Eq, Clone, Copy, Hash, PartialOrd, Ord)]
pub enum LeakCheck {
Full,
New,
Quick,
Added,
Changed,
}
#[derive(Debug, PartialEq, Eq, Clone, Copy, Hash, PartialOrd, Ord)]
pub enum MemState {
NoAccess,
Undefined,
Defined,
DefinedIfAddressable,
}
/// Mark memory state for an address range
///
/// # Memory mark option
/// **MemState::NoAccess**
/// - mark address ranges as completely inaccessible
///
/// **MemState::Defined**
/// - mark address ranges as accessible but containing undefined data
///
/// **MemState::Undefined**
/// - mark address ranges as accessible and containing defined data
///
/// **MemState::DefinedIfAddressable**
/// - same as `MemState::Defined` but only affects those bytes that are already addressable
///
/// # Implementation
/// - [MemState::NoAccess] `VALGRIND_MAKE_MEM_NOACCESS`
/// - [MemState::Undefined] `VALGRIND_MAKE_MEM_UNDEFINED`
/// - [MemState::Defined] `VALGRIND_MAKE_MEM_DEFINED`
/// - [MemState::DefinedIfAddressable] `VALGRIND_MAKE_MEM_DEFINED_IF_ADDRESSABLE`
#[inline]
pub fn mark_mem(addr: *mut c_void, len: usize, mark: MemState) -> Result {
let ret = match mark {
MemState::NoAccess => raw_call!(mc_make_mem_noaccess, addr, len),
MemState::Undefined => raw_call!(mc_make_mem_undefined, addr, len),
MemState::Defined => raw_call!(mc_make_mem_defined, addr, len),
MemState::DefinedIfAddressable => {
raw_call!(mc_make_mem_defined_if_addressable, addr, len)
}
};
if ret == 0 {
Ok(())
} else {
Err(Error::NoValgrind)
}
}
/// Create a block-description handle
///
/// The description is an ascii string which is included in any messages pertaining to
/// addresses within the specified memory range. Has no other effect on the properties of
/// the memory range.
///
/// # Implementation
/// `VALGRIND_CREATE_BLOCK`
///
/// # Panics
/// If string contains null-byte in any position.
#[inline]
pub fn new_block_description(
addr: *mut c_void,
len: usize,
desc: impl AsRef<str>,
) -> BlockDescHandle {
let cstr = std::ffi::CString::new(desc.as_ref()).unwrap();
raw_call!(mc_create_block, addr, len, cstr.as_ptr())
}
/// Discard a block-description-handle
///
/// # Implementation
/// `VALGRIND_DISCARD`
#[inline]
pub fn discard(handle: BlockDescHandle) -> Result {
if raw_call!(mc_discard, handle) == 0 {
Ok(())
} else {
Err(Error::InvalidHandle)
}
}
/// Check that memory range is addressable
///
/// If suitable addressibility is not established, Valgrind prints an error message and returns
/// the address of the first offending byte.
///
/// # Implementation
/// `VALGRIND_CHECK_MEM_IS_ADDRESSABLE`
#[inline]
pub fn is_addressable(addr: *mut c_void, len: usize) -> Result {
match raw_call!(mc_check_mem_is_addressable, addr, len) {
0 => Ok(()),
addr => Err(Error::NotAddressable(addr)),
}
}
/// Check that memory range is addressable and defined
///
/// If suitable addressibility and definedness are not established, Valgrind prints an error
/// message and returns the address of the first offending byte.
///
/// # Implementation
/// `VALGRIND_CHECK_MEM_IS_DEFINED`
#[inline]
pub fn is_defined(addr: *mut c_void, len: usize) -> Result {
match raw_call!(mc_check_mem_is_defined, addr, len) {
0 => Ok(()),
addr => Err(Error::NotAddressable(addr)),
}
}
/// Do a memory leak check
///
/// # Memory check option
/// **LeakCheck::Full**
/// - Do a full memory leak check (like --leak-check=full) mid-execution. This is useful for
/// incrementally checking for leaks between arbitrary places in the program's execution.
///
/// **LeakCheck::New**
/// - Same as `LeakCheck::Full` but only showing the entries since the previous leak search. It has no return value.
///
/// **LeakCheck::Quick**
/// - Do a summary memory leak check (like --leak-check=summary) mid-execution.
///
/// **LeakCheck::Added**
/// - Same as `LeakCheck::Full` but only showing the entries for which there was an increase in
/// leaked bytes or leaked number of blocks since the previous leak search.
///
/// **LeakCheck::Changed**
/// - Same as `LeakCheck::Added` but showing entries with increased or decreased leaked
/// bytes/blocks since previous leak search.
///
/// # Implementation
/// - [LeakCheck::Full] `VALGRIND_DO_LEAK_CHECK`
/// - [LeakCheck::New] `VALGRIND_DO_NEW_LEAK_CHECK`
/// - [LeakCheck::Quick] `VALGRIND_DO_QUICK_LEAK_CHECK`
/// - [LeakCheck::Added] `VALGRIND_DO_ADDED_LEAK_CHECK`
/// - [LeakCheck::Changed] `VALGRIND_DO_CHANGED_LEAK_CHECK`
#[inline]
pub fn leak_check(mode: LeakCheck) {
match mode {
LeakCheck::Full => raw_call!(mc_do_leak_check),
LeakCheck::New => raw_call!(mc_do_new_leak_check),
LeakCheck::Quick => raw_call!(mc_do_quick_leak_check),
LeakCheck::Added => raw_call!(mc_do_added_leak_check),
LeakCheck::Changed => raw_call!(mc_do_changed_leak_check),
};
}
/// Return number of leaked bytes found by all previous leak checks
///
/// # Implementation
/// `VALGRIND_COUNT_LEAKS`
#[inline]
pub fn leaks_count() -> LeakCount {
raw_call!(mc_count_leaks)
}
/// Return number of leaked blocks found by all previous leak checks
///
/// # Implementation
/// `VALGRIND_COUNT_LEAK_BLOCKS`
#[inline]
pub fn block_leaks_count() -> LeakCount {
raw_call!(mc_count_leak_blocks)
}
/// Get the validity data for address range
///
/// # Implementation
/// `VALGRIND_GET_VBITS`
#[inline]
pub fn vbits(addr: *mut c_void, bits: *const u8, nbytes: usize) -> Result {
match raw_call!(mc_get_vbits, addr, bits, nbytes) {
0 => Err(Error::NoValgrind),
1 => Ok(()),
2 => Err(Error::UnalignedArrays),
3 => Err(Error::NotAddressable(0)),
x => unreachable!("Unexpected return code {}", x),
}
}
/// Set the validity data for address range
///
/// # Implementation
/// `VALGRIND_SET_VBITS`
#[inline]
pub fn set_vbits(addr: *mut c_void, bits: *const u8, nbytes: usize) -> Result {
match raw_call!(mc_set_vbits, addr, bits, nbytes) {
0 => Err(Error::NoValgrind),
1 => Ok(()),
2 => Err(Error::UnalignedArrays),
3 => Err(Error::NotAddressable(0)),
x => unreachable!("Unexpected return code {}", x),
}
}
/// Disable reporting of addressing errors in the specified address range
///
/// # Implementation
/// `VALGRIND_DISABLE_ADDR_ERROR_REPORTING_IN_RANGE`
#[inline]
pub fn disable_error_reporting(addr: *mut c_void, len: usize) {
raw_call!(mc_disable_addr_error_reporting_in_range, addr, len);
}
/// Re-enable reporting of addressing errors in the specified address range
///
/// # Implementation
/// `VALGRIND_ENABLE_ADDR_ERROR_REPORTING_IN_RANGE`
#[inline]
pub fn enable_error_reporting(addr: *mut c_void, len: usize) {
raw_call!(mc_enable_addr_error_reporting_in_range, addr, len);
}
pub mod alloc {
//! Heap memory functionality
use super::super::*;
/// Marks a region of memory as having been allocated by a `malloc()`-like function
///
/// See the comments in `valgrind.h` for information on how to use it.
///
/// # Implementation
/// `VALGRIND_MALLOCLIKE_BLOCK`
#[inline]
pub fn malloc(addr: *mut c_void, size: usize, rz: usize, is_zeroed: bool) {
raw_call!(vg_malloclike_block, addr, size, rz, is_zeroed);
}
/// Partner to [`malloc()`]
///
/// See the comments in `valgrind.h` for information on how to use it.
///
/// # Implementation
/// `VALGRIND_FREELIKE_BLOCK`
#[inline]
pub fn free(addr: *mut c_void, rz: usize) {
raw_call!(vg_freelike_block, addr, rz);
}
/// Informs Memcheck about reallocation
///
/// See the comments in `valgrind.h` for information on how to use it.
///
/// # Implementation
/// `VALGRIND_RESIZEINPLACE_BLOCK`
#[inline]
pub fn resize_inplace(addr: *mut c_void, old_size: usize, new_size: usize, rz: usize) {
raw_call!(vg_resizeinplace_block, addr, old_size, new_size, rz);
}
}
pub mod mempool {
//! Memory pools functionality
//!
//! refer to [`Memory pools`](https://valgrind.org/docs/manual/mc-manual.html#mc-manual.mempools)
//! Valgrind manual.
use super::super::*;
/// `VALGRIND_MEMPOOL_AUTO_FREE`
pub const AUTO_FREE: u32 = 1;
/// `VALGRIND_MEMPOOL_METAPOOL`
pub const METAPOOL: u32 = 2;
/// Create a memory pool
///
/// refer to [Memory Pools: describing and working with custom allocators](https://valgrind.org/docs/manual/mc-manual.html#mc-manual.mempools)
///
/// # Implementation
/// `VALGRIND_CREATE_MEMPOOL` or `VALGRIND_CREATE_MEMPOOL_EXT`
#[inline]
pub fn create(
pool: *mut c_void,
rz: usize,
is_zeroed: bool,
flags: impl Into<Option<u32>>,
) {
match flags.into() {
None => raw_call!(vg_create_mempool, pool, rz, is_zeroed),
Some(flags) => raw_call!(vg_create_mempool_ext, pool, rz, is_zeroed, flags),
};
}
/// Destroy a memory pool
///
/// refer to [Memory Pools: describing and working with custom allocators](https://valgrind.org/docs/manual/mc-manual.html#mc-manual.mempools)
///
/// # Implementation
/// `VALGRIND_DESTROY_MEMPOOL`
#[inline]
pub fn destroy(pool: *mut c_void) {
raw_call!(vg_destroy_mempool, pool);
}
/// Associate a piece of memory with a memory pool
///
/// refer to [Memory Pools: describing and working with custom allocators](https://valgrind.org/docs/manual/mc-manual.html#mc-manual.mempools)
///
/// # Implementation
/// `VALGRIND_MEMPOOL_ALLOC`
#[inline]
pub fn alloc(pool: *mut c_void, addr: *mut c_void, size: usize) {
raw_call!(vg_mempool_alloc, pool, addr, size);
}
/// Disassociate a piece of memory from a memory pool
///
/// refer to [Memory Pools: describing and working with custom allocators](https://valgrind.org/docs/manual/mc-manual.html#mc-manual.mempools)
///
/// # Implementation
/// `VALGRIND_MEMPOOL_FREE`
#[inline]
pub fn free(pool: *mut c_void, addr: *mut c_void) {
raw_call!(vg_mempool_free, pool, addr);
}
/// Disassociate any pieces outside a particular range
///
/// refer to [Memory Pools: describing and working with custom allocators](https://valgrind.org/docs/manual/mc-manual.html#mc-manual.mempools)
///
/// # Implementation
/// `VALGRIND_MEMPOOL_TRIM`
#[inline]
pub fn trim(pool: *mut c_void, addr: *mut c_void, size: usize) {
raw_call!(vg_mempool_trim, pool, addr, size);
}
/// Resize and/or move a piece associated with a memory pool
///
/// refer to [Memory Pools: describing and working with custom allocators](https://valgrind.org/docs/manual/mc-manual.html#mc-manual.mempools)
///
/// # Implementation
/// `VALGRIND_MOVE_MEMPOOL`
#[inline]
pub fn move_to(pool_a: *mut c_void, pool_b: *mut c_void) {
raw_call!(vg_move_mempool, pool_a, pool_b);
}
/// Resize and/or move a piece associated with a memory pool
///
/// refer to [Memory Pools: describing and working with custom allocators](https://valgrind.org/docs/manual/mc-manual.html#mc-manual.mempools)
///
/// # Implementation
/// `VALGRIND_MEMPOOL_CHANGE`
#[inline]
pub fn change(pool: *mut c_void, addr_a: *mut c_void, addr_b: *mut c_void, size: usize) {
raw_call!(vg_mempool_change, pool, addr_a, addr_b, size);
}
/// Check mempool existence
///
/// refer to [Memory Pools: describing and working with custom allocators](https://valgrind.org/docs/manual/mc-manual.html#mc-manual.mempools)
///
/// # Implementation
/// `VALGRIND_MEMPOOL_EXISTS`
#[inline]
pub fn is_exists(pool: *mut c_void) -> bool {
raw_call!(vg_mempool_exists, pool)
}
}
pub mod stack {
//! Stack memory functionality
use super::super::*;
pub type StackId = usize;
/// Mark a piece of memory as being a stack
///
/// # Implementation
/// `VALGRIND_STACK_REGISTER`
#[inline]
pub fn register(lowest: *mut c_void, highest: *mut c_void) -> StackId {
raw_call!(vg_stack_register, lowest, highest)
}
/// Unmark the piece of memory associated with a [`StackId`] as being a stack
///
/// # Implementation
/// `VALGRIND_STACK_DEREGISTER`
#[inline]
pub fn deregister(id: StackId) {
raw_call!(vg_stack_deregister, id);
}
/// Change the start and end address of the [`StackId`]
///
/// # Implementation
/// `VALGRIND_STACK_CHANGE`
#[inline]
pub fn change(id: StackId, new_lowest: *mut c_void, new_highest: *mut c_void) {
raw_call!(vg_stack_change, id, new_lowest, new_highest);
}
}
}
pub mod helgrind {
//! [`Helgrind requests`](https://valgrind.org/docs/manual/hg-manual.html#hg-manual.client-requests)
use super::*;
#[derive(Debug, PartialEq, Eq, Clone, Copy, Hash, PartialOrd, Ord)]
pub enum Annotation {
HappensBefore,
HappensAfter,
New(usize),
RwLockCreate,
RwLockDestroy,
/// 'true' for a writer lock
RwLockAcquired(bool),
RwLockReleased,
}
/// Let `Helgrind` forget everything it know about the specified memory range
///
/// # Implementation
/// `VALGRIND_HG_CLEAN_MEMORY`
#[inline]
pub fn clean_memory(addr: *mut c_void, len: usize) {
raw_call!(hg_clean_memory, addr, len);
}
/// Annotations useful for debugging
///
/// # Annotation options
/// **Annotation::RwLockCreate**
/// - Report that a lock has just been created at address LOCK
///
/// **Annotation::RwLockDestroy**
/// - Report that the lock at address LOCK is about to be destroyed
///
/// **Annotation::RwLockAcquired**
/// - Report that the lock at address LOCK has just been acquired
///
/// **Annotation::RwLockReleased**
/// - Report that the lock at address LOCK is about to be released
///
/// **Annotation::HappensAfter** **Annotation::HappensBefore**
/// - If threads `T1 .. Tn` all do ANNOTATE_HAPPENS_BEFORE(obj) and later (w.r.t. some
/// notional global clock for the computation) thread `Tm` does ANNOTATE_HAPPENS_AFTER(obj),
/// then `Helgrind` will regard all memory accesses done by `T1 .. Tn` before the ..BEFORE..
/// call as happening-before all memory accesses done by `Tm` after the ..AFTER.. call.
/// Hence `Helgrind` won't complain about races if `Tm's` accesses afterwards are to the same
/// locations as accesses before by any of `T1 .. Tn`.
///
/// **Annotation::New**
/// - Report that a new memory at "address" of size "size" has been allocated
///
///
/// # Implementation
/// - Annotation::RwLockCreate `ANNOTATE_RWLOCK_CREATE`
/// - Annotation::RwLockDestroy `ANNOTATE_RWLOCK_DESTROY`
/// - Annotation::RwLockAcquired `ANNOTATE_RWLOCK_ACQUIRED`
/// - Annotation::RwLockReleased `ANNOTATE_RWLOCK_RELEASED`
/// - Annotation::HappensAfter `ANNOTATE_HAPPENS_AFTER`
/// - Annotation::HappensBefore `ANNOTATE_HAPPENS_BEFORE`
/// - Annotation::New `ANNOTATE_NEW_MEMORY`
#[inline]
pub fn annotate_memory(addr: *mut c_void, rel: Annotation) {
match rel {
Annotation::RwLockCreate => raw_call!(hg_rwlock_create, addr),
Annotation::RwLockDestroy => raw_call!(hg_rwlock_destroy, addr),
Annotation::RwLockAcquired(is_wl) => raw_call!(hg_rwlock_acquired, addr, is_wl),
Annotation::RwLockReleased => raw_call!(hg_rwlock_released, addr),
Annotation::HappensAfter => raw_call!(hg_annotate_happens_after, addr),
Annotation::HappensBefore => raw_call!(hg_annotate_happens_before, addr),
Annotation::New(size) => raw_call!(hg_annotate_new_memory, addr, size),
};
}
}
pub mod dhat {
//! [`DHAT manual`](https://valgrind.org/docs/manual/dh-manual.html)
use super::*;
/// Override default block size
///
/// The size of the blocks that measure and display access counts is limited to 1024 bytes.
/// This is done to limit the performance overhead and also to keep the size of the generated output reasonable.
/// However, it is possible to override this limit using client requests.
/// The use-case for this is to first run DHAT normally, and then identify any large blocks that you would like to further investigate with access count histograms.
/// The macro should be placed immediately after the call to the allocator, and use the pointer returned by the allocator.
///
/// # Implementation
/// `DHAT_HISTOGRAM_MEMORY`
#[inline]
pub fn histogram_memory(addr: *mut c_void) {
raw_call!(dh_histogram_memory, addr);
}
}
#[cfg(test)]
mod tests {
use crate::{self as cg, valgrind::ThreadId};
#[test]
fn test_run_mode_under_valgrind() {
assert_eq!(cg::RunMode::Valgrind, cg::run_mode());
}
#[test]
fn print_macros_wont_fail() {
// we are fine as long as it's not crashing
let m = "crabgrind";
cg::print!("{m}");
cg::println!("het, {m}");
cg::print_stacktrace!("{m}");
}
#[test]
fn ok_monitor_command() {
// we are fine as long as it's not crashing
cg::monitor_command("v.info all_errors").unwrap();
}
#[test]
fn wrong_monitor_command() {
assert!(cg::monitor_command("hey valgringo").is_err());
}
#[test]
fn count_errors() {
unsafe {
let uninit = std::mem::MaybeUninit::<u8>::uninit();
if uninit.assume_init() > 0 {
unreachable!();
}
}
assert_eq!(cg::count_errors(), 1);
}
#[test]
fn disable_error_reporting() {
cg::disable_error_reporting();
unsafe {
let uninit = std::mem::MaybeUninit::<u8>::uninit();
if uninit.assume_init() > 0 {
unreachable!();
}
}
assert_eq!(cg::count_errors(), 0);
}
#[test]
fn non_simd_call() {
let mut tid = ThreadId::MAX;
cg::valgrind::non_simd_call(|id| {
tid = id;
});
assert_ne!(tid, ThreadId::MAX);
}
#[test]
fn change_cli_option() {
cg::change_cli_option("--leak-check=no");
std::mem::forget(String::from("leaked"));
}
}