test_manager_lib/
self_diagnostics.rs

1// Copyright 2022 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 fuchsia_inspect::Property;
6use fuchsia_sync::Mutex;
7use std::borrow::Cow;
8use std::collections::hash_map::Entry;
9use std::collections::HashMap;
10use std::fmt::{Debug, Error, Formatter};
11use std::ops::Deref;
12use std::sync::Arc;
13
14/// Container to store diagnostic content in inspect.
15pub struct RootDiagnosticNode {
16    inspect: Arc<fuchsia_inspect::Node>,
17    count: std::sync::atomic::AtomicU64,
18}
19
20impl RootDiagnosticNode {
21    /// Create a new |RootDiagnosticNode| rooted at |inspect|.
22    pub fn new(inspect: fuchsia_inspect::Node) -> Self {
23        Self { inspect: Arc::new(inspect), count: std::sync::atomic::AtomicU64::new(0) }
24    }
25
26    /// Create a |DiagnosticNode| that records contents to inspect when dropped.
27    pub(crate) fn persistent_child(&self) -> DiagnosticNode {
28        let name =
29            format!("id-{:?}", self.count.fetch_add(1, std::sync::atomic::Ordering::Relaxed));
30        DiagnosticNode::new_set_persistence(name, self.inspect.clone(), true)
31    }
32
33    /// Create a |DiagnosticNode| that erases contents from inspect when dropped.
34    pub(crate) fn child(&self) -> DiagnosticNode {
35        let name =
36            format!("id-{:?}", self.count.fetch_add(1, std::sync::atomic::Ordering::Relaxed));
37        DiagnosticNode::new(name, self.inspect.clone())
38    }
39}
40
41/// A hierarchical container for diagnostic context.
42///
43/// |DiagnosticNode| contains a name, any properties saved to it, and a reference to
44/// it's parent, if any.
45/// When printed with Debug, prints all context for ancestor roots.
46/// The hierarchy of |DiagnosticNodes| is also output to inspect.
47pub(crate) struct DiagnosticNode {
48    inner: Arc<DiagnosticNodeInner>,
49}
50
51#[derive(Clone)]
52enum Parent {
53    Root(Arc<fuchsia_inspect::Node>),
54    Node(Arc<DiagnosticNodeInner>),
55}
56
57struct DiagnosticNodeInner {
58    name: Cow<'static, str>,
59    properties: Mutex<HashMap<&'static str, (Cow<'static, str>, fuchsia_inspect::StringProperty)>>,
60    parent: Parent,
61    inspect: fuchsia_inspect::Node,
62    persistent: bool,
63}
64
65impl DiagnosticNode {
66    /// Create a new root |DiagnosticNode| using the given inspect node.
67    pub(crate) fn new(
68        name: impl Into<Cow<'static, str>>,
69        inspect_parent: Arc<fuchsia_inspect::Node>,
70    ) -> Self {
71        Self::new_set_persistence(name, inspect_parent, false)
72    }
73
74    fn new_set_persistence(
75        name: impl Into<Cow<'static, str>>,
76        inspect_parent: Arc<fuchsia_inspect::Node>,
77        persistent: bool,
78    ) -> Self {
79        let cow_name = name.into();
80        Self {
81            inner: Arc::new(DiagnosticNodeInner {
82                inspect: inspect_parent.create_child(cow_name.deref()),
83                parent: Parent::Root(inspect_parent),
84                name: cow_name,
85                properties: Mutex::new(HashMap::new()),
86                persistent,
87            }),
88        }
89    }
90
91    /// Create a |DiagnosticNode| as a child of &self.
92    pub(crate) fn child(&self, name: impl Into<Cow<'static, str>>) -> Self {
93        let cow_name = name.into();
94        Self {
95            inner: Arc::new(DiagnosticNodeInner {
96                inspect: self.inner.inspect.create_child(cow_name.deref()),
97                name: cow_name,
98                properties: Mutex::new(HashMap::new()),
99                parent: Parent::Node(self.inner.clone()),
100                persistent: self.inner.persistent,
101            }),
102        }
103    }
104
105    /// Set a property. If the key is already in use, overrides the value.
106    pub(crate) fn set_property(&self, key: &'static str, value: impl Into<Cow<'static, str>>) {
107        let mut prop_lock = self.inner.properties.lock();
108        let cow_val = value.into();
109        match prop_lock.entry(key) {
110            Entry::Occupied(mut entry) => {
111                let val = entry.get_mut();
112                val.1.set(cow_val.deref());
113                val.0 = cow_val;
114            }
115            Entry::Vacant(entry) => {
116                let prop = self.inner.inspect.create_string(key, cow_val.deref());
117                entry.insert((cow_val, prop));
118            }
119        }
120    }
121
122    /// Mark a property as true.
123    pub(crate) fn set_flag(&self, key: &'static str) {
124        self.set_property(key, "true")
125    }
126
127    fn ancestors_and_self(&self) -> Vec<Arc<DiagnosticNodeInner>> {
128        let mut ancestors = vec![self.inner.clone()];
129        let mut next_parent = self.inner.parent.clone();
130        while let Parent::Node(parent) = next_parent.clone() {
131            next_parent = parent.parent.clone();
132            ancestors.push(parent);
133        }
134        ancestors.reverse();
135        ancestors
136    }
137}
138
139impl std::ops::Drop for DiagnosticNodeInner {
140    fn drop(&mut self) {
141        if self.persistent {
142            let parent_inspect = match &self.parent {
143                Parent::Node(inner) => &inner.inspect,
144                Parent::Root(inspect) => &*inspect,
145            };
146            let inspect = std::mem::take(&mut self.inspect);
147            for (_, val) in self.properties.lock().drain() {
148                inspect.record(val.1);
149            }
150            inspect.record_bool("_dropped", true);
151            parent_inspect.record(inspect);
152        }
153    }
154}
155
156impl Debug for DiagnosticNode {
157    fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), Error> {
158        let ancestors = self.ancestors_and_self();
159        f.debug_list().entries(ancestors).finish()
160    }
161}
162
163impl Debug for DiagnosticNodeInner {
164    fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), Error> {
165        let mut debug_struct = f.debug_struct(self.name.deref());
166        for (key, value) in self.properties.lock().iter() {
167            debug_struct.field(key, &value.0.deref());
168        }
169        debug_struct.finish()
170    }
171}
172
173#[cfg(test)]
174mod test {
175    use super::*;
176    use diagnostics_assertions::assert_data_tree;
177    use fuchsia_inspect::Inspector;
178
179    #[fuchsia::test]
180    fn inspect_lifetimes() {
181        let inspector = Inspector::default();
182        let root_node = DiagnosticNode::new("root", Arc::new(inspector.root().clone_weak()));
183
184        assert_data_tree!(
185            inspector,
186            root: {
187                root: {}
188            }
189        );
190
191        root_node.set_property("property", "value");
192
193        assert_data_tree!(
194            inspector,
195            root: {
196                root: {
197                    property: "value",
198                }
199            }
200        );
201
202        let child_node = root_node.child("child");
203        assert_data_tree!(
204            inspector,
205            root: {
206                root: {
207                    property: "value",
208                    child: {}
209                }
210            }
211        );
212
213        drop(child_node);
214        assert_data_tree!(
215            inspector,
216            root: {
217                root: {
218                    property: "value",
219                }
220            }
221        );
222
223        drop(root_node);
224        assert_data_tree!(
225            inspector,
226            root: {}
227        );
228    }
229
230    #[fuchsia::test]
231    fn debug_fmt_hierarchy() {
232        let inspector = Inspector::default();
233        let root_node = DiagnosticNode::new("root", Arc::new(inspector.root().clone_weak()));
234
235        assert!(format!("{:?}", root_node).contains("root"));
236
237        let child_node = root_node.child("child");
238
239        // child should display parent too.
240        assert!(format!("{:?}", child_node).contains("child"));
241        assert!(format!("{:?}", child_node).contains("root"));
242
243        // grandchild should display all ancestors.
244        let grandchild = child_node.child("grand");
245        assert!(format!("{:?}", grandchild).contains("grand"));
246        assert!(format!("{:?}", grandchild).contains("child"));
247        assert!(format!("{:?}", grandchild).contains("root"));
248
249        // descendants still print ancestors even if they are dropped
250        drop(root_node);
251        drop(child_node);
252        assert!(format!("{:?}", grandchild).contains("grand"));
253        assert!(format!("{:?}", grandchild).contains("child"));
254        assert!(format!("{:?}", grandchild).contains("root"));
255    }
256
257    #[fuchsia::test]
258    fn debug_fmt_properties() {
259        let inspector = Inspector::default();
260        let root_node = DiagnosticNode::new("root", Arc::new(inspector.root().clone_weak()));
261
262        assert!(format!("{:?}", root_node).contains("root"));
263
264        root_node.set_property("property", "value");
265        assert!(format!("{:?}", root_node).contains("root"));
266        assert!(format!("{:?}", root_node).contains("property"));
267        assert!(format!("{:?}", root_node).contains("value"));
268    }
269}