1use std::borrow::Borrow;
85use std::collections::hash_map::Entry;
86use std::error::Error;
87use std::fmt::Display;
88use std::intrinsics::unlikely;
89use std::path::Path;
90use std::sync::Arc;
91use std::sync::atomic::Ordering;
92use std::time::{Duration, Instant};
93use std::{fs, process};
94
95pub use measureme::EventId;
96use measureme::{EventIdBuilder, Profiler, SerializableString, StringId};
97use parking_lot::RwLock;
98use smallvec::SmallVec;
99use tracing::warn;
100
101use crate::fx::FxHashMap;
102use crate::outline;
103use crate::sync::AtomicU64;
104
105bitflags::bitflags! {
106 #[derive(Clone, Copy)]
107 struct EventFilter: u16 {
108 const GENERIC_ACTIVITIES = 1 << 0;
109 const QUERY_PROVIDERS = 1 << 1;
110 const QUERY_CACHE_HITS = 1 << 2;
113 const QUERY_BLOCKED = 1 << 3;
114 const INCR_CACHE_LOADS = 1 << 4;
115
116 const QUERY_KEYS = 1 << 5;
117 const FUNCTION_ARGS = 1 << 6;
118 const LLVM = 1 << 7;
119 const INCR_RESULT_HASHING = 1 << 8;
120 const ARTIFACT_SIZES = 1 << 9;
121 const QUERY_CACHE_HIT_COUNTS = 1 << 10;
123
124 const DEFAULT = Self::GENERIC_ACTIVITIES.bits() |
125 Self::QUERY_PROVIDERS.bits() |
126 Self::QUERY_BLOCKED.bits() |
127 Self::INCR_CACHE_LOADS.bits() |
128 Self::INCR_RESULT_HASHING.bits() |
129 Self::ARTIFACT_SIZES.bits() |
130 Self::QUERY_CACHE_HIT_COUNTS.bits();
131
132 const ARGS = Self::QUERY_KEYS.bits() | Self::FUNCTION_ARGS.bits();
133 const QUERY_CACHE_HIT_COMBINED = Self::QUERY_CACHE_HITS.bits() | Self::QUERY_CACHE_HIT_COUNTS.bits();
134 }
135}
136
137const EVENT_FILTERS_BY_NAME: &[(&str, EventFilter)] = &[
139 ("none", EventFilter::empty()),
140 ("all", EventFilter::all()),
141 ("default", EventFilter::DEFAULT),
142 ("generic-activity", EventFilter::GENERIC_ACTIVITIES),
143 ("query-provider", EventFilter::QUERY_PROVIDERS),
144 ("query-cache-hit", EventFilter::QUERY_CACHE_HITS),
145 ("query-cache-hit-count", EventFilter::QUERY_CACHE_HITS),
146 ("query-blocked", EventFilter::QUERY_BLOCKED),
147 ("incr-cache-load", EventFilter::INCR_CACHE_LOADS),
148 ("query-keys", EventFilter::QUERY_KEYS),
149 ("function-args", EventFilter::FUNCTION_ARGS),
150 ("args", EventFilter::ARGS),
151 ("llvm", EventFilter::LLVM),
152 ("incr-result-hashing", EventFilter::INCR_RESULT_HASHING),
153 ("artifact-sizes", EventFilter::ARTIFACT_SIZES),
154];
155
156pub struct QueryInvocationId(pub u32);
158
159#[derive(Clone, Copy, PartialEq, Hash, Debug)]
161pub enum TimePassesFormat {
162 Text,
164 Json,
166}
167
168#[derive(Clone)]
171pub struct SelfProfilerRef {
172 profiler: Option<Arc<SelfProfiler>>,
175
176 event_filter_mask: EventFilter,
180
181 print_verbose_generic_activities: Option<TimePassesFormat>,
183}
184
185impl SelfProfilerRef {
186 pub fn new(
187 profiler: Option<Arc<SelfProfiler>>,
188 print_verbose_generic_activities: Option<TimePassesFormat>,
189 ) -> SelfProfilerRef {
190 let event_filter_mask =
193 profiler.as_ref().map_or(EventFilter::empty(), |p| p.event_filter_mask);
194
195 SelfProfilerRef { profiler, event_filter_mask, print_verbose_generic_activities }
196 }
197
198 #[inline(always)]
204 fn exec<F>(&self, event_filter: EventFilter, f: F) -> TimingGuard<'_>
205 where
206 F: for<'a> FnOnce(&'a SelfProfiler) -> TimingGuard<'a>,
207 {
208 #[inline(never)]
209 #[cold]
210 fn cold_call<F>(profiler_ref: &SelfProfilerRef, f: F) -> TimingGuard<'_>
211 where
212 F: for<'a> FnOnce(&'a SelfProfiler) -> TimingGuard<'a>,
213 {
214 let profiler = profiler_ref.profiler.as_ref().unwrap();
215 f(profiler)
216 }
217
218 if self.event_filter_mask.contains(event_filter) {
219 cold_call(self, f)
220 } else {
221 TimingGuard::none()
222 }
223 }
224
225 pub fn verbose_generic_activity(&self, event_label: &'static str) -> VerboseTimingGuard<'_> {
230 let message_and_format =
231 self.print_verbose_generic_activities.map(|format| (event_label.to_owned(), format));
232
233 VerboseTimingGuard::start(message_and_format, self.generic_activity(event_label))
234 }
235
236 pub fn verbose_generic_activity_with_arg<A>(
238 &self,
239 event_label: &'static str,
240 event_arg: A,
241 ) -> VerboseTimingGuard<'_>
242 where
243 A: Borrow<str> + Into<String>,
244 {
245 let message_and_format = self
246 .print_verbose_generic_activities
247 .map(|format| (format!("{}({})", event_label, event_arg.borrow()), format));
248
249 VerboseTimingGuard::start(
250 message_and_format,
251 self.generic_activity_with_arg(event_label, event_arg),
252 )
253 }
254
255 #[inline(always)]
258 pub fn generic_activity(&self, event_label: &'static str) -> TimingGuard<'_> {
259 self.exec(EventFilter::GENERIC_ACTIVITIES, |profiler| {
260 let event_label = profiler.get_or_alloc_cached_string(event_label);
261 let event_id = EventId::from_label(event_label);
262 TimingGuard::start(profiler, profiler.generic_activity_event_kind, event_id)
263 })
264 }
265
266 #[inline(always)]
269 pub fn generic_activity_with_event_id(&self, event_id: EventId) -> TimingGuard<'_> {
270 self.exec(EventFilter::GENERIC_ACTIVITIES, |profiler| {
271 TimingGuard::start(profiler, profiler.generic_activity_event_kind, event_id)
272 })
273 }
274
275 #[inline(always)]
278 pub fn generic_activity_with_arg<A>(
279 &self,
280 event_label: &'static str,
281 event_arg: A,
282 ) -> TimingGuard<'_>
283 where
284 A: Borrow<str> + Into<String>,
285 {
286 self.exec(EventFilter::GENERIC_ACTIVITIES, |profiler| {
287 let builder = EventIdBuilder::new(&profiler.profiler);
288 let event_label = profiler.get_or_alloc_cached_string(event_label);
289 let event_id = if profiler.event_filter_mask.contains(EventFilter::FUNCTION_ARGS) {
290 let event_arg = profiler.get_or_alloc_cached_string(event_arg);
291 builder.from_label_and_arg(event_label, event_arg)
292 } else {
293 builder.from_label(event_label)
294 };
295 TimingGuard::start(profiler, profiler.generic_activity_event_kind, event_id)
296 })
297 }
298
299 #[inline(always)]
320 pub fn generic_activity_with_arg_recorder<F>(
321 &self,
322 event_label: &'static str,
323 mut f: F,
324 ) -> TimingGuard<'_>
325 where
326 F: FnMut(&mut EventArgRecorder<'_>),
327 {
328 self.exec(EventFilter::GENERIC_ACTIVITIES, |profiler| {
330 let builder = EventIdBuilder::new(&profiler.profiler);
331 let event_label = profiler.get_or_alloc_cached_string(event_label);
332
333 let event_id = if profiler.event_filter_mask.contains(EventFilter::FUNCTION_ARGS) {
336 let mut recorder = EventArgRecorder { profiler, args: SmallVec::new() };
339 f(&mut recorder);
340
341 if recorder.args.is_empty() {
345 panic!(
346 "The closure passed to `generic_activity_with_arg_recorder` needs to \
347 record at least one argument"
348 );
349 }
350
351 builder.from_label_and_args(event_label, &recorder.args)
352 } else {
353 builder.from_label(event_label)
354 };
355 TimingGuard::start(profiler, profiler.generic_activity_event_kind, event_id)
356 })
357 }
358
359 #[inline(always)]
364 pub fn artifact_size<A>(&self, artifact_kind: &str, artifact_name: A, size: u64)
365 where
366 A: Borrow<str> + Into<String>,
367 {
368 drop(self.exec(EventFilter::ARTIFACT_SIZES, |profiler| {
369 let builder = EventIdBuilder::new(&profiler.profiler);
370 let event_label = profiler.get_or_alloc_cached_string(artifact_kind);
371 let event_arg = profiler.get_or_alloc_cached_string(artifact_name);
372 let event_id = builder.from_label_and_arg(event_label, event_arg);
373 let thread_id = get_thread_id();
374
375 profiler.profiler.record_integer_event(
376 profiler.artifact_size_event_kind,
377 event_id,
378 thread_id,
379 size,
380 );
381
382 TimingGuard::none()
383 }))
384 }
385
386 #[inline(always)]
387 pub fn generic_activity_with_args(
388 &self,
389 event_label: &'static str,
390 event_args: &[String],
391 ) -> TimingGuard<'_> {
392 self.exec(EventFilter::GENERIC_ACTIVITIES, |profiler| {
393 let builder = EventIdBuilder::new(&profiler.profiler);
394 let event_label = profiler.get_or_alloc_cached_string(event_label);
395 let event_id = if profiler.event_filter_mask.contains(EventFilter::FUNCTION_ARGS) {
396 let event_args: Vec<_> = event_args
397 .iter()
398 .map(|s| profiler.get_or_alloc_cached_string(&s[..]))
399 .collect();
400 builder.from_label_and_args(event_label, &event_args)
401 } else {
402 builder.from_label(event_label)
403 };
404 TimingGuard::start(profiler, profiler.generic_activity_event_kind, event_id)
405 })
406 }
407
408 #[inline(always)]
411 pub fn query_provider(&self) -> TimingGuard<'_> {
412 self.exec(EventFilter::QUERY_PROVIDERS, |profiler| {
413 TimingGuard::start(profiler, profiler.query_event_kind, EventId::INVALID)
414 })
415 }
416
417 #[inline(always)]
419 pub fn query_cache_hit(&self, query_invocation_id: QueryInvocationId) {
420 #[inline(never)]
421 #[cold]
422 fn cold_call(profiler_ref: &SelfProfilerRef, query_invocation_id: QueryInvocationId) {
423 if profiler_ref.event_filter_mask.contains(EventFilter::QUERY_CACHE_HIT_COUNTS) {
424 profiler_ref
425 .profiler
426 .as_ref()
427 .unwrap()
428 .increment_query_cache_hit_counters(QueryInvocationId(query_invocation_id.0));
429 }
430 if unlikely(profiler_ref.event_filter_mask.contains(EventFilter::QUERY_CACHE_HITS)) {
431 profiler_ref.instant_query_event(
432 |profiler| profiler.query_cache_hit_event_kind,
433 query_invocation_id,
434 );
435 }
436 }
437
438 if unlikely(self.event_filter_mask.intersects(EventFilter::QUERY_CACHE_HIT_COMBINED)) {
441 cold_call(self, query_invocation_id);
442 }
443 }
444
445 #[inline(always)]
449 pub fn query_blocked(&self) -> TimingGuard<'_> {
450 self.exec(EventFilter::QUERY_BLOCKED, |profiler| {
451 TimingGuard::start(profiler, profiler.query_blocked_event_kind, EventId::INVALID)
452 })
453 }
454
455 #[inline(always)]
459 pub fn incr_cache_loading(&self) -> TimingGuard<'_> {
460 self.exec(EventFilter::INCR_CACHE_LOADS, |profiler| {
461 TimingGuard::start(
462 profiler,
463 profiler.incremental_load_result_event_kind,
464 EventId::INVALID,
465 )
466 })
467 }
468
469 #[inline(always)]
472 pub fn incr_result_hashing(&self) -> TimingGuard<'_> {
473 self.exec(EventFilter::INCR_RESULT_HASHING, |profiler| {
474 TimingGuard::start(
475 profiler,
476 profiler.incremental_result_hashing_event_kind,
477 EventId::INVALID,
478 )
479 })
480 }
481
482 #[inline(always)]
483 fn instant_query_event(
484 &self,
485 event_kind: fn(&SelfProfiler) -> StringId,
486 query_invocation_id: QueryInvocationId,
487 ) {
488 let event_id = StringId::new_virtual(query_invocation_id.0);
489 let thread_id = get_thread_id();
490 let profiler = self.profiler.as_ref().unwrap();
491 profiler.profiler.record_instant_event(
492 event_kind(profiler),
493 EventId::from_virtual(event_id),
494 thread_id,
495 );
496 }
497
498 pub fn with_profiler(&self, f: impl FnOnce(&SelfProfiler)) {
499 if let Some(profiler) = &self.profiler {
500 f(profiler)
501 }
502 }
503
504 pub fn get_or_alloc_cached_string(&self, s: &str) -> Option<StringId> {
509 self.profiler.as_ref().map(|p| p.get_or_alloc_cached_string(s))
510 }
511
512 pub fn store_query_cache_hits(&self) {
519 if self.event_filter_mask.contains(EventFilter::QUERY_CACHE_HIT_COUNTS) {
520 let profiler = self.profiler.as_ref().unwrap();
521 let query_hits = profiler.query_hits.read();
522 let builder = EventIdBuilder::new(&profiler.profiler);
523 let thread_id = get_thread_id();
524 for (query_invocation, hit_count) in query_hits.iter().enumerate() {
525 let hit_count = hit_count.load(Ordering::Relaxed);
526 if hit_count > 0 {
528 let event_id =
529 builder.from_label(StringId::new_virtual(query_invocation as u64));
530 profiler.profiler.record_integer_event(
531 profiler.query_cache_hit_count_event_kind,
532 event_id,
533 thread_id,
534 hit_count,
535 );
536 }
537 }
538 }
539 }
540
541 #[inline]
542 pub fn enabled(&self) -> bool {
543 self.profiler.is_some()
544 }
545
546 #[inline]
547 pub fn llvm_recording_enabled(&self) -> bool {
548 self.event_filter_mask.contains(EventFilter::LLVM)
549 }
550 #[inline]
551 pub fn get_self_profiler(&self) -> Option<Arc<SelfProfiler>> {
552 self.profiler.clone()
553 }
554}
555
556pub struct EventArgRecorder<'p> {
559 profiler: &'p SelfProfiler,
561
562 args: SmallVec<[StringId; 2]>,
567}
568
569impl EventArgRecorder<'_> {
570 pub fn record_arg<A>(&mut self, event_arg: A)
575 where
576 A: Borrow<str> + Into<String>,
577 {
578 let event_arg = self.profiler.get_or_alloc_cached_string(event_arg);
579 self.args.push(event_arg);
580 }
581}
582
583pub struct SelfProfiler {
584 profiler: Profiler,
585 event_filter_mask: EventFilter,
586
587 string_cache: RwLock<FxHashMap<String, StringId>>,
588
589 query_hits: RwLock<Vec<AtomicU64>>,
601
602 query_event_kind: StringId,
603 generic_activity_event_kind: StringId,
604 incremental_load_result_event_kind: StringId,
605 incremental_result_hashing_event_kind: StringId,
606 query_blocked_event_kind: StringId,
607 query_cache_hit_event_kind: StringId,
608 artifact_size_event_kind: StringId,
609 query_cache_hit_count_event_kind: StringId,
611}
612
613impl SelfProfiler {
614 pub fn new(
615 output_directory: &Path,
616 crate_name: Option<&str>,
617 event_filters: Option<&[String]>,
618 counter_name: &str,
619 ) -> Result<SelfProfiler, Box<dyn Error + Send + Sync>> {
620 fs::create_dir_all(output_directory)?;
621
622 let crate_name = crate_name.unwrap_or("unknown-crate");
623 let pid: u32 = process::id();
627 let filename = format!("{crate_name}-{pid:07}.rustc_profile");
628 let path = output_directory.join(filename);
629 let profiler =
630 Profiler::with_counter(&path, measureme::counters::Counter::by_name(counter_name)?)?;
631
632 let query_event_kind = profiler.alloc_string("Query");
633 let generic_activity_event_kind = profiler.alloc_string("GenericActivity");
634 let incremental_load_result_event_kind = profiler.alloc_string("IncrementalLoadResult");
635 let incremental_result_hashing_event_kind =
636 profiler.alloc_string("IncrementalResultHashing");
637 let query_blocked_event_kind = profiler.alloc_string("QueryBlocked");
638 let query_cache_hit_event_kind = profiler.alloc_string("QueryCacheHit");
639 let artifact_size_event_kind = profiler.alloc_string("ArtifactSize");
640 let query_cache_hit_count_event_kind = profiler.alloc_string("QueryCacheHitCount");
641
642 let mut event_filter_mask = EventFilter::empty();
643
644 if let Some(event_filters) = event_filters {
645 let mut unknown_events = vec![];
646 for item in event_filters {
647 if let Some(&(_, mask)) =
648 EVENT_FILTERS_BY_NAME.iter().find(|&(name, _)| name == item)
649 {
650 event_filter_mask |= mask;
651 } else {
652 unknown_events.push(item.clone());
653 }
654 }
655
656 if !unknown_events.is_empty() {
658 unknown_events.sort();
659 unknown_events.dedup();
660
661 warn!(
662 "Unknown self-profiler events specified: {}. Available options are: {}.",
663 unknown_events.join(", "),
664 EVENT_FILTERS_BY_NAME
665 .iter()
666 .map(|&(name, _)| name.to_string())
667 .collect::<Vec<_>>()
668 .join(", ")
669 );
670 }
671 } else {
672 event_filter_mask = EventFilter::DEFAULT;
673 }
674
675 Ok(SelfProfiler {
676 profiler,
677 event_filter_mask,
678 string_cache: RwLock::new(FxHashMap::default()),
679 query_event_kind,
680 generic_activity_event_kind,
681 incremental_load_result_event_kind,
682 incremental_result_hashing_event_kind,
683 query_blocked_event_kind,
684 query_cache_hit_event_kind,
685 artifact_size_event_kind,
686 query_cache_hit_count_event_kind,
687 query_hits: Default::default(),
688 })
689 }
690
691 pub fn alloc_string<STR: SerializableString + ?Sized>(&self, s: &STR) -> StringId {
694 self.profiler.alloc_string(s)
695 }
696
697 pub fn increment_query_cache_hit_counters(&self, id: QueryInvocationId) {
699 let mut guard = self.query_hits.upgradable_read();
702 let query_hits = &guard;
703 let index = id.0 as usize;
704 if index < query_hits.len() {
705 query_hits[index].fetch_add(1, Ordering::Relaxed);
707 } else {
708 guard.with_upgraded(|vec| {
710 vec.resize_with(index + 1, || AtomicU64::new(0));
711 vec[index] = AtomicU64::from(1);
712 });
713 }
714 }
715
716 pub fn get_or_alloc_cached_string<A>(&self, s: A) -> StringId
720 where
721 A: Borrow<str> + Into<String>,
722 {
723 {
726 let string_cache = self.string_cache.read();
727
728 if let Some(&id) = string_cache.get(s.borrow()) {
729 return id;
730 }
731 }
732
733 let mut string_cache = self.string_cache.write();
734 match string_cache.entry(s.into()) {
737 Entry::Occupied(e) => *e.get(),
738 Entry::Vacant(e) => {
739 let string_id = self.profiler.alloc_string(&e.key()[..]);
740 *e.insert(string_id)
741 }
742 }
743 }
744
745 pub fn map_query_invocation_id_to_string(&self, from: QueryInvocationId, to: StringId) {
746 let from = StringId::new_virtual(from.0);
747 self.profiler.map_virtual_to_concrete_string(from, to);
748 }
749
750 pub fn bulk_map_query_invocation_id_to_single_string<I>(&self, from: I, to: StringId)
751 where
752 I: Iterator<Item = QueryInvocationId> + ExactSizeIterator,
753 {
754 let from = from.map(|qid| StringId::new_virtual(qid.0));
755 self.profiler.bulk_map_virtual_to_single_concrete_string(from, to);
756 }
757
758 pub fn query_key_recording_enabled(&self) -> bool {
759 self.event_filter_mask.contains(EventFilter::QUERY_KEYS)
760 }
761
762 pub fn event_id_builder(&self) -> EventIdBuilder<'_> {
763 EventIdBuilder::new(&self.profiler)
764 }
765}
766
767#[must_use]
768pub struct TimingGuard<'a>(Option<measureme::TimingGuard<'a>>);
769
770impl<'a> TimingGuard<'a> {
771 #[inline]
772 pub fn start(
773 profiler: &'a SelfProfiler,
774 event_kind: StringId,
775 event_id: EventId,
776 ) -> TimingGuard<'a> {
777 let thread_id = get_thread_id();
778 let raw_profiler = &profiler.profiler;
779 let timing_guard =
780 raw_profiler.start_recording_interval_event(event_kind, event_id, thread_id);
781 TimingGuard(Some(timing_guard))
782 }
783
784 #[inline]
785 pub fn finish_with_query_invocation_id(self, query_invocation_id: QueryInvocationId) {
786 if let Some(guard) = self.0 {
787 outline(|| {
788 let event_id = StringId::new_virtual(query_invocation_id.0);
789 let event_id = EventId::from_virtual(event_id);
790 guard.finish_with_override_event_id(event_id);
791 });
792 }
793 }
794
795 #[inline]
796 pub fn none() -> TimingGuard<'a> {
797 TimingGuard(None)
798 }
799
800 #[inline(always)]
801 pub fn run<R>(self, f: impl FnOnce() -> R) -> R {
802 let _timer = self;
803 f()
804 }
805}
806
807struct VerboseInfo {
808 start_time: Instant,
809 start_rss: Option<usize>,
810 message: String,
811 format: TimePassesFormat,
812}
813
814#[must_use]
815pub struct VerboseTimingGuard<'a> {
816 info: Option<VerboseInfo>,
817 _guard: TimingGuard<'a>,
818}
819
820impl<'a> VerboseTimingGuard<'a> {
821 pub fn start(
822 message_and_format: Option<(String, TimePassesFormat)>,
823 _guard: TimingGuard<'a>,
824 ) -> Self {
825 VerboseTimingGuard {
826 _guard,
827 info: message_and_format.map(|(message, format)| VerboseInfo {
828 start_time: Instant::now(),
829 start_rss: get_resident_set_size(),
830 message,
831 format,
832 }),
833 }
834 }
835
836 #[inline(always)]
837 pub fn run<R>(self, f: impl FnOnce() -> R) -> R {
838 let _timer = self;
839 f()
840 }
841}
842
843impl Drop for VerboseTimingGuard<'_> {
844 fn drop(&mut self) {
845 if let Some(info) = &self.info {
846 let end_rss = get_resident_set_size();
847 let dur = info.start_time.elapsed();
848 print_time_passes_entry(&info.message, dur, info.start_rss, end_rss, info.format);
849 }
850 }
851}
852
853struct JsonTimePassesEntry<'a> {
854 pass: &'a str,
855 time: f64,
856 start_rss: Option<usize>,
857 end_rss: Option<usize>,
858}
859
860impl Display for JsonTimePassesEntry<'_> {
861 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
862 let Self { pass: what, time, start_rss, end_rss } = self;
863 write!(f, r#"{{"pass":"{what}","time":{time},"rss_start":"#).unwrap();
864 match start_rss {
865 Some(rss) => write!(f, "{rss}")?,
866 None => write!(f, "null")?,
867 }
868 write!(f, r#","rss_end":"#)?;
869 match end_rss {
870 Some(rss) => write!(f, "{rss}")?,
871 None => write!(f, "null")?,
872 }
873 write!(f, "}}")?;
874 Ok(())
875 }
876}
877
878pub fn print_time_passes_entry(
879 what: &str,
880 dur: Duration,
881 start_rss: Option<usize>,
882 end_rss: Option<usize>,
883 format: TimePassesFormat,
884) {
885 match format {
886 TimePassesFormat::Json => {
887 let entry =
888 JsonTimePassesEntry { pass: what, time: dur.as_secs_f64(), start_rss, end_rss };
889
890 eprintln!(r#"time: {entry}"#);
891 return;
892 }
893 TimePassesFormat::Text => (),
894 }
895
896 let is_notable = || {
899 if dur.as_millis() > 5 {
900 return true;
901 }
902
903 if let (Some(start_rss), Some(end_rss)) = (start_rss, end_rss) {
904 let change_rss = end_rss.abs_diff(start_rss);
905 if change_rss > 0 {
906 return true;
907 }
908 }
909
910 false
911 };
912 if !is_notable() {
913 return;
914 }
915
916 let rss_to_mb = |rss| (rss as f64 / 1_000_000.0).round() as usize;
917 let rss_change_to_mb = |rss| (rss as f64 / 1_000_000.0).round() as i128;
918
919 let mem_string = match (start_rss, end_rss) {
920 (Some(start_rss), Some(end_rss)) => {
921 let change_rss = end_rss as i128 - start_rss as i128;
922
923 format!(
924 "; rss: {:>4}MB -> {:>4}MB ({:>+5}MB)",
925 rss_to_mb(start_rss),
926 rss_to_mb(end_rss),
927 rss_change_to_mb(change_rss),
928 )
929 }
930 (Some(start_rss), None) => format!("; rss start: {:>4}MB", rss_to_mb(start_rss)),
931 (None, Some(end_rss)) => format!("; rss end: {:>4}MB", rss_to_mb(end_rss)),
932 (None, None) => String::new(),
933 };
934
935 eprintln!("time: {:>7}{}\t{}", duration_to_secs_str(dur), mem_string, what);
936}
937
938pub fn duration_to_secs_str(dur: std::time::Duration) -> String {
941 format!("{:.3}", dur.as_secs_f64())
942}
943
944fn get_thread_id() -> u32 {
945 std::thread::current().id().as_u64().get() as u32
946}
947
948cfg_select! {
950 windows => {
951 pub fn get_resident_set_size() -> Option<usize> {
952 use windows::{
953 Win32::System::ProcessStatus::{K32GetProcessMemoryInfo, PROCESS_MEMORY_COUNTERS},
954 Win32::System::Threading::GetCurrentProcess,
955 };
956
957 let mut pmc = PROCESS_MEMORY_COUNTERS::default();
958 let pmc_size = size_of_val(&pmc);
959 unsafe {
960 K32GetProcessMemoryInfo(
961 GetCurrentProcess(),
962 &mut pmc,
963 pmc_size as u32,
964 )
965 }
966 .ok()
967 .ok()?;
968
969 Some(pmc.WorkingSetSize)
970 }
971 }
972 target_os = "macos" => {
973 pub fn get_resident_set_size() -> Option<usize> {
974 use libc::{c_int, c_void, getpid, proc_pidinfo, proc_taskinfo, PROC_PIDTASKINFO};
975 use std::mem;
976 const PROC_TASKINFO_SIZE: c_int = size_of::<proc_taskinfo>() as c_int;
977
978 unsafe {
979 let mut info: proc_taskinfo = mem::zeroed();
980 let info_ptr = &mut info as *mut proc_taskinfo as *mut c_void;
981 let pid = getpid() as c_int;
982 let ret = proc_pidinfo(pid, PROC_PIDTASKINFO, 0, info_ptr, PROC_TASKINFO_SIZE);
983 if ret == PROC_TASKINFO_SIZE {
984 Some(info.pti_resident_size as usize)
985 } else {
986 None
987 }
988 }
989 }
990 }
991 unix => {
992 pub fn get_resident_set_size() -> Option<usize> {
993 let field = 1;
994 let contents = fs::read("/proc/self/statm").ok()?;
995 let contents = String::from_utf8(contents).ok()?;
996 let s = contents.split_whitespace().nth(field)?;
997 let npages = s.parse::<usize>().ok()?;
998 Some(npages * 4096)
999 }
1000 }
1001 _ => {
1002 pub fn get_resident_set_size() -> Option<usize> {
1003 None
1004 }
1005 }
1006}
1007
1008#[cfg(test)]
1009mod tests;