fuchsia_trace/
lib.rs

1// Copyright 2019 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5use pin_project::pin_project;
6use std::ffi::CStr;
7use std::future::Future;
8use std::marker::PhantomData;
9use std::pin::Pin;
10use std::task::Poll;
11use std::{mem, ptr};
12
13pub use sys::{
14    trace_site_t, TRACE_BLOB_TYPE_DATA, TRACE_BLOB_TYPE_LAST_BRANCH, TRACE_BLOB_TYPE_PERFETTO,
15};
16
17/// `Scope` represents the scope of a trace event.
18#[derive(Copy, Clone)]
19pub enum Scope {
20    Thread,
21    Process,
22    Global,
23}
24
25impl Scope {
26    fn into_raw(self) -> sys::trace_scope_t {
27        match self {
28            Scope::Thread => sys::TRACE_SCOPE_THREAD,
29            Scope::Process => sys::TRACE_SCOPE_PROCESS,
30            Scope::Global => sys::TRACE_SCOPE_GLOBAL,
31        }
32    }
33}
34
35/// Returns true if tracing is enabled.
36#[inline]
37pub fn is_enabled() -> bool {
38    // Trivial no-argument function that will not race
39    unsafe { sys::trace_state() != sys::TRACE_STOPPED }
40}
41
42/// Returns true if tracing has been enabled for the given category.
43pub fn category_enabled(category: &'static CStr) -> bool {
44    // Function requires a pointer to a static null-terminated string literal,
45    // which `&'static CStr` is.
46    unsafe { sys::trace_is_category_enabled(category.as_ptr()) }
47}
48
49#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
50pub enum TraceState {
51    Stopped,
52    Started,
53    Stopping,
54}
55
56pub fn trace_state() -> TraceState {
57    match unsafe { sys::trace_state() } {
58        sys::TRACE_STOPPED => TraceState::Stopped,
59        sys::TRACE_STARTED => TraceState::Started,
60        sys::TRACE_STOPPING => TraceState::Stopping,
61        s => panic!("Unknown trace state {:?}", s),
62    }
63}
64
65/// An identifier for flows and async spans.
66#[repr(transparent)]
67#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash)]
68pub struct Id(u64);
69
70impl Id {
71    /// Creates a new `Id`. `Id`s created by separate calls to `new` in the same process are
72    /// guaranteed to be distinct.
73    ///
74    /// WARNING: `Id::new` is likely to hit the UI bug where UIs group async
75    /// durations with the same trace id but different process ids. Use
76    /// `Id::random` instead. (Until https://fxbug.dev/42054669 is fixed.)
77    pub fn new() -> Self {
78        // Trivial no-argument function that cannot race.
79        Self(unsafe { sys::trace_generate_nonce() })
80    }
81
82    /// Creates a new `Id` based on the current montonic time and a random `u16` to, with high
83    /// probability, avoid the bug where UIs group async durations with the same trace id but
84    /// different process ids.
85    /// `Id::new` is likely to hit the UI bug because it (per process) generates trace ids
86    /// consecutively starting from 1.
87    /// https://cs.opensource.google/fuchsia/fuchsia/+/main:zircon/system/ulib/trace-engine/nonce.cc;l=15-17;drc=b1c2f508a59e6c87c617852ed3e424693a392646
88    /// TODO(https://fxbug.dev/42054669) Delete this and migrate clients to `Id::new` once UIs stop grouping
89    /// async durations with the same trace id but different process ids.
90    pub fn random() -> Self {
91        let ts = zx::BootInstant::get().into_nanos() as u64;
92        let high_order = ts << 16;
93        let low_order = rand::random::<u16>() as u64;
94        Self(high_order | low_order)
95    }
96}
97
98impl From<u64> for Id {
99    fn from(u: u64) -> Self {
100        Self(u)
101    }
102}
103
104impl From<Id> for u64 {
105    fn from(id: Id) -> Self {
106        id.0
107    }
108}
109
110/// `Arg` holds an argument to a tracing function, which can be one of many types.
111#[repr(transparent)]
112pub struct Arg<'a>(sys::trace_arg_t, PhantomData<&'a ()>);
113
114/// A trait for types that can be the values of an argument set.
115///
116/// This trait is not implementable by users of the library.
117/// Users should instead use one of the common types which implements
118/// `ArgValue`, such as `i32`, `f64`, or `&str`.
119pub trait ArgValue {
120    fn of<'a>(key: &'a str, value: Self) -> Arg<'a>
121    where
122        Self: 'a;
123}
124
125// Implements `arg_from` for many types.
126// $valname is the name to which to bind the `Self` value in the $value expr
127// $ty is the type
128// $tag is the union tag indicating the variant of trace_arg_union_t being used
129// $value is the union value for that particular type
130macro_rules! arg_from {
131    ($valname:ident, $(($type:ty, $tag:expr, $value:expr))*) => {
132        $(
133            impl ArgValue for $type {
134                #[inline]
135                fn of<'a>(key: &'a str, $valname: Self) -> Arg<'a>
136                    where Self: 'a
137                {
138                    #[allow(unused)]
139                    let $valname = $valname;
140
141                    Arg(sys::trace_arg_t {
142                        name_ref: trace_make_inline_string_ref(key),
143                        value: sys::trace_arg_value_t {
144                            type_: $tag,
145                            value: $value,
146                        },
147                    }, PhantomData)
148                }
149            }
150        )*
151    }
152}
153
154// Implement ArgFrom for a variety of types
155#[rustfmt::skip]
156arg_from!(val,
157    ((), sys::TRACE_ARG_NULL, sys::trace_arg_union_t { int32_value: 0 })
158    (bool, sys::TRACE_ARG_BOOL, sys::trace_arg_union_t { bool_value: val })
159    (i32, sys::TRACE_ARG_INT32, sys::trace_arg_union_t { int32_value: val })
160    (u32, sys::TRACE_ARG_UINT32, sys::trace_arg_union_t { uint32_value: val })
161    (i64, sys::TRACE_ARG_INT64, sys::trace_arg_union_t { int64_value: val })
162    (u64, sys::TRACE_ARG_UINT64, sys::trace_arg_union_t { uint64_value: val })
163    (isize, sys::TRACE_ARG_INT64, sys::trace_arg_union_t { int64_value: val as i64 })
164    (usize, sys::TRACE_ARG_UINT64, sys::trace_arg_union_t { uint64_value: val as u64 })
165    (f64, sys::TRACE_ARG_DOUBLE, sys::trace_arg_union_t { double_value: val })
166    (zx::Koid, sys::TRACE_ARG_KOID, sys::trace_arg_union_t { koid_value: val.raw_koid() })
167);
168
169impl<T> ArgValue for *const T {
170    #[inline]
171    fn of<'a>(key: &'a str, val: Self) -> Arg<'a>
172    where
173        Self: 'a,
174    {
175        Arg(
176            sys::trace_arg_t {
177                name_ref: trace_make_inline_string_ref(key),
178                value: sys::trace_arg_value_t {
179                    type_: sys::TRACE_ARG_POINTER,
180                    value: sys::trace_arg_union_t { pointer_value: val as usize },
181                },
182            },
183            PhantomData,
184        )
185    }
186}
187
188impl<T> ArgValue for *mut T {
189    #[inline]
190    fn of<'a>(key: &'a str, val: Self) -> Arg<'a>
191    where
192        Self: 'a,
193    {
194        Arg(
195            sys::trace_arg_t {
196                name_ref: trace_make_inline_string_ref(key),
197                value: sys::trace_arg_value_t {
198                    type_: sys::TRACE_ARG_POINTER,
199                    value: sys::trace_arg_union_t { pointer_value: val as usize },
200                },
201            },
202            PhantomData,
203        )
204    }
205}
206
207impl<'a> ArgValue for &'a str {
208    #[inline]
209    fn of<'b>(key: &'b str, val: Self) -> Arg<'b>
210    where
211        Self: 'b,
212    {
213        Arg(
214            sys::trace_arg_t {
215                name_ref: trace_make_inline_string_ref(key),
216                value: sys::trace_arg_value_t {
217                    type_: sys::TRACE_ARG_STRING,
218                    value: sys::trace_arg_union_t {
219                        string_value_ref: trace_make_inline_string_ref(val),
220                    },
221                },
222            },
223            PhantomData,
224        )
225    }
226}
227
228/// Convenience macro for the `instant` function.
229///
230/// Example:
231///
232/// ```rust
233/// instant!(c"foo", c"bar", Scope::Process, "x" => 5, "y" => "boo");
234/// ```
235///
236/// is equivalent to
237///
238/// ```rust
239/// instant(c"foo", c"bar", Scope::Process,
240///     &[ArgValue::of("x", 5), ArgValue::of("y", "boo")]);
241/// ```
242/// or
243/// ```rust
244/// const FOO: &'static CStr = c"foo";
245/// const BAR: &'static CStr = c"bar";
246/// instant(FOO, BAR, Scope::Process,
247///     &[ArgValue::of("x", 5), ArgValue::of("y", "boo")]);
248/// ```
249#[macro_export]
250macro_rules! instant {
251    ($category:expr, $name:expr, $scope:expr $(, $key:expr => $val:expr)*) => {
252        {
253            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
254            if let Some(context) = $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
255                $crate::instant(&context, $name, $scope, &[$($crate::ArgValue::of($key, $val)),*]);
256            }
257        }
258    }
259}
260
261/// Writes an instant event representing a single moment in time.
262/// The number of `args` must not be greater than 15.
263#[inline]
264pub fn instant(
265    context: &TraceCategoryContext,
266    name: &'static CStr,
267    scope: Scope,
268    args: &[Arg<'_>],
269) {
270    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
271
272    let name_ref = context.register_string_literal(name);
273    context.write_instant(name_ref, scope, args);
274}
275
276/// Convenience macro for the `alert` function.
277///
278/// Example:
279///
280/// ```rust
281/// alert!(c"foo", c"bar");
282/// ```
283///
284/// is equivalent to
285///
286/// ```rust
287/// alert(c"foo", c"bar");
288/// ```
289#[macro_export]
290macro_rules! alert {
291    ($category:expr, $name:expr) => {
292        $crate::alert($category, $name)
293    };
294}
295
296/// Sends an alert, which can be mapped to an action.
297pub fn alert(category: &'static CStr, name: &'static CStr) {
298    // trace_context_write_xxx functions require that:
299    // - category and name are static null-terminated strings (`&'static CStr).
300    // - the refs must be valid for the given call
301    unsafe {
302        let mut category_ref = mem::MaybeUninit::<sys::trace_string_ref_t>::uninit();
303        let context =
304            sys::trace_acquire_context_for_category(category.as_ptr(), category_ref.as_mut_ptr());
305        if context != ptr::null() {
306            sys::trace_context_send_alert(context, name.as_ptr());
307            sys::trace_release_context(context);
308        }
309    }
310}
311
312/// Convenience macro for the `counter` function.
313///
314/// Example:
315///
316/// ```rust
317/// let id = 555;
318/// counter!(c"foo", c"bar", id, "x" => 5, "y" => 10);
319/// ```
320///
321/// is equivalent to
322///
323/// ```rust
324/// let id = 555;
325/// counter(c"foo", c"bar", id,
326///     &[ArgValue::of("x", 5), ArgValue::of("y", 10)]);
327/// ```
328#[macro_export]
329macro_rules! counter {
330    ($category:expr, $name:expr, $counter_id:expr $(, $key:expr => $val:expr)*) => {
331        {
332            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
333            if let Some(context) = $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
334                $crate::counter(&context, $name, $counter_id,
335                    &[$($crate::ArgValue::of($key, $val)),*])
336            }
337        }
338    }
339}
340
341/// Writes a counter event with the specified id.
342///
343/// The arguments to this event are numeric samples and are typically
344/// represented by the visualizer as a stacked area chart. The id serves to
345/// distinguish multiple instances of counters which share the same category
346/// and name within the same process.
347///
348/// 1 to 15 numeric arguments can be associated with an event, each of which is
349/// interpreted as a distinct time series.
350pub fn counter(
351    context: &TraceCategoryContext,
352    name: &'static CStr,
353    counter_id: u64,
354    args: &[Arg<'_>],
355) {
356    assert!(args.len() >= 1, "trace counter args must include at least one numeric argument");
357    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
358
359    let name_ref = context.register_string_literal(name);
360    context.write_counter(name_ref, counter_id, args);
361}
362
363/// The scope of a duration event, returned by the `duration` function and the `duration!` macro.
364/// The duration will be `end'ed` when this object is dropped.
365#[must_use = "DurationScope must be `end`ed to be recorded"]
366pub struct DurationScope<'a> {
367    category: &'static CStr,
368    name: &'static CStr,
369    args: &'a [Arg<'a>],
370    start_time: zx::BootTicks,
371}
372
373impl<'a> DurationScope<'a> {
374    /// Starts a new duration scope that starts now and will be end'ed when
375    /// this object is dropped.
376    pub fn begin(category: &'static CStr, name: &'static CStr, args: &'a [Arg<'_>]) -> Self {
377        let start_time = zx::BootTicks::get();
378        Self { category, name, args, start_time }
379    }
380}
381
382impl<'a> Drop for DurationScope<'a> {
383    fn drop(&mut self) {
384        if let Some(context) = TraceCategoryContext::acquire(self.category) {
385            let name_ref = context.register_string_literal(self.name);
386            context.write_duration(name_ref, self.start_time, self.args);
387        }
388    }
389}
390
391/// Write a "duration complete" record representing both the beginning and end of a duration.
392pub fn complete_duration(
393    category: &'static CStr,
394    name: &'static CStr,
395    start_time: zx::BootTicks,
396    args: &[Arg<'_>],
397) {
398    if let Some(context) = TraceCategoryContext::acquire(category) {
399        let name_ref = context.register_string_literal(name);
400        context.write_duration(name_ref, start_time, args);
401    }
402}
403
404/// Convenience macro for the `duration` function that can be used to trace
405/// the duration of a scope. If you need finer grained control over when a
406/// duration starts and stops, see `duration_begin` and `duration_end`.
407///
408/// Example:
409///
410/// ```rust
411///   {
412///       duration!(c"foo", c"bar", "x" => 5, "y" => 10);
413///       ...
414///       ...
415///       // event will be recorded on drop.
416///   }
417/// ```
418///
419/// is equivalent to
420///
421/// ```rust
422///   {
423///       let mut args;
424///       let _scope =  {
425///           static CACHE: trace_site_t = trace_site_t::new(0);
426///           if let Some(_context) = TraceCategoryContext::acquire_cached(c"foo", &CACHE) {
427///               args = [ArgValue::of("x", 5), ArgValue::of("y", 10)];
428///               Some($crate::duration(c"foo", c"bar", &args))
429///           } else {
430///               None
431///           }
432///       };
433///       ...
434///       ...
435///       // event will be recorded on drop.
436///   }
437/// ```
438#[macro_export]
439macro_rules! duration {
440    ($category:expr, $name:expr $(, $key:expr => $val:expr)* $(,)?) => {
441        let mut args;
442        let _scope =  {
443            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
444            // NB: It is intentional that _context is not used here.  This cached context is used to
445            // elide the expensive context lookup if tracing is disabled.  When the duration ends,
446            // it will do a second lookup, but this cost is dwarfed by the cost of writing the trace
447            // event, so this second lookup is irrelevant.  Retaining the context for the lifetime
448            // of the DurationScope to avoid this second lookup would prevent the trace buffers from
449            // flushing until the DurationScope is dropped.
450            if let Some(_context) =
451                    $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
452                args = [$($crate::ArgValue::of($key, $val)),*];
453                Some($crate::duration($category, $name, &args))
454            } else {
455                None
456            }
457        };
458    }
459}
460
461/// Writes a duration event which ends when the current scope exits, or the
462/// `end` method is manually called.
463///
464/// Durations describe work which is happening synchronously on one thread.
465/// They can be nested to represent a control flow stack.
466///
467/// 0 to 15 arguments can be associated with the event, each of which is used
468/// to annotate the duration with additional information.
469///
470/// NOTE: For performance reasons, it is advisable to create a cached context scope, which will
471/// avoid expensive lookups when tracing is disabled.  See the example in the `duration!` macro.
472pub fn duration<'a>(
473    category: &'static CStr,
474    name: &'static CStr,
475    args: &'a [Arg<'_>],
476) -> DurationScope<'a> {
477    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
478    DurationScope::begin(category, name, args)
479}
480
481/// Convenience macro for the `duration_begin` function.
482///
483/// Examples:
484///
485/// ```rust
486/// duration_begin!(c"foo", c"bar", "x" => 5, "y" => "boo");
487/// ```
488///
489/// ```rust
490/// const FOO: &'static CStr = c"foo";
491/// const BAR: &'static CStr = c"bar";
492/// duration_begin!(FOO, BAR, "x" => 5, "y" => "boo");
493/// ```
494#[macro_export]
495macro_rules! duration_begin {
496    ($category:expr, $name:expr $(, $key:expr => $val:expr)* $(,)?) => {
497        {
498            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
499            if let Some(context) = $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
500                $crate::duration_begin(&context, $name,
501                                       &[$($crate::ArgValue::of($key, $val)),*])
502            }
503        }
504    };
505}
506
507/// Convenience macro for the `duration_end` function.
508///
509/// Examples:
510///
511/// ```rust
512/// duration_end!(c"foo", c"bar", "x" => 5, "y" => "boo");
513/// ```
514///
515/// ```rust
516/// const FOO: &'static CStr = c"foo";
517/// const BAR: &'static CStr = c"bar";
518/// duration_end!(FOO, BAR, "x" => 5, "y" => "boo");
519/// ```
520#[macro_export]
521macro_rules! duration_end {
522    ($category:expr, $name:expr $(, $key:expr => $val:expr)* $(,)?) => {
523        {
524            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
525            if let Some(context) = $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
526                $crate::duration_end(&context, $name, &[$($crate::ArgValue::of($key, $val)),*])
527            }
528        }
529    };
530}
531
532/// Writes a duration begin event only.
533/// This event must be matched by a duration end event with the same category and name.
534///
535/// Durations describe work which is happening synchronously on one thread.
536/// They can be nested to represent a control flow stack.
537///
538/// 0 to 15 arguments can be associated with the event, each of which is used
539/// to annotate the duration with additional information.  The arguments provided
540/// to matching duration begin and duration end events are combined together in
541/// the trace; it is not necessary to repeat them.
542pub fn duration_begin(context: &TraceCategoryContext, name: &'static CStr, args: &[Arg<'_>]) {
543    let ticks = zx::BootTicks::get();
544    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
545
546    let name_ref = context.register_string_literal(name);
547    context.write_duration_begin(ticks, name_ref, args);
548}
549
550/// Writes a duration end event only.
551///
552/// Durations describe work which is happening synchronously on one thread.
553/// They can be nested to represent a control flow stack.
554///
555/// 0 to 15 arguments can be associated with the event, each of which is used
556/// to annotate the duration with additional information.  The arguments provided
557/// to matching duration begin and duration end events are combined together in
558/// the trace; it is not necessary to repeat them.
559pub fn duration_end(context: &TraceCategoryContext, name: &'static CStr, args: &[Arg<'_>]) {
560    let ticks = zx::BootTicks::get();
561    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
562
563    let name_ref = context.register_string_literal(name);
564    context.write_duration_end(ticks, name_ref, args);
565}
566
567/// AsyncScope maintains state around the context of async events generated via the
568/// async_enter! macro.
569#[must_use = "emits an end event when dropped, so if dropped immediately creates an essentially \
570              zero length duration that should just be an instant instead"]
571pub struct AsyncScope {
572    // AsyncScope::end uses std::mem::forget to bypass AsyncScope's Drop impl, so if any fields
573    // with Drop impls are added, AsyncScope::end should be updated.
574    id: Id,
575    category: &'static CStr,
576    name: &'static CStr,
577}
578impl AsyncScope {
579    /// Starts a new async event scope, generating a begin event now, and ended when the
580    /// object is dropped.
581    pub fn begin(id: Id, category: &'static CStr, name: &'static CStr, args: &[Arg<'_>]) -> Self {
582        async_begin(id, category, name, args);
583        Self { id, category, name }
584    }
585
586    /// Manually end the async event scope with `args` instead of waiting until the guard is
587    /// dropped (which would end the event scope with an empty `args`).
588    pub fn end(self, args: &[Arg<'_>]) {
589        let Self { id, category, name } = self;
590        async_end(id, category, name, args);
591        std::mem::forget(self);
592    }
593}
594
595impl Drop for AsyncScope {
596    fn drop(&mut self) {
597        // AsyncScope::end uses std::mem::forget to bypass this Drop impl (to avoid emitting
598        // extraneous end events), so any logic added to this Drop impl (or any fields added to
599        // AsyncScope that have Drop impls) should addressed (if necessary) in AsyncScope::end.
600        let Self { id, category, name } = *self;
601        async_end(id, category, name, &[]);
602    }
603}
604
605/// Writes an async event which ends when the current scope exits, or the `end` method is is
606/// manually called.
607///
608/// Async events describe concurrently-scheduled work items that may migrate between threads. They
609/// may be nested by sharing id, and are otherwise differentiated by their id.
610///
611/// 0 to 15 arguments can be associated with the event, each of which is used to annotate the
612/// duration with additional information.
613pub fn async_enter(
614    id: Id,
615    category: &'static CStr,
616    name: &'static CStr,
617    args: &[Arg<'_>],
618) -> AsyncScope {
619    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
620    AsyncScope::begin(id, category, name, args)
621}
622
623/// Convenience macro for the `async_enter` function, which can be used to trace the duration of a
624/// scope containing async code. This macro returns the drop guard, which the caller may then
625/// choose to manage.
626///
627/// Example:
628///
629/// ```rust
630/// {
631///     let id = Id::new();
632///     let _guard = async_enter!(id, c"foo", c"bar", "x" => 5, "y" => 10);
633///     ...
634///     ...
635///     // event recorded on drop
636/// }
637/// ```
638///
639/// is equivalent to
640///
641/// ```rust
642/// {
643///     let id = Id::new();
644///     let _guard = AsyncScope::begin(id, c"foo", c"bar", &[ArgValue::of("x", 5),
645///         ArgValue::of("y", 10)]);
646///     ...
647///     ...
648///     // event recorded on drop
649/// }
650/// ```
651///
652/// Calls to async_enter! may be nested.
653#[macro_export]
654macro_rules! async_enter {
655    ($id:expr, $category:expr, $name:expr $(, $key:expr => $val:expr)*) => {
656        {
657            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
658            if let Some(context) = $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
659                Some($crate::AsyncScope::begin($id, $category, $name, &[$($crate::ArgValue::of($key, $val)),*]))
660            } else {
661                None
662            }
663        }
664    }
665}
666
667/// Convenience macro for the `async_instant` function, which can be used to emit an async instant
668/// event.
669///
670/// Example:
671///
672/// ```rust
673/// {
674///     let id = Id::new();
675///     async_instant!(id, c"foo", c"bar", "x" => 5, "y" => 10);
676/// }
677/// ```
678///
679/// is equivalent to
680///
681/// ```rust
682/// {
683///     let id = Id::new();
684///     async_instant(
685///         id, c"foo", c"bar",
686///         &[ArgValue::of(c"x", 5), ArgValue::of("y", 10)]
687///     );
688/// }
689/// ```
690#[macro_export]
691macro_rules! async_instant {
692    ($id:expr, $category:expr, $name:expr $(, $key:expr => $val:expr)*) => {
693        {
694            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
695            if let Some(context) = $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
696                $crate::async_instant($id, &context, $name, &[$($crate::ArgValue::of($key, $val)),*]);
697            }
698        }
699    }
700}
701
702/// Writes an async begin event. This event must be matched by an async end event with the same
703/// id, category, and name. This function is intended to be called through use of the
704/// `async_enter!` macro.
705///
706/// Async events describe concurrent work that may or may not migrate threads, or be otherwise
707/// interleaved with other work on the same thread. They can be nested to represent a control
708/// flow stack.
709///
710/// 0 to 15 arguments can be associated with the event, each of which is used to annotate the
711/// async event with additional information. Arguments provided in matching async begin and end
712/// events are combined together in the trace; it is not necessary to repeat them.
713pub fn async_begin(id: Id, category: &'static CStr, name: &'static CStr, args: &[Arg<'_>]) {
714    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
715
716    if let Some(context) = TraceCategoryContext::acquire(category) {
717        let name_ref = context.register_string_literal(name);
718        context.write_async_begin(id, name_ref, args);
719    }
720}
721
722/// Writes an async end event. This event must be associated with a prior async begin event
723/// with the same id, category, and name. This function is intended to be called implicitly
724/// when the `AsyncScope` object created through use of the `async_enter!` macro is dropped.
725///
726/// Async events describe concurrent work that may or may not migrate threads, or be otherwise
727/// interleaved with other work on the same thread. They can be nested to represent a control
728/// flow stack.
729///
730/// 0 to 15 arguments can be associated with the event, each of which is used to annotate the
731/// async event with additional information. Arguments provided in matching async begin and end
732/// events are combined together in the trace; it is not necessary to repeat them.
733pub fn async_end(id: Id, category: &'static CStr, name: &'static CStr, args: &[Arg<'_>]) {
734    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
735
736    if let Some(context) = TraceCategoryContext::acquire(category) {
737        let name_ref = context.register_string_literal(name);
738        context.write_async_end(id, name_ref, args);
739    }
740}
741
742/// Writes an async instant event with the specified id.
743///
744/// Asynchronous events describe work that is happening asynchronously and that
745/// may span multiple threads.  Asynchronous events do not nest.  The id serves
746/// to correlate the progress of distinct asynchronous operations that share
747/// the same category and name within the same process.
748///
749/// 0 to 15 arguments can be associated with the event, each of which is used
750/// to annotate the asynchronous operation with additional information.  The
751/// arguments provided to matching async begin, async instant, and async end
752/// events are combined together in the trace; it is not necessary to repeat them.
753pub fn async_instant(
754    id: Id,
755    context: &TraceCategoryContext,
756    name: &'static CStr,
757    args: &[Arg<'_>],
758) {
759    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
760
761    let name_ref = context.register_string_literal(name);
762    context.write_async_instant(id, name_ref, args);
763}
764
765#[macro_export]
766macro_rules! blob {
767    ($category:expr, $name:expr, $bytes:expr $(, $key:expr => $val:expr)*) => {
768        {
769            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
770            if let Some(context) = $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
771                $crate::blob_fn(&context, $name, $bytes, &[$($crate::ArgValue::of($key, $val)),*])
772            }
773        }
774    }
775}
776pub fn blob_fn(
777    context: &TraceCategoryContext,
778    name: &'static CStr,
779    bytes: &[u8],
780    args: &[Arg<'_>],
781) {
782    let name_ref = context.register_string_literal(name);
783    context.write_blob(name_ref, bytes, args);
784}
785
786/// Convenience macro for the `flow_begin` function.
787///
788/// Example:
789///
790/// ```rust
791/// let flow_id = 1234;
792/// flow_begin!(c"foo", c"bar", flow_id, "x" => 5, "y" => "boo");
793/// ```
794///
795/// ```rust
796/// const FOO: &'static CStr = c"foo";
797/// const BAR: &'static CStr = c"bar";
798/// flow_begin!(c"foo", c"bar", flow_id);
799/// ```
800#[macro_export]
801macro_rules! flow_begin {
802    ($category:expr, $name:expr, $flow_id:expr $(, $key:expr => $val:expr)*) => {
803        {
804            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
805            if let Some(context) = $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
806                $crate::flow_begin(&context, $name, $flow_id,
807                                   &[$($crate::ArgValue::of($key, $val)),*])
808            }
809        }
810    }
811}
812
813/// Convenience macro for the `flow_step` function.
814///
815/// Example:
816///
817/// ```rust
818/// let flow_id = 1234;
819/// flow_step!(c"foo", c"bar", flow_id, "x" => 5, "y" => "boo");
820/// ```
821///
822/// ```rust
823/// const FOO: &'static CStr = c"foo";
824/// const BAR: &'static CStr = c"bar";
825/// flow_step!(c"foo", c"bar", flow_id);
826/// ```
827#[macro_export]
828macro_rules! flow_step {
829    ($category:expr, $name:expr, $flow_id:expr $(, $key:expr => $val:expr)*) => {
830        {
831            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
832            if let Some(context) = $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
833                $crate::flow_step(&context, $name, $flow_id,
834                                  &[$($crate::ArgValue::of($key, $val)),*])
835            }
836        }
837    }
838}
839
840/// Convenience macro for the `flow_end` function.
841///
842/// Example:
843///
844/// ```rust
845/// let flow_id = 1234;
846/// flow_end!(c"foo", c"bar", flow_id, "x" => 5, "y" => "boo");
847/// ```
848///
849/// ```rust
850/// const FOO: &'static CStr = c"foo";
851/// const BAR: &'static CStr = c"bar";
852/// flow_end!(c"foo", c"bar", flow_id);
853/// ```
854#[macro_export]
855macro_rules! flow_end {
856    ($category:expr, $name:expr, $flow_id:expr $(, $key:expr => $val:expr)*) => {
857        {
858            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
859            if let Some(context) = $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
860                $crate::flow_end(&context, $name, $flow_id,
861                                 &[$($crate::ArgValue::of($key, $val)),*])
862            }
863        }
864    }
865}
866
867/// Writes a flow begin event with the specified id.
868/// This event may be followed by flow steps events and must be matched by
869/// a flow end event with the same category, name, and id.
870///
871/// Flow events describe control flow handoffs between threads or across processes.
872/// They are typically represented as arrows in a visualizer.  Flow arrows are
873/// from the end of the duration event which encloses the beginning of the flow
874/// to the beginning of the duration event which encloses the next step or the
875/// end of the flow.  The id serves to correlate flows which share the same
876/// category and name across processes.
877///
878/// This event must be enclosed in a duration event which represents where
879/// the flow handoff occurs.
880///
881/// 0 to 15 arguments can be associated with the event, each of which is used
882/// to annotate the flow with additional information.  The arguments provided
883/// to matching flow begin, flow step, and flow end events are combined together
884/// in the trace; it is not necessary to repeat them.
885pub fn flow_begin(
886    context: &TraceCategoryContext,
887    name: &'static CStr,
888    flow_id: Id,
889    args: &[Arg<'_>],
890) {
891    let ticks = zx::BootTicks::get();
892    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
893
894    let name_ref = context.register_string_literal(name);
895    context.write_flow_begin(ticks, name_ref, flow_id, args);
896}
897
898/// Writes a flow end event with the specified id.
899///
900/// Flow events describe control flow handoffs between threads or across processes.
901/// They are typically represented as arrows in a visualizer.  Flow arrows are
902/// from the end of the duration event which encloses the beginning of the flow
903/// to the beginning of the duration event which encloses the next step or the
904/// end of the flow.  The id serves to correlate flows which share the same
905/// category and name across processes.
906///
907/// This event must be enclosed in a duration event which represents where
908/// the flow handoff occurs.
909///
910/// 0 to 15 arguments can be associated with the event, each of which is used
911/// to annotate the flow with additional information.  The arguments provided
912/// to matching flow begin, flow step, and flow end events are combined together
913/// in the trace; it is not necessary to repeat them.
914pub fn flow_end(
915    context: &TraceCategoryContext,
916    name: &'static CStr,
917    flow_id: Id,
918    args: &[Arg<'_>],
919) {
920    let ticks = zx::BootTicks::get();
921    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
922
923    let name_ref = context.register_string_literal(name);
924    context.write_flow_end(ticks, name_ref, flow_id, args);
925}
926
927/// Writes a flow step event with the specified id.
928///
929/// Flow events describe control flow handoffs between threads or across processes.
930/// They are typically represented as arrows in a visualizer.  Flow arrows are
931/// from the end of the duration event which encloses the beginning of the flow
932/// to the beginning of the duration event which encloses the next step or the
933/// end of the flow.  The id serves to correlate flows which share the same
934/// category and name across processes.
935///
936/// This event must be enclosed in a duration event which represents where
937/// the flow handoff occurs.
938///
939/// 0 to 15 arguments can be associated with the event, each of which is used
940/// to annotate the flow with additional information.  The arguments provided
941/// to matching flow begin, flow step, and flow end events are combined together
942/// in the trace; it is not necessary to repeat them.
943pub fn flow_step(
944    context: &TraceCategoryContext,
945    name: &'static CStr,
946    flow_id: Id,
947    args: &[Arg<'_>],
948) {
949    let ticks = zx::BootTicks::get();
950    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
951
952    let name_ref = context.register_string_literal(name);
953    context.write_flow_step(ticks, name_ref, flow_id, args);
954}
955
956/// Convenience macro to emit the beginning of a flow attached to an instant event.
957///
958/// Flows must be attached to a duration event. This can be awkward when there isn't an obvious
959/// duration event to attach to, or the relevant duration is very small, which makes visualizing
960/// difficult. This emits a flow event wrapped in a self contained instant event that is also easy
961/// to see in the tracing UI.
962///
963/// Example:
964///
965/// ```rust
966/// let flow_id = 1234;
967/// instant_flow_begin!(c"category", c"event", c"flow", flow_id, "x" => 5, "y" => "boo");
968/// ```
969#[macro_export]
970macro_rules! instant_flow_begin {
971    (
972        $category:expr,
973        $event_name:expr,
974        $flow_name:expr,
975        $flow_id:expr
976        $(, $key:expr => $val:expr)*
977    ) => {
978        {
979            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
980            if let Some(context) = $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
981                $crate::instant_flow_begin(
982                    &context,
983                    $event_name,
984                    $flow_name,
985                    $flow_id,
986                    &[$($crate::ArgValue::of($key, $val)),*],
987                )
988            }
989        }
990    }
991}
992
993/// Convenience macro to emit the end of a flow attached to an instant event.
994///
995/// Flows must be attached to a duration event. This can be awkward when there isn't an obvious
996/// duration event to attach to, or the relevant duration is very small, which makes visualizing
997/// difficult. This emits a flow event wrapped in a self contained instant event that is also easy
998/// to see in the tracing UI.
999///
1000/// Example:
1001///
1002/// ```rust
1003/// let flow_id = 1234;
1004/// instant_flow_end!(c"category", c"event", c"flow", flow_id, "x" => 5, "y" => "boo");
1005/// ```
1006#[macro_export]
1007macro_rules! instant_flow_end {
1008    (
1009        $category:expr,
1010        $event_name:expr,
1011        $flow_name:expr,
1012        $flow_id:expr
1013        $(, $key:expr => $val:expr)*
1014    ) => {
1015        {
1016            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
1017            if let Some(context) = $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
1018                $crate::instant_flow_end(
1019                    &context,
1020                    $event_name,
1021                    $flow_name,
1022                    $flow_id,
1023                    &[$($crate::ArgValue::of($key, $val)),*],
1024                )
1025            }
1026        }
1027    }
1028}
1029
1030/// Convenience macro to emit a step in a flow attached to an instant event.
1031///
1032/// Flows must be attached to a duration event. This can be awkward when there isn't an obvious
1033/// duration event to attach to, or the relevant duration is very small, which makes visualizing
1034/// difficult. This emits a flow event wrapped in a self contained instant event that is also easy
1035/// to see in the tracing UI.
1036///
1037/// Example:
1038///
1039/// ```rust
1040/// let flow_id = 1234;
1041/// instant_flow_step!(c"category", c"event", c"flow", flow_id, "x" => 5, "y" => "boo");
1042/// ```
1043#[macro_export]
1044macro_rules! instant_flow_step {
1045    (
1046        $category:expr,
1047        $event_name:expr,
1048        $flow_name:expr,
1049        $flow_id:expr
1050        $(, $key:expr => $val:expr)*
1051    ) => {
1052        {
1053            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
1054            if let Some(context) = $crate::TraceCategoryContext::acquire_cached($category, &CACHE) {
1055                $crate::instant_flow_step(
1056                    &context,
1057                    $event_name,
1058                    $flow_name,
1059                    $flow_id,
1060                    &[$($crate::ArgValue::of($key, $val)),*],
1061                )
1062            }
1063        }
1064    }
1065}
1066
1067/// Convenience function to emit the beginning of a flow attached to an instant event.
1068///
1069/// Flow events describe control flow handoffs between threads or across processes. They are
1070/// typically represented as arrows in a visualizer. Flow arrows are from the end of the duration
1071/// event which encloses the beginning of the flow to the beginning of the duration event which
1072/// encloses the next step or the end of the flow. The id serves to correlate flows which share the
1073/// same category and name across processes.
1074///
1075/// 0 to 15 arguments can be associated with the event, each of which is used to annotate the flow
1076/// with additional information. The arguments provided to matching flow begin, flow step, and flow
1077/// end events are combined together in the trace; it is not necessary to repeat them.
1078pub fn instant_flow_begin(
1079    context: &TraceCategoryContext,
1080    event_name: &'static CStr,
1081    flow_name: &'static CStr,
1082    flow_id: Id,
1083    args: &[Arg<'_>],
1084) {
1085    let ticks = zx::BootTicks::get();
1086    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
1087
1088    let event_name_ref = context.register_string_literal(event_name);
1089    let flow_name_ref = context.register_string_literal(flow_name);
1090
1091    context.write_duration_begin(ticks, event_name_ref, args);
1092    context.write_flow_begin(ticks, flow_name_ref, flow_id, args);
1093    context.write_duration_end(ticks, event_name_ref, args);
1094}
1095
1096/// Convenience function to the end of a flow attached to an instant event.
1097///
1098/// Flow events describe control flow handoffs between threads or across processes. They are
1099/// typically represented as arrows in a visualizer. Flow arrows are from the end of the duration
1100/// event which encloses the beginning of the flow to the beginning of the duration event which
1101/// encloses the next step or the end of the flow. The id serves to correlate flows which share the
1102/// same category and name across processes.
1103///
1104/// 0 to 15 arguments can be associated with the event, each of which is used to annotate the flow
1105/// with additional information. The arguments provided to matching flow begin, flow step, and flow
1106/// end events are combined together in the trace; it is not necessary to repeat them.
1107pub fn instant_flow_end(
1108    context: &TraceCategoryContext,
1109    event_name: &'static CStr,
1110    flow_name: &'static CStr,
1111    flow_id: Id,
1112    args: &[Arg<'_>],
1113) {
1114    let ticks = zx::BootTicks::get();
1115    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
1116
1117    let event_name_ref = context.register_string_literal(event_name);
1118    let flow_name_ref = context.register_string_literal(flow_name);
1119
1120    context.write_duration_begin(ticks, event_name_ref, args);
1121    context.write_flow_end(ticks, flow_name_ref, flow_id, args);
1122    context.write_duration_end(ticks, event_name_ref, args);
1123}
1124
1125/// Convenience function to emit a step in a flow attached to an instant event.
1126///
1127/// Flow events describe control flow handoffs between threads or across processes. They are
1128/// typically represented as arrows in a visualizer. Flow arrows are from the end of the duration
1129/// event which encloses the beginning of the flow to the beginning of the duration event which
1130/// encloses the next step or the end of the flow. The id serves to correlate flows which share the
1131/// same category and name across processes.
1132///
1133/// 0 to 15 arguments can be associated with the event, each of which is used to annotate the flow
1134/// with additional information. The arguments provided to matching flow begin, flow step, and flow
1135/// end events are combined together in the trace; it is not necessary to repeat them.
1136pub fn instant_flow_step(
1137    context: &TraceCategoryContext,
1138    event_name: &'static CStr,
1139    flow_name: &'static CStr,
1140    flow_id: Id,
1141    args: &[Arg<'_>],
1142) {
1143    let ticks = zx::BootTicks::get();
1144    assert!(args.len() <= 15, "no more than 15 trace arguments are supported");
1145
1146    let event_name_ref = context.register_string_literal(event_name);
1147    let flow_name_ref = context.register_string_literal(flow_name);
1148
1149    context.write_duration_begin(ticks, event_name_ref, args);
1150    context.write_flow_step(ticks, flow_name_ref, flow_id, args);
1151    context.write_duration_end(ticks, event_name_ref, args);
1152}
1153
1154// translated from trace-engine/types.h for inlining
1155const fn trace_make_empty_string_ref() -> sys::trace_string_ref_t {
1156    sys::trace_string_ref_t {
1157        encoded_value: sys::TRACE_ENCODED_STRING_REF_EMPTY,
1158        inline_string: ptr::null(),
1159    }
1160}
1161
1162#[inline]
1163fn trim_to_last_char_boundary(string: &str, max_len: usize) -> &[u8] {
1164    let mut len = string.len();
1165    if string.len() > max_len {
1166        // Trim to the last unicode character that fits within the max length.
1167        // We search for the last character boundary that is immediately followed
1168        // by another character boundary (end followed by beginning).
1169        len = max_len;
1170        while len > 0 {
1171            if string.is_char_boundary(len - 1) && string.is_char_boundary(len) {
1172                break;
1173            }
1174            len -= 1;
1175        }
1176    }
1177    &string.as_bytes()[0..len]
1178}
1179
1180// translated from trace-engine/types.h for inlining
1181// The resulting `trace_string_ref_t` only lives as long as the input `string`.
1182#[inline]
1183fn trace_make_inline_string_ref(string: &str) -> sys::trace_string_ref_t {
1184    let len = string.len() as u32;
1185    if len == 0 {
1186        return trace_make_empty_string_ref();
1187    }
1188
1189    let string =
1190        trim_to_last_char_boundary(string, sys::TRACE_ENCODED_STRING_REF_MAX_LENGTH as usize);
1191
1192    sys::trace_string_ref_t {
1193        encoded_value: sys::TRACE_ENCODED_STRING_REF_INLINE_FLAG | len,
1194        inline_string: string.as_ptr() as *const libc::c_char,
1195    }
1196}
1197
1198/// RAII wrapper for a trace context for a specific category.
1199pub struct TraceCategoryContext {
1200    raw: *const sys::trace_context_t,
1201    category_ref: sys::trace_string_ref_t,
1202}
1203
1204impl TraceCategoryContext {
1205    #[inline]
1206    pub fn acquire_cached(
1207        category: &'static CStr,
1208        site: &sys::trace_site_t,
1209    ) -> Option<TraceCategoryContext> {
1210        unsafe {
1211            // SAFETY: The call to `trace_acquire_context_for_category_cached` is sound because
1212            // all arguments are live and non-null. If this function returns a non-null
1213            // pointer then it also guarantees that `category_ref` will have been initialized.
1214            // Internally, it uses relaxed atomic semantics to load and store site.
1215            let mut category_ref = mem::MaybeUninit::<sys::trace_string_ref_t>::uninit();
1216            let raw = sys::trace_acquire_context_for_category_cached(
1217                category.as_ptr(),
1218                site.as_ptr(),
1219                category_ref.as_mut_ptr(),
1220            );
1221            if raw != ptr::null() {
1222                Some(TraceCategoryContext { raw, category_ref: category_ref.assume_init() })
1223            } else {
1224                None
1225            }
1226        }
1227    }
1228
1229    pub fn acquire(category: &'static CStr) -> Option<TraceCategoryContext> {
1230        unsafe {
1231            let mut category_ref = mem::MaybeUninit::<sys::trace_string_ref_t>::uninit();
1232            let raw = sys::trace_acquire_context_for_category(
1233                category.as_ptr(),
1234                category_ref.as_mut_ptr(),
1235            );
1236            if raw != ptr::null() {
1237                Some(TraceCategoryContext { raw, category_ref: category_ref.assume_init() })
1238            } else {
1239                None
1240            }
1241        }
1242    }
1243
1244    #[inline]
1245    pub fn register_string_literal(&self, name: &'static CStr) -> sys::trace_string_ref_t {
1246        unsafe {
1247            let mut name_ref = mem::MaybeUninit::<sys::trace_string_ref_t>::uninit();
1248            sys::trace_context_register_string_literal(
1249                self.raw,
1250                name.as_ptr(),
1251                name_ref.as_mut_ptr(),
1252            );
1253            name_ref.assume_init()
1254        }
1255    }
1256
1257    #[inline]
1258    fn register_current_thread(&self) -> sys::trace_thread_ref_t {
1259        unsafe {
1260            let mut thread_ref = mem::MaybeUninit::<sys::trace_thread_ref_t>::uninit();
1261            sys::trace_context_register_current_thread(self.raw, thread_ref.as_mut_ptr());
1262            thread_ref.assume_init()
1263        }
1264    }
1265
1266    #[inline]
1267    pub fn write_instant(&self, name_ref: sys::trace_string_ref_t, scope: Scope, args: &[Arg<'_>]) {
1268        let ticks = zx::BootTicks::get();
1269        let thread_ref = self.register_current_thread();
1270        unsafe {
1271            sys::trace_context_write_instant_event_record(
1272                self.raw,
1273                ticks.into_raw(),
1274                &thread_ref,
1275                &self.category_ref,
1276                &name_ref,
1277                scope.into_raw(),
1278                args.as_ptr() as *const sys::trace_arg_t,
1279                args.len(),
1280            );
1281        }
1282    }
1283
1284    pub fn write_instant_with_inline_name(&self, name: &str, scope: Scope, args: &[Arg<'_>]) {
1285        let name_ref = trace_make_inline_string_ref(name);
1286        self.write_instant(name_ref, scope, args)
1287    }
1288
1289    fn write_counter(&self, name_ref: sys::trace_string_ref_t, counter_id: u64, args: &[Arg<'_>]) {
1290        let ticks = zx::BootTicks::get();
1291        let thread_ref = self.register_current_thread();
1292        unsafe {
1293            sys::trace_context_write_counter_event_record(
1294                self.raw,
1295                ticks.into_raw(),
1296                &thread_ref,
1297                &self.category_ref,
1298                &name_ref,
1299                counter_id,
1300                args.as_ptr() as *const sys::trace_arg_t,
1301                args.len(),
1302            );
1303        }
1304    }
1305
1306    pub fn write_counter_with_inline_name(&self, name: &str, counter_id: u64, args: &[Arg<'_>]) {
1307        let name_ref = trace_make_inline_string_ref(name);
1308        self.write_counter(name_ref, counter_id, args);
1309    }
1310
1311    fn write_duration(
1312        &self,
1313        name_ref: sys::trace_string_ref_t,
1314        start_time: zx::BootTicks,
1315        args: &[Arg<'_>],
1316    ) {
1317        let ticks = zx::BootTicks::get();
1318        let thread_ref = self.register_current_thread();
1319        unsafe {
1320            sys::trace_context_write_duration_event_record(
1321                self.raw,
1322                start_time.into_raw(),
1323                ticks.into_raw(),
1324                &thread_ref,
1325                &self.category_ref,
1326                &name_ref,
1327                args.as_ptr() as *const sys::trace_arg_t,
1328                args.len(),
1329            );
1330        }
1331    }
1332
1333    pub fn write_duration_with_inline_name(
1334        &self,
1335        name: &str,
1336        start_time: zx::BootTicks,
1337        args: &[Arg<'_>],
1338    ) {
1339        let name_ref = trace_make_inline_string_ref(name);
1340        self.write_duration(name_ref, start_time, args);
1341    }
1342
1343    fn write_duration_begin(
1344        &self,
1345        ticks: zx::BootTicks,
1346        name_ref: sys::trace_string_ref_t,
1347        args: &[Arg<'_>],
1348    ) {
1349        let thread_ref = self.register_current_thread();
1350        unsafe {
1351            sys::trace_context_write_duration_begin_event_record(
1352                self.raw,
1353                ticks.into_raw(),
1354                &thread_ref,
1355                &self.category_ref,
1356                &name_ref,
1357                args.as_ptr() as *const sys::trace_arg_t,
1358                args.len(),
1359            );
1360        }
1361    }
1362
1363    pub fn write_duration_begin_with_inline_name(&self, name: &str, args: &[Arg<'_>]) {
1364        let name_ref = trace_make_inline_string_ref(name);
1365        self.write_duration_begin(zx::BootTicks::get(), name_ref, args);
1366    }
1367
1368    fn write_duration_end(
1369        &self,
1370        ticks: zx::BootTicks,
1371        name_ref: sys::trace_string_ref_t,
1372        args: &[Arg<'_>],
1373    ) {
1374        let thread_ref = self.register_current_thread();
1375        unsafe {
1376            sys::trace_context_write_duration_end_event_record(
1377                self.raw,
1378                ticks.into_raw(),
1379                &thread_ref,
1380                &self.category_ref,
1381                &name_ref,
1382                args.as_ptr() as *const sys::trace_arg_t,
1383                args.len(),
1384            );
1385        }
1386    }
1387
1388    pub fn write_duration_end_with_inline_name(&self, name: &str, args: &[Arg<'_>]) {
1389        let name_ref = trace_make_inline_string_ref(name);
1390        self.write_duration_end(zx::BootTicks::get(), name_ref, args);
1391    }
1392
1393    fn write_async_begin(&self, id: Id, name_ref: sys::trace_string_ref_t, args: &[Arg<'_>]) {
1394        let ticks = zx::BootTicks::get();
1395        let thread_ref = self.register_current_thread();
1396        unsafe {
1397            sys::trace_context_write_async_begin_event_record(
1398                self.raw,
1399                ticks.into_raw(),
1400                &thread_ref,
1401                &self.category_ref,
1402                &name_ref,
1403                id.into(),
1404                args.as_ptr() as *const sys::trace_arg_t,
1405                args.len(),
1406            );
1407        }
1408    }
1409
1410    pub fn write_async_begin_with_inline_name(&self, id: Id, name: &str, args: &[Arg<'_>]) {
1411        let name_ref = trace_make_inline_string_ref(name);
1412        self.write_async_begin(id, name_ref, args);
1413    }
1414
1415    fn write_async_end(&self, id: Id, name_ref: sys::trace_string_ref_t, args: &[Arg<'_>]) {
1416        let ticks = zx::BootTicks::get();
1417        let thread_ref = self.register_current_thread();
1418        unsafe {
1419            sys::trace_context_write_async_end_event_record(
1420                self.raw,
1421                ticks.into_raw(),
1422                &thread_ref,
1423                &self.category_ref,
1424                &name_ref,
1425                id.into(),
1426                args.as_ptr() as *const sys::trace_arg_t,
1427                args.len(),
1428            );
1429        }
1430    }
1431
1432    pub fn write_async_end_with_inline_name(&self, id: Id, name: &str, args: &[Arg<'_>]) {
1433        let name_ref = trace_make_inline_string_ref(name);
1434        self.write_async_end(id, name_ref, args);
1435    }
1436
1437    fn write_async_instant(&self, id: Id, name_ref: sys::trace_string_ref_t, args: &[Arg<'_>]) {
1438        let ticks = zx::BootTicks::get();
1439        let thread_ref = self.register_current_thread();
1440        unsafe {
1441            sys::trace_context_write_async_instant_event_record(
1442                self.raw,
1443                ticks.into_raw(),
1444                &thread_ref,
1445                &self.category_ref,
1446                &name_ref,
1447                id.into(),
1448                args.as_ptr() as *const sys::trace_arg_t,
1449                args.len(),
1450            );
1451        }
1452    }
1453
1454    fn write_blob(&self, name_ref: sys::trace_string_ref_t, bytes: &[u8], args: &[Arg<'_>]) {
1455        let ticks = zx::BootTicks::get();
1456        let thread_ref = self.register_current_thread();
1457        unsafe {
1458            sys::trace_context_write_blob_event_record(
1459                self.raw,
1460                ticks.into_raw(),
1461                &thread_ref,
1462                &self.category_ref,
1463                &name_ref,
1464                bytes.as_ptr() as *const core::ffi::c_void,
1465                bytes.len(),
1466                args.as_ptr() as *const sys::trace_arg_t,
1467                args.len(),
1468            );
1469        }
1470    }
1471
1472    fn write_flow_begin(
1473        &self,
1474        ticks: zx::BootTicks,
1475        name_ref: sys::trace_string_ref_t,
1476        flow_id: Id,
1477        args: &[Arg<'_>],
1478    ) {
1479        let thread_ref = self.register_current_thread();
1480        unsafe {
1481            sys::trace_context_write_flow_begin_event_record(
1482                self.raw,
1483                ticks.into_raw(),
1484                &thread_ref,
1485                &self.category_ref,
1486                &name_ref,
1487                flow_id.into(),
1488                args.as_ptr() as *const sys::trace_arg_t,
1489                args.len(),
1490            );
1491        }
1492    }
1493
1494    fn write_flow_end(
1495        &self,
1496        ticks: zx::BootTicks,
1497        name_ref: sys::trace_string_ref_t,
1498        flow_id: Id,
1499        args: &[Arg<'_>],
1500    ) {
1501        let thread_ref = self.register_current_thread();
1502        unsafe {
1503            sys::trace_context_write_flow_end_event_record(
1504                self.raw,
1505                ticks.into_raw(),
1506                &thread_ref,
1507                &self.category_ref,
1508                &name_ref,
1509                flow_id.into(),
1510                args.as_ptr() as *const sys::trace_arg_t,
1511                args.len(),
1512            );
1513        }
1514    }
1515
1516    fn write_flow_step(
1517        &self,
1518        ticks: zx::BootTicks,
1519        name_ref: sys::trace_string_ref_t,
1520        flow_id: Id,
1521        args: &[Arg<'_>],
1522    ) {
1523        let thread_ref = self.register_current_thread();
1524        unsafe {
1525            sys::trace_context_write_flow_step_event_record(
1526                self.raw,
1527                ticks.into_raw(),
1528                &thread_ref,
1529                &self.category_ref,
1530                &name_ref,
1531                flow_id.into(),
1532                args.as_ptr() as *const sys::trace_arg_t,
1533                args.len(),
1534            );
1535        }
1536    }
1537}
1538
1539impl std::ops::Drop for TraceCategoryContext {
1540    fn drop(&mut self) {
1541        unsafe {
1542            sys::trace_release_context(self.raw);
1543        }
1544    }
1545}
1546
1547/// RAII wrapper for trace contexts without a specific associated category.
1548pub struct Context {
1549    context: *const sys::trace_context_t,
1550}
1551
1552impl Context {
1553    #[inline]
1554    pub fn acquire() -> Option<Self> {
1555        let context = unsafe { sys::trace_acquire_context() };
1556        if context.is_null() {
1557            None
1558        } else {
1559            Some(Self { context })
1560        }
1561    }
1562
1563    #[inline]
1564    pub fn register_string_literal(&self, s: &'static CStr) -> sys::trace_string_ref_t {
1565        unsafe {
1566            let mut s_ref = mem::MaybeUninit::<sys::trace_string_ref_t>::uninit();
1567            sys::trace_context_register_string_literal(
1568                self.context,
1569                s.as_ptr(),
1570                s_ref.as_mut_ptr(),
1571            );
1572            s_ref.assume_init()
1573        }
1574    }
1575
1576    pub fn write_blob_record(
1577        &self,
1578        type_: sys::trace_blob_type_t,
1579        name_ref: &sys::trace_string_ref_t,
1580        data: &[u8],
1581    ) {
1582        unsafe {
1583            sys::trace_context_write_blob_record(
1584                self.context,
1585                type_,
1586                name_ref as *const sys::trace_string_ref_t,
1587                data.as_ptr() as *const libc::c_void,
1588                data.len(),
1589            );
1590        }
1591    }
1592}
1593
1594impl std::ops::Drop for Context {
1595    fn drop(&mut self) {
1596        unsafe { sys::trace_release_context(self.context) }
1597    }
1598}
1599
1600pub struct ProlongedContext {
1601    context: *const sys::trace_prolonged_context_t,
1602}
1603
1604impl ProlongedContext {
1605    pub fn acquire() -> Option<Self> {
1606        let context = unsafe { sys::trace_acquire_prolonged_context() };
1607        if context.is_null() {
1608            None
1609        } else {
1610            Some(Self { context })
1611        }
1612    }
1613}
1614
1615impl Drop for ProlongedContext {
1616    fn drop(&mut self) {
1617        unsafe { sys::trace_release_prolonged_context(self.context) }
1618    }
1619}
1620
1621unsafe impl Send for ProlongedContext {}
1622
1623mod sys {
1624    #![allow(non_camel_case_types, unused)]
1625    use zx::sys::{zx_handle_t, zx_koid_t, zx_obj_type_t, zx_status_t, zx_ticks_t};
1626
1627    pub type trace_ticks_t = zx_ticks_t;
1628    pub type trace_counter_id_t = u64;
1629    pub type trace_async_id_t = u64;
1630    pub type trace_flow_id_t = u64;
1631    pub type trace_thread_state_t = u32;
1632    pub type trace_cpu_number_t = u32;
1633    pub type trace_string_index_t = u32;
1634    pub type trace_thread_index_t = u32;
1635    pub type trace_context_t = libc::c_void;
1636    pub type trace_prolonged_context_t = libc::c_void;
1637
1638    pub type trace_encoded_string_ref_t = u32;
1639    pub const TRACE_ENCODED_STRING_REF_EMPTY: trace_encoded_string_ref_t = 0;
1640    pub const TRACE_ENCODED_STRING_REF_INLINE_FLAG: trace_encoded_string_ref_t = 0x8000;
1641    pub const TRACE_ENCODED_STRING_REF_LENGTH_MASK: trace_encoded_string_ref_t = 0x7fff;
1642    pub const TRACE_ENCODED_STRING_REF_MAX_LENGTH: trace_encoded_string_ref_t = 32000;
1643    pub const TRACE_ENCODED_STRING_REF_MIN_INDEX: trace_encoded_string_ref_t = 0x1;
1644    pub const TRACE_ENCODED_STRING_REF_MAX_INDEX: trace_encoded_string_ref_t = 0x7fff;
1645
1646    pub type trace_encoded_thread_ref_t = u32;
1647    pub const TRACE_ENCODED_THREAD_REF_INLINE: trace_encoded_thread_ref_t = 0;
1648    pub const TRACE_ENCODED_THREAD_MIN_INDEX: trace_encoded_thread_ref_t = 0x01;
1649    pub const TRACE_ENCODED_THREAD_MAX_INDEX: trace_encoded_thread_ref_t = 0xff;
1650
1651    pub type trace_state_t = libc::c_int;
1652    pub const TRACE_STOPPED: trace_state_t = 0;
1653    pub const TRACE_STARTED: trace_state_t = 1;
1654    pub const TRACE_STOPPING: trace_state_t = 2;
1655
1656    pub type trace_scope_t = libc::c_int;
1657    pub const TRACE_SCOPE_THREAD: trace_scope_t = 0;
1658    pub const TRACE_SCOPE_PROCESS: trace_scope_t = 1;
1659    pub const TRACE_SCOPE_GLOBAL: trace_scope_t = 2;
1660
1661    pub type trace_blob_type_t = libc::c_int;
1662    pub const TRACE_BLOB_TYPE_DATA: trace_blob_type_t = 1;
1663    pub const TRACE_BLOB_TYPE_LAST_BRANCH: trace_blob_type_t = 2;
1664    pub const TRACE_BLOB_TYPE_PERFETTO: trace_blob_type_t = 3;
1665
1666    #[repr(C)]
1667    #[derive(Copy, Clone)]
1668    pub struct trace_string_ref_t {
1669        pub encoded_value: trace_encoded_string_ref_t,
1670        pub inline_string: *const libc::c_char,
1671    }
1672
1673    // trace_site_t is an opaque type that trace-engine uses per callsite to cache if the trace
1674    // point is enabled. Internally, it is a 8 byte allocation accessed with relaxed atomic
1675    // semantics.
1676    pub type trace_site_t = std::sync::atomic::AtomicU64;
1677
1678    // A trace_string_ref_t object is created from a string slice.
1679    // The trace_string_ref_t object is contained inside an Arg object.
1680    // whose lifetime matches the string slice to ensure that the memory
1681    // cannot be de-allocated during the trace.
1682    //
1683    // trace_string_ref_t is safe for Send + Sync because the memory that
1684    // inline_string points to is guaranteed to be valid throughout the trace.
1685    //
1686    // For more information, see the ArgValue implementation for &str in this file.
1687    unsafe impl Send for trace_string_ref_t {}
1688    unsafe impl Sync for trace_string_ref_t {}
1689
1690    #[repr(C)]
1691    pub struct trace_thread_ref_t {
1692        pub encoded_value: trace_encoded_thread_ref_t,
1693        pub inline_process_koid: zx_koid_t,
1694        pub inline_thread_koid: zx_koid_t,
1695    }
1696
1697    #[repr(C)]
1698    pub struct trace_arg_t {
1699        pub name_ref: trace_string_ref_t,
1700        pub value: trace_arg_value_t,
1701    }
1702
1703    #[repr(C)]
1704    pub union trace_arg_union_t {
1705        pub int32_value: i32,
1706        pub uint32_value: u32,
1707        pub int64_value: i64,
1708        pub uint64_value: u64,
1709        pub double_value: libc::c_double,
1710        pub string_value_ref: trace_string_ref_t,
1711        pub pointer_value: libc::uintptr_t,
1712        pub koid_value: zx_koid_t,
1713        pub bool_value: bool,
1714        pub reserved_for_future_expansion: [libc::uintptr_t; 2],
1715    }
1716
1717    pub type trace_arg_type_t = libc::c_int;
1718    pub const TRACE_ARG_NULL: trace_arg_type_t = 0;
1719    pub const TRACE_ARG_INT32: trace_arg_type_t = 1;
1720    pub const TRACE_ARG_UINT32: trace_arg_type_t = 2;
1721    pub const TRACE_ARG_INT64: trace_arg_type_t = 3;
1722    pub const TRACE_ARG_UINT64: trace_arg_type_t = 4;
1723    pub const TRACE_ARG_DOUBLE: trace_arg_type_t = 5;
1724    pub const TRACE_ARG_STRING: trace_arg_type_t = 6;
1725    pub const TRACE_ARG_POINTER: trace_arg_type_t = 7;
1726    pub const TRACE_ARG_KOID: trace_arg_type_t = 8;
1727    pub const TRACE_ARG_BOOL: trace_arg_type_t = 9;
1728
1729    #[repr(C)]
1730    pub struct trace_arg_value_t {
1731        pub type_: trace_arg_type_t,
1732        pub value: trace_arg_union_t,
1733    }
1734
1735    #[repr(C)]
1736    pub struct trace_handler_ops_t {
1737        pub is_category_enabled:
1738            unsafe fn(handler: *const trace_handler_t, category: *const libc::c_char) -> bool,
1739        pub trace_started: unsafe fn(handler: *const trace_handler_t),
1740        pub trace_stopped: unsafe fn(
1741            handler: *const trace_handler_t,
1742            async_ptr: *const (), //async_t,
1743            disposition: zx_status_t,
1744            buffer_bytes_written: libc::size_t,
1745        ),
1746        pub buffer_overflow: unsafe fn(handler: *const trace_handler_t),
1747    }
1748
1749    #[repr(C)]
1750    pub struct trace_handler_t {
1751        pub ops: *const trace_handler_ops_t,
1752    }
1753
1754    // From libtrace-engine.so
1755    extern "C" {
1756        // From trace-engine/context.h
1757
1758        pub fn trace_context_is_category_enabled(
1759            context: *const trace_context_t,
1760            category_literal: *const libc::c_char,
1761        ) -> bool;
1762
1763        pub fn trace_context_register_string_copy(
1764            context: *const trace_context_t,
1765            string: *const libc::c_char,
1766            length: libc::size_t,
1767            out_ref: *mut trace_string_ref_t,
1768        );
1769
1770        pub fn trace_context_register_string_literal(
1771            context: *const trace_context_t,
1772            string_literal: *const libc::c_char,
1773            out_ref: *mut trace_string_ref_t,
1774        );
1775
1776        pub fn trace_context_register_category_literal(
1777            context: *const trace_context_t,
1778            category_literal: *const libc::c_char,
1779            out_ref: *mut trace_string_ref_t,
1780        ) -> bool;
1781
1782        pub fn trace_context_register_current_thread(
1783            context: *const trace_context_t,
1784            out_ref: *mut trace_thread_ref_t,
1785        );
1786
1787        pub fn trace_context_register_thread(
1788            context: *const trace_context_t,
1789            process_koid: zx_koid_t,
1790            thread_koid: zx_koid_t,
1791            out_ref: *mut trace_thread_ref_t,
1792        );
1793
1794        pub fn trace_context_write_kernel_object_record(
1795            context: *const trace_context_t,
1796            koid: zx_koid_t,
1797            type_: zx_obj_type_t,
1798            args: *const trace_arg_t,
1799            num_args: libc::size_t,
1800        );
1801
1802        pub fn trace_context_write_kernel_object_record_for_handle(
1803            context: *const trace_context_t,
1804            handle: zx_handle_t,
1805            args: *const trace_arg_t,
1806            num_args: libc::size_t,
1807        );
1808
1809        pub fn trace_context_write_process_info_record(
1810            context: *const trace_context_t,
1811            process_koid: zx_koid_t,
1812            process_name_ref: *const trace_string_ref_t,
1813        );
1814
1815        pub fn trace_context_write_thread_info_record(
1816            context: *const trace_context_t,
1817            process_koid: zx_koid_t,
1818            thread_koid: zx_koid_t,
1819            thread_name_ref: *const trace_string_ref_t,
1820        );
1821
1822        pub fn trace_context_write_context_switch_record(
1823            context: *const trace_context_t,
1824            event_time: trace_ticks_t,
1825            cpu_number: trace_cpu_number_t,
1826            outgoing_thread_state: trace_thread_state_t,
1827            outgoing_thread_ref: *const trace_thread_ref_t,
1828            incoming_thread_ref: *const trace_thread_ref_t,
1829        );
1830
1831        pub fn trace_context_write_log_record(
1832            context: *const trace_context_t,
1833            event_time: trace_ticks_t,
1834            thread_ref: *const trace_thread_ref_t,
1835            log_message: *const libc::c_char,
1836            log_message_length: libc::size_t,
1837        );
1838
1839        pub fn trace_context_write_instant_event_record(
1840            context: *const trace_context_t,
1841            event_time: trace_ticks_t,
1842            thread_ref: *const trace_thread_ref_t,
1843            category_ref: *const trace_string_ref_t,
1844            name_ref: *const trace_string_ref_t,
1845            scope: trace_scope_t,
1846            args: *const trace_arg_t,
1847            num_args: libc::size_t,
1848        );
1849
1850        pub fn trace_context_send_alert(context: *const trace_context_t, name: *const libc::c_char);
1851
1852        pub fn trace_context_write_counter_event_record(
1853            context: *const trace_context_t,
1854            event_time: trace_ticks_t,
1855            thread_ref: *const trace_thread_ref_t,
1856            category_ref: *const trace_string_ref_t,
1857            name_ref: *const trace_string_ref_t,
1858            counter_id: trace_counter_id_t,
1859            args: *const trace_arg_t,
1860            num_args: libc::size_t,
1861        );
1862
1863        pub fn trace_context_write_duration_event_record(
1864            context: *const trace_context_t,
1865            start_time: trace_ticks_t,
1866            end_time: trace_ticks_t,
1867            thread_ref: *const trace_thread_ref_t,
1868            category_ref: *const trace_string_ref_t,
1869            name_ref: *const trace_string_ref_t,
1870            args: *const trace_arg_t,
1871            num_args: libc::size_t,
1872        );
1873
1874        pub fn trace_context_write_blob_event_record(
1875            context: *const trace_context_t,
1876            event_time: trace_ticks_t,
1877            thread_ref: *const trace_thread_ref_t,
1878            category_ref: *const trace_string_ref_t,
1879            name_ref: *const trace_string_ref_t,
1880            blob: *const libc::c_void,
1881            blob_size: libc::size_t,
1882            args: *const trace_arg_t,
1883            num_args: libc::size_t,
1884        );
1885
1886        pub fn trace_context_write_duration_begin_event_record(
1887            context: *const trace_context_t,
1888            event_time: trace_ticks_t,
1889            thread_ref: *const trace_thread_ref_t,
1890            category_ref: *const trace_string_ref_t,
1891            name_ref: *const trace_string_ref_t,
1892            args: *const trace_arg_t,
1893            num_args: libc::size_t,
1894        );
1895
1896        pub fn trace_context_write_duration_end_event_record(
1897            context: *const trace_context_t,
1898            event_time: trace_ticks_t,
1899            thread_ref: *const trace_thread_ref_t,
1900            category_ref: *const trace_string_ref_t,
1901            name_ref: *const trace_string_ref_t,
1902            args: *const trace_arg_t,
1903            num_args: libc::size_t,
1904        );
1905
1906        pub fn trace_context_write_async_begin_event_record(
1907            context: *const trace_context_t,
1908            event_time: trace_ticks_t,
1909            thread_ref: *const trace_thread_ref_t,
1910            category_ref: *const trace_string_ref_t,
1911            name_ref: *const trace_string_ref_t,
1912            async_id: trace_async_id_t,
1913            args: *const trace_arg_t,
1914            num_args: libc::size_t,
1915        );
1916
1917        pub fn trace_context_write_async_instant_event_record(
1918            context: *const trace_context_t,
1919            event_time: trace_ticks_t,
1920            thread_ref: *const trace_thread_ref_t,
1921            category_ref: *const trace_string_ref_t,
1922            name_ref: *const trace_string_ref_t,
1923            async_id: trace_async_id_t,
1924            args: *const trace_arg_t,
1925            num_args: libc::size_t,
1926        );
1927
1928        pub fn trace_context_write_async_end_event_record(
1929            context: *const trace_context_t,
1930            event_time: trace_ticks_t,
1931            thread_ref: *const trace_thread_ref_t,
1932            category_ref: *const trace_string_ref_t,
1933            name_ref: *const trace_string_ref_t,
1934            async_id: trace_async_id_t,
1935            args: *const trace_arg_t,
1936            num_args: libc::size_t,
1937        );
1938
1939        pub fn trace_context_write_flow_begin_event_record(
1940            context: *const trace_context_t,
1941            event_time: trace_ticks_t,
1942            thread_ref: *const trace_thread_ref_t,
1943            category_ref: *const trace_string_ref_t,
1944            name_ref: *const trace_string_ref_t,
1945            flow_id: trace_flow_id_t,
1946            args: *const trace_arg_t,
1947            num_args: libc::size_t,
1948        );
1949
1950        pub fn trace_context_write_flow_step_event_record(
1951            context: *const trace_context_t,
1952            event_time: trace_ticks_t,
1953            thread_ref: *const trace_thread_ref_t,
1954            category_ref: *const trace_string_ref_t,
1955            name_ref: *const trace_string_ref_t,
1956            flow_id: trace_flow_id_t,
1957            args: *const trace_arg_t,
1958            num_args: libc::size_t,
1959        );
1960
1961        pub fn trace_context_write_flow_end_event_record(
1962            context: *const trace_context_t,
1963            event_time: trace_ticks_t,
1964            thread_ref: *const trace_thread_ref_t,
1965            category_ref: *const trace_string_ref_t,
1966            name_ref: *const trace_string_ref_t,
1967            flow_id: trace_flow_id_t,
1968            args: *const trace_arg_t,
1969            num_args: libc::size_t,
1970        );
1971
1972        pub fn trace_context_write_initialization_record(
1973            context: *const trace_context_t,
1974            ticks_per_second: u64,
1975        );
1976
1977        pub fn trace_context_write_string_record(
1978            context: *const trace_context_t,
1979            index: trace_string_index_t,
1980            string: *const libc::c_char,
1981            length: libc::size_t,
1982        );
1983
1984        pub fn trace_context_write_thread_record(
1985            context: *const trace_context_t,
1986            index: trace_thread_index_t,
1987            procss_koid: zx_koid_t,
1988            thread_koid: zx_koid_t,
1989        );
1990
1991        pub fn trace_context_write_blob_record(
1992            context: *const trace_context_t,
1993            type_: trace_blob_type_t,
1994            name_ref: *const trace_string_ref_t,
1995            data: *const libc::c_void,
1996            size: libc::size_t,
1997        );
1998
1999        pub fn trace_context_alloc_record(
2000            context: *const trace_context_t,
2001            num_bytes: libc::size_t,
2002        ) -> *const libc::c_void;
2003
2004        // From trace-engine/handler.h
2005        /*
2006        pub fn trace_start_engine(
2007            async_ptr: *const async_t,
2008            handler: *const trace_handler_t,
2009            buffer: *const (),
2010            buffer_num_bytes: libc::size_t) -> zx_status_t;
2011            */
2012
2013        pub fn trace_stop_engine(disposition: zx_status_t) -> zx_status_t;
2014
2015        // From trace-engine/instrumentation.h
2016
2017        pub fn trace_generate_nonce() -> u64;
2018
2019        pub fn trace_state() -> trace_state_t;
2020
2021        pub fn trace_is_category_enabled(category_literal: *const libc::c_char) -> bool;
2022
2023        pub fn trace_acquire_context() -> *const trace_context_t;
2024
2025        pub fn trace_acquire_context_for_category(
2026            category_literal: *const libc::c_char,
2027            out_ref: *mut trace_string_ref_t,
2028        ) -> *const trace_context_t;
2029
2030        pub fn trace_acquire_context_for_category_cached(
2031            category_literal: *const libc::c_char,
2032            trace_site: *const u64,
2033            out_ref: *mut trace_string_ref_t,
2034        ) -> *const trace_context_t;
2035
2036        pub fn trace_release_context(context: *const trace_context_t);
2037
2038        pub fn trace_acquire_prolonged_context() -> *const trace_prolonged_context_t;
2039
2040        pub fn trace_release_prolonged_context(context: *const trace_prolonged_context_t);
2041
2042        pub fn trace_register_observer(event: zx_handle_t) -> zx_status_t;
2043
2044        pub fn trace_unregister_observer(event: zx_handle_t) -> zx_status_t;
2045
2046        pub fn trace_notify_observer_updated(event: zx_handle_t);
2047    }
2048}
2049
2050/// Arguments for `TraceFuture` and `TraceFutureExt`. Use `trace_future_args!` to construct this
2051/// object.
2052pub struct TraceFutureArgs<'a> {
2053    pub category: &'static CStr,
2054    pub name: &'static CStr,
2055
2056    /// `TraceFuture::new` and `trace_future_args!` both check if the trace category is enabled. The
2057    /// trace context is acquired in `trace_future_args!` and is passed to `TraceFuture::new` to
2058    /// avoid acquiring it twice.
2059    pub context: Option<TraceCategoryContext>,
2060
2061    /// The trace arguments to appear in every duration event written by the `TraceFuture`. `args`
2062    /// should be empty if `context` is `None`.
2063    pub args: Vec<Arg<'a>>,
2064
2065    /// The flow id to use in the flow events that connect the duration events together. A flow id
2066    /// will be constructed with `Id::new()` if not provided.
2067    pub flow_id: Option<Id>,
2068
2069    /// Use `trace_future_args!` to construct this object.
2070    pub _use_trace_future_args: (),
2071}
2072
2073#[doc(hidden)]
2074#[macro_export]
2075macro_rules! __impl_trace_future_args {
2076    ($category:expr, $name:expr, $flow_id:expr $(, $key:expr => $val:expr)*) => {{
2077        {
2078            static CACHE: $crate::trace_site_t = $crate::trace_site_t::new(0);
2079            let context = $crate::TraceCategoryContext::acquire_cached($category, &CACHE);
2080            let args = if context.is_some() {
2081                vec![$($crate::ArgValue::of($key, $val)),*]
2082            } else {
2083                vec![]
2084            };
2085            $crate::TraceFutureArgs {
2086                category: $category,
2087                name: $name,
2088                context: context,
2089                args: args,
2090                flow_id: $flow_id,
2091                _use_trace_future_args: (),
2092            }
2093        }
2094    }};
2095}
2096
2097/// Macro for constructing `TraceFutureArgs`. The trace arguments won't be constructed if the
2098/// category is not enabled. If the category becomes enabled while the `TraceFuture` is still alive
2099/// then the duration events will still be written but without the trace arguments.
2100///
2101/// Example:
2102///
2103/// ```
2104/// async move {
2105///     ....
2106/// }.trace(trace_future_args!(c"category", c"name", "x" => 5, "y" => 10)).await;
2107/// ```
2108#[macro_export]
2109macro_rules! trace_future_args {
2110    ($category:expr, $name:expr $(, $key:expr => $val:expr)*) => {
2111        $crate::__impl_trace_future_args!($category, $name, None $(,$key => $val)*)
2112    };
2113    ($category:expr, $name:expr, $flow_id:expr $(, $key:expr => $val:expr)*) => {
2114        $crate::__impl_trace_future_args!($category, $name, Some($flow_id) $(,$key => $val)*)
2115    };
2116}
2117
2118/// Extension trait for tracing futures.
2119pub trait TraceFutureExt: Future + Sized {
2120    /// Wraps a `Future` in a `TraceFuture`.
2121    ///
2122    /// Example:
2123    ///
2124    /// ```rust
2125    /// future.trace(trace_future_args!(c"category", c"name")).await;
2126    /// ```
2127    ///
2128    /// Which is equivalent to:
2129    ///
2130    /// ```rust
2131    /// TraceFuture::new(trace_future_args!(c"category", c"name"), future).await;
2132    /// ```
2133    fn trace<'a>(self, args: TraceFutureArgs<'a>) -> TraceFuture<'a, Self> {
2134        TraceFuture::new(args, self)
2135    }
2136}
2137
2138impl<T: Future + Sized> TraceFutureExt for T {}
2139
2140/// Wraps a `Future` and writes duration events when the future is created, dropped, and every time
2141/// it's polled. The duration events are connected by flow events.
2142#[pin_project(PinnedDrop)]
2143pub struct TraceFuture<'a, Fut: Future> {
2144    category: &'static CStr,
2145    name: &'static CStr,
2146    args: Vec<Arg<'a>>,
2147    flow_id: Option<Id>,
2148    #[pin]
2149    future: Fut,
2150}
2151
2152impl<'a, Fut: Future> TraceFuture<'a, Fut> {
2153    pub fn new(args: TraceFutureArgs<'a>, future: Fut) -> Self {
2154        debug_assert!(
2155            args.context.is_some() || args.args.is_empty(),
2156            "There should not be any trace arguments when the category is disabled"
2157        );
2158        let mut this = Self {
2159            category: args.category,
2160            name: args.name,
2161            args: args.args,
2162            flow_id: args.flow_id,
2163            future: future,
2164        };
2165        if let Some(context) = args.context {
2166            this.trace_create(context);
2167        }
2168        this
2169    }
2170
2171    #[cold]
2172    fn trace_create(&mut self, context: TraceCategoryContext) {
2173        let name_ref = context.register_string_literal(self.name);
2174        let flow_id = self.flow_id.get_or_insert_with(Id::new);
2175        let duration_start = zx::BootTicks::get();
2176        context.write_flow_begin(zx::BootTicks::get(), name_ref, *flow_id, &[]);
2177        self.args.push(ArgValue::of("state", "created"));
2178        context.write_duration(name_ref, duration_start, &self.args);
2179        self.args.pop();
2180    }
2181
2182    #[cold]
2183    fn trace_poll(
2184        self: Pin<&mut Self>,
2185        context: TraceCategoryContext,
2186        cx: &mut std::task::Context<'_>,
2187    ) -> Poll<Fut::Output> {
2188        let this = self.project();
2189        let name_ref = context.register_string_literal(this.name);
2190        let flow_id = this.flow_id.get_or_insert_with(Id::new);
2191        let duration_start = zx::BootTicks::get();
2192        context.write_flow_step(zx::BootTicks::get(), name_ref, *flow_id, &[]);
2193        let result = this.future.poll(cx);
2194        let result_str: &'static str = if result.is_pending() { "pending" } else { "ready" };
2195        this.args.push(ArgValue::of("state", result_str));
2196        context.write_duration(name_ref, duration_start, &this.args);
2197        this.args.pop();
2198        result
2199    }
2200
2201    #[cold]
2202    fn trace_drop(self: Pin<&mut Self>, context: TraceCategoryContext) {
2203        let this = self.project();
2204        let name_ref = context.register_string_literal(this.name);
2205        let flow_id = this.flow_id.get_or_insert_with(Id::new);
2206        let duration_start = zx::BootTicks::get();
2207        context.write_flow_end(zx::BootTicks::get(), name_ref, *flow_id, &[]);
2208        this.args.push(ArgValue::of("state", "dropped"));
2209        context.write_duration(name_ref, duration_start, &this.args);
2210        this.args.pop();
2211    }
2212}
2213
2214impl<Fut: Future> Future for TraceFuture<'_, Fut> {
2215    type Output = Fut::Output;
2216    fn poll(self: Pin<&mut Self>, cx: &mut std::task::Context<'_>) -> Poll<Fut::Output> {
2217        if let Some(context) = TraceCategoryContext::acquire(self.as_ref().get_ref().category) {
2218            self.trace_poll(context, cx)
2219        } else {
2220            self.project().future.poll(cx)
2221        }
2222    }
2223}
2224
2225#[pin_project::pinned_drop]
2226impl<Fut: Future> PinnedDrop for TraceFuture<'_, Fut> {
2227    fn drop(self: Pin<&mut Self>) {
2228        if let Some(context) = TraceCategoryContext::acquire(self.as_ref().get_ref().category) {
2229            self.trace_drop(context);
2230        }
2231    }
2232}
2233
2234#[cfg(test)]
2235mod test {
2236    use super::{trim_to_last_char_boundary, Id};
2237
2238    #[test]
2239    fn trim_to_last_char_boundary_trims_to_last_character_boundary() {
2240        assert_eq!(b"x", trim_to_last_char_boundary("x", 5));
2241        assert_eq!(b"x", trim_to_last_char_boundary("x", 1));
2242        assert_eq!(b"", trim_to_last_char_boundary("x", 0));
2243        assert_eq!(b"xxxxx", trim_to_last_char_boundary("xxxxx", 6));
2244        assert_eq!(b"xxxxx", trim_to_last_char_boundary("xxxxx", 5));
2245        assert_eq!(b"xxxx", trim_to_last_char_boundary("xxxxx", 4));
2246
2247        assert_eq!("💩".as_bytes(), trim_to_last_char_boundary("💩", 5));
2248        assert_eq!("💩".as_bytes(), trim_to_last_char_boundary("💩", 4));
2249        assert_eq!(b"", trim_to_last_char_boundary("💩", 3));
2250    }
2251
2252    // Here, we're looking to make sure that successive calls to the function generate distinct
2253    // values. How those values are distinct is not particularly meaningful; the current
2254    // implementation yields sequential values, but that's not a behavior to rely on.
2255    #[test]
2256    fn test_id_new() {
2257        assert_ne!(Id::new(), Id::new());
2258    }
2259}