1use crate::util::cobalt_logger::log_cobalt_1dot1_batch;
6use derivative::Derivative;
7use fidl_fuchsia_metrics::{MetricEvent, MetricEventPayload};
8use fuchsia_inspect::Node as InspectNode;
9use fuchsia_inspect_auto_persist::{self as auto_persist, AutoPersist};
10use fuchsia_inspect_contrib::id_enum::IdEnum;
11use fuchsia_inspect_contrib::nodes::{BoundedListNode, LruCacheNode};
12use fuchsia_inspect_contrib::{inspect_insert, inspect_log};
13use fuchsia_inspect_derive::Unit;
14use fuchsia_sync::Mutex;
15use std::sync::Arc;
16use strum_macros::{Display, EnumIter};
17use windowed_stats::experimental::clock::Timed;
18use windowed_stats::experimental::series::interpolation::{Constant, LastSample};
19use windowed_stats::experimental::series::metadata::{BitSetMap, BitSetNode};
20use windowed_stats::experimental::series::statistic::Union;
21use windowed_stats::experimental::series::{SamplingProfile, TimeMatrix};
22use windowed_stats::experimental::serve::{InspectSender, InspectedTimeMatrix};
23use wlan_common::bss::BssDescription;
24use wlan_common::channel::Channel;
25use {
26 fidl_fuchsia_wlan_ieee80211 as fidl_ieee80211, fidl_fuchsia_wlan_sme as fidl_sme,
27 wlan_legacy_metrics_registry as metrics, zx,
28};
29
30const INSPECT_CONNECT_EVENTS_LIMIT: usize = 10;
31const INSPECT_DISCONNECT_EVENTS_LIMIT: usize = 10;
32const INSPECT_CONNECTED_NETWORKS_ID_LIMIT: usize = 16;
33const INSPECT_DISCONNECT_SOURCES_ID_LIMIT: usize = 32;
34
35#[derive(Debug, Display, EnumIter)]
36enum ConnectionState {
37 Idle(IdleState),
38 Connected(ConnectedState),
39 Disconnected(DisconnectedState),
40}
41
42impl IdEnum for ConnectionState {
43 type Id = u8;
44 fn to_id(&self) -> Self::Id {
45 match self {
46 Self::Idle(_) => 0,
47 Self::Disconnected(_) => 1,
48 Self::Connected(_) => 2,
49 }
50 }
51}
52
53#[derive(Debug, Default)]
54struct IdleState {}
55
56#[derive(Debug, Default)]
57struct ConnectedState {}
58
59#[derive(Debug, Default)]
60struct DisconnectedState {}
61
62#[derive(Derivative, Unit)]
63#[derivative(PartialEq, Eq, Hash)]
64struct InspectConnectedNetwork {
65 bssid: String,
66 ssid: String,
67 protection: String,
68 ht_cap: Option<Vec<u8>>,
69 vht_cap: Option<Vec<u8>>,
70 #[derivative(PartialEq = "ignore")]
71 #[derivative(Hash = "ignore")]
72 wsc: Option<InspectNetworkWsc>,
73 is_wmm_assoc: bool,
74 wmm_param: Option<Vec<u8>>,
75}
76
77impl From<&BssDescription> for InspectConnectedNetwork {
78 fn from(bss_description: &BssDescription) -> Self {
79 Self {
80 bssid: bss_description.bssid.to_string(),
81 ssid: bss_description.ssid.to_string(),
82 protection: format!("{:?}", bss_description.protection()),
83 ht_cap: bss_description.raw_ht_cap().map(|cap| cap.bytes.into()),
84 vht_cap: bss_description.raw_vht_cap().map(|cap| cap.bytes.into()),
85 wsc: bss_description.probe_resp_wsc().as_ref().map(InspectNetworkWsc::from),
86 is_wmm_assoc: bss_description.find_wmm_param().is_some(),
87 wmm_param: bss_description.find_wmm_param().map(|bytes| bytes.into()),
88 }
89 }
90}
91
92#[derive(PartialEq, Unit, Hash)]
93struct InspectNetworkWsc {
94 device_name: String,
95 manufacturer: String,
96 model_name: String,
97 model_number: String,
98}
99
100impl From<&wlan_common::ie::wsc::ProbeRespWsc> for InspectNetworkWsc {
101 fn from(wsc: &wlan_common::ie::wsc::ProbeRespWsc) -> Self {
102 Self {
103 device_name: String::from_utf8_lossy(&wsc.device_name[..]).to_string(),
104 manufacturer: String::from_utf8_lossy(&wsc.manufacturer[..]).to_string(),
105 model_name: String::from_utf8_lossy(&wsc.model_name[..]).to_string(),
106 model_number: String::from_utf8_lossy(&wsc.model_number[..]).to_string(),
107 }
108 }
109}
110
111#[derive(PartialEq, Eq, Unit, Hash)]
112struct InspectDisconnectSource {
113 source: String,
114 reason: String,
115 mlme_event_name: Option<String>,
116}
117
118impl From<&fidl_sme::DisconnectSource> for InspectDisconnectSource {
119 fn from(disconnect_source: &fidl_sme::DisconnectSource) -> Self {
120 match disconnect_source {
121 fidl_sme::DisconnectSource::User(reason) => Self {
122 source: "user".to_string(),
123 reason: format!("{:?}", reason),
124 mlme_event_name: None,
125 },
126 fidl_sme::DisconnectSource::Ap(cause) => Self {
127 source: "ap".to_string(),
128 reason: format!("{:?}", cause.reason_code),
129 mlme_event_name: Some(format!("{:?}", cause.mlme_event_name)),
130 },
131 fidl_sme::DisconnectSource::Mlme(cause) => Self {
132 source: "mlme".to_string(),
133 reason: format!("{:?}", cause.reason_code),
134 mlme_event_name: Some(format!("{:?}", cause.mlme_event_name)),
135 },
136 }
137 }
138}
139
140#[derive(Clone, Debug, PartialEq)]
141pub struct DisconnectInfo {
142 pub iface_id: u16,
143 pub connected_duration: zx::MonotonicDuration,
144 pub is_sme_reconnecting: bool,
145 pub disconnect_source: fidl_sme::DisconnectSource,
146 pub original_bss_desc: Box<BssDescription>,
147 pub current_rssi_dbm: i8,
148 pub current_snr_db: i8,
149 pub current_channel: Channel,
150}
151
152pub struct ConnectDisconnectLogger {
153 connection_state: Arc<Mutex<ConnectionState>>,
154 cobalt_1dot1_proxy: fidl_fuchsia_metrics::MetricEventLoggerProxy,
155 connect_events_node: Mutex<AutoPersist<BoundedListNode>>,
156 disconnect_events_node: Mutex<AutoPersist<BoundedListNode>>,
157 inspect_metadata_node: Mutex<InspectMetadataNode>,
158 time_series_stats: ConnectDisconnectTimeSeries,
159}
160
161impl ConnectDisconnectLogger {
162 pub fn new<S: InspectSender>(
163 cobalt_1dot1_proxy: fidl_fuchsia_metrics::MetricEventLoggerProxy,
164 inspect_node: &InspectNode,
165 inspect_metadata_node: &InspectNode,
166 inspect_metadata_path: &str,
167 persistence_req_sender: auto_persist::PersistenceReqSender,
168 time_matrix_client: &S,
169 ) -> Self {
170 let connect_events = inspect_node.create_child("connect_events");
171 let disconnect_events = inspect_node.create_child("disconnect_events");
172 let this = Self {
173 cobalt_1dot1_proxy,
174 connection_state: Arc::new(Mutex::new(ConnectionState::Idle(IdleState {}))),
175 connect_events_node: Mutex::new(AutoPersist::new(
176 BoundedListNode::new(connect_events, INSPECT_CONNECT_EVENTS_LIMIT),
177 "wlan-connect-events",
178 persistence_req_sender.clone(),
179 )),
180 disconnect_events_node: Mutex::new(AutoPersist::new(
181 BoundedListNode::new(disconnect_events, INSPECT_DISCONNECT_EVENTS_LIMIT),
182 "wlan-disconnect-events",
183 persistence_req_sender,
184 )),
185 inspect_metadata_node: Mutex::new(InspectMetadataNode::new(inspect_metadata_node)),
186 time_series_stats: ConnectDisconnectTimeSeries::new(
187 time_matrix_client,
188 inspect_metadata_path,
189 ),
190 };
191 this.log_connection_state();
192 this
193 }
194
195 fn update_connection_state(&self, state: ConnectionState) {
196 *self.connection_state.lock() = state;
197 self.log_connection_state();
198 }
199
200 fn log_connection_state(&self) {
201 let wlan_connectivity_state_id = self.connection_state.lock().to_id() as u64;
202 self.time_series_stats.log_wlan_connectivity_state(1 << wlan_connectivity_state_id);
203 }
204
205 pub fn is_connected(&self) -> bool {
206 matches!(&*self.connection_state.lock(), ConnectionState::Connected(_))
207 }
208
209 #[allow(clippy::vec_init_then_push, reason = "mass allow for https://fxbug.dev/381896734")]
210 pub async fn log_connect_attempt(
211 &self,
212 result: fidl_ieee80211::StatusCode,
213 bss: &BssDescription,
214 ) {
215 let mut metric_events = vec![];
216 metric_events.push(MetricEvent {
217 metric_id: metrics::CONNECT_ATTEMPT_BREAKDOWN_BY_STATUS_CODE_METRIC_ID,
218 event_codes: vec![result as u32],
219 payload: MetricEventPayload::Count(1),
220 });
221
222 if result == fidl_ieee80211::StatusCode::Success {
223 self.update_connection_state(ConnectionState::Connected(ConnectedState {}));
224
225 let mut inspect_metadata_node = self.inspect_metadata_node.lock();
226 let connected_network = InspectConnectedNetwork::from(bss);
227 let connected_network_id =
228 inspect_metadata_node.connected_networks.insert(connected_network) as u64;
229
230 self.time_series_stats.log_connected_networks(1 << connected_network_id);
231
232 inspect_log!(self.connect_events_node.lock().get_mut(), {
233 network_id: connected_network_id,
234 });
235 } else {
236 self.update_connection_state(ConnectionState::Idle(IdleState {}));
237 }
238
239 log_cobalt_1dot1_batch!(
240 self.cobalt_1dot1_proxy,
241 &metric_events,
242 "log_connect_attempt_cobalt_metrics",
243 );
244 }
245
246 pub async fn log_disconnect(&self, info: &DisconnectInfo) {
247 self.update_connection_state(ConnectionState::Disconnected(DisconnectedState {}));
248
249 let mut inspect_metadata_node = self.inspect_metadata_node.lock();
250 let connected_network = InspectConnectedNetwork::from(&*info.original_bss_desc);
251 let connected_network_id =
252 inspect_metadata_node.connected_networks.insert(connected_network) as u64;
253 let disconnect_source = InspectDisconnectSource::from(&info.disconnect_source);
254 let disconnect_source_id =
255 inspect_metadata_node.disconnect_sources.insert(disconnect_source) as u64;
256 inspect_log!(self.disconnect_events_node.lock().get_mut(), {
257 connected_duration: info.connected_duration.into_nanos(),
258 disconnect_source_id: disconnect_source_id,
259 network_id: connected_network_id,
260 rssi_dbm: info.current_rssi_dbm,
261 snr_db: info.current_snr_db,
262 channel: format!("{}", info.current_channel),
263 });
264
265 self.time_series_stats.log_disconnected_networks(1 << connected_network_id);
266 self.time_series_stats.log_disconnect_sources(1 << disconnect_source_id);
267 }
268}
269
270struct InspectMetadataNode {
271 connected_networks: LruCacheNode<InspectConnectedNetwork>,
272 disconnect_sources: LruCacheNode<InspectDisconnectSource>,
273}
274
275impl InspectMetadataNode {
276 const CONNECTED_NETWORKS: &'static str = "connected_networks";
277 const DISCONNECT_SOURCES: &'static str = "disconnect_sources";
278
279 fn new(inspect_node: &InspectNode) -> Self {
280 let connected_networks = inspect_node.create_child(Self::CONNECTED_NETWORKS);
281 let disconnect_sources = inspect_node.create_child(Self::DISCONNECT_SOURCES);
282 Self {
283 connected_networks: LruCacheNode::new(
284 connected_networks,
285 INSPECT_CONNECTED_NETWORKS_ID_LIMIT,
286 ),
287 disconnect_sources: LruCacheNode::new(
288 disconnect_sources,
289 INSPECT_DISCONNECT_SOURCES_ID_LIMIT,
290 ),
291 }
292 }
293}
294
295#[derive(Debug, Clone)]
296struct ConnectDisconnectTimeSeries {
297 wlan_connectivity_states: InspectedTimeMatrix<u64>,
298 connected_networks: InspectedTimeMatrix<u64>,
299 disconnected_networks: InspectedTimeMatrix<u64>,
300 disconnect_sources: InspectedTimeMatrix<u64>,
301}
302
303impl ConnectDisconnectTimeSeries {
304 pub fn new<S: InspectSender>(client: &S, inspect_metadata_path: &str) -> Self {
305 let wlan_connectivity_states = client.inspect_time_matrix_with_metadata(
306 "wlan_connectivity_states",
307 TimeMatrix::<Union<u64>, LastSample>::new(
308 SamplingProfile::highly_granular(),
309 LastSample::or(0),
310 ),
311 BitSetMap::from_ordered(["idle", "disconnected", "connected"]),
312 );
313 let connected_networks = client.inspect_time_matrix_with_metadata(
314 "connected_networks",
315 TimeMatrix::<Union<u64>, Constant>::new(
316 SamplingProfile::granular(),
317 Constant::default(),
318 ),
319 BitSetNode::from_path(format!(
320 "{}/{}",
321 inspect_metadata_path,
322 InspectMetadataNode::CONNECTED_NETWORKS
323 )),
324 );
325 let disconnected_networks = client.inspect_time_matrix_with_metadata(
326 "disconnected_networks",
327 TimeMatrix::<Union<u64>, Constant>::new(
328 SamplingProfile::granular(),
329 Constant::default(),
330 ),
331 BitSetNode::from_path(format!(
333 "{}/{}",
334 inspect_metadata_path,
335 InspectMetadataNode::CONNECTED_NETWORKS
336 )),
337 );
338 let disconnect_sources = client.inspect_time_matrix_with_metadata(
339 "disconnect_sources",
340 TimeMatrix::<Union<u64>, Constant>::new(
341 SamplingProfile::granular(),
342 Constant::default(),
343 ),
344 BitSetNode::from_path(format!(
345 "{}/{}",
346 inspect_metadata_path,
347 InspectMetadataNode::DISCONNECT_SOURCES,
348 )),
349 );
350 Self {
351 wlan_connectivity_states,
352 connected_networks,
353 disconnected_networks,
354 disconnect_sources,
355 }
356 }
357
358 fn log_wlan_connectivity_state(&self, data: u64) {
359 self.wlan_connectivity_states.fold_or_log_error(Timed::now(data));
360 }
361 fn log_connected_networks(&self, data: u64) {
362 self.connected_networks.fold_or_log_error(Timed::now(data));
363 }
364 fn log_disconnected_networks(&self, data: u64) {
365 self.disconnected_networks.fold_or_log_error(Timed::now(data));
366 }
367 fn log_disconnect_sources(&self, data: u64) {
368 self.disconnect_sources.fold_or_log_error(Timed::now(data));
369 }
370}
371
372#[cfg(test)]
373mod tests {
374 use super::*;
375 use crate::testing::*;
376 use diagnostics_assertions::{
377 assert_data_tree, AnyBoolProperty, AnyBytesProperty, AnyNumericProperty, AnyStringProperty,
378 };
379
380 use futures::task::Poll;
381 use ieee80211_testutils::{BSSID_REGEX, SSID_REGEX};
382 use rand::Rng;
383 use std::pin::pin;
384 use windowed_stats::experimental::serve;
385 use windowed_stats::experimental::testing::TimeMatrixCall;
386 use wlan_common::channel::{Cbw, Channel};
387 use wlan_common::{fake_bss_description, random_bss_description};
388
389 #[fuchsia::test]
390 fn log_connect_attempt_then_inspect_data_tree_contains_time_matrix_metadata() {
391 let mut harness = setup_test();
392
393 let (client, _server) = serve::serve_time_matrix_inspection(
394 harness.inspect_node.create_child("wlan_connect_disconnect"),
395 );
396 let logger = ConnectDisconnectLogger::new(
397 harness.cobalt_1dot1_proxy.clone(),
398 &harness.inspect_node,
399 &harness.inspect_metadata_node,
400 &harness.inspect_metadata_path,
401 harness.persistence_sender.clone(),
402 &client,
403 );
404 let bss = random_bss_description!();
405 let mut log_connect_attempt =
406 pin!(logger.log_connect_attempt(fidl_ieee80211::StatusCode::Success, &bss));
407 assert!(
408 harness.run_until_stalled_drain_cobalt_events(&mut log_connect_attempt).is_ready(),
409 "`log_connect_attempt` did not complete",
410 );
411
412 let tree = harness.get_inspect_data_tree();
413 assert_data_tree!(
414 tree,
415 root: contains {
416 test_stats: contains {
417 wlan_connect_disconnect: contains {
418 wlan_connectivity_states: {
419 "type": "bitset",
420 "data": AnyBytesProperty,
421 metadata: {
422 index: {
423 "0": "idle",
424 "1": "disconnected",
425 "2": "connected",
426 },
427 },
428 },
429 connected_networks: {
430 "type": "bitset",
431 "data": AnyBytesProperty,
432 metadata: {
433 "index_node_path": "root/test_stats/metadata/connected_networks",
434 },
435 },
436 disconnected_networks: {
437 "type": "bitset",
438 "data": AnyBytesProperty,
439 metadata: {
440 "index_node_path": "root/test_stats/metadata/connected_networks",
441 },
442 },
443 disconnect_sources: {
444 "type": "bitset",
445 "data": AnyBytesProperty,
446 metadata: {
447 "index_node_path": "root/test_stats/metadata/disconnect_sources",
448 },
449 },
450 },
451 },
452 }
453 );
454 }
455
456 #[fuchsia::test]
457 fn test_log_connect_attempt_inspect() {
458 let mut test_helper = setup_test();
459 let logger = ConnectDisconnectLogger::new(
460 test_helper.cobalt_1dot1_proxy.clone(),
461 &test_helper.inspect_node,
462 &test_helper.inspect_metadata_node,
463 &test_helper.inspect_metadata_path,
464 test_helper.persistence_sender.clone(),
465 &test_helper.mock_time_matrix_client,
466 );
467
468 let bss_description = random_bss_description!();
470 let mut test_fut =
471 pin!(logger.log_connect_attempt(fidl_ieee80211::StatusCode::Success, &bss_description));
472 assert_eq!(
473 test_helper.run_until_stalled_drain_cobalt_events(&mut test_fut),
474 Poll::Ready(())
475 );
476
477 let data = test_helper.get_inspect_data_tree();
479 assert_data_tree!(data, root: contains {
480 test_stats: contains {
481 metadata: contains {
482 connected_networks: contains {
483 "0": {
484 "@time": AnyNumericProperty,
485 "data": contains {
486 bssid: &*BSSID_REGEX,
487 ssid: &*SSID_REGEX,
488 }
489 }
490 },
491 },
492 connect_events: {
493 "0": {
494 "@time": AnyNumericProperty,
495 network_id: 0u64,
496 }
497 }
498 }
499 });
500
501 let mut time_matrix_calls = test_helper.mock_time_matrix_client.drain_calls();
502 assert_eq!(
503 &time_matrix_calls.drain::<u64>("wlan_connectivity_states")[..],
504 &[TimeMatrixCall::Fold(Timed::now(1 << 0)), TimeMatrixCall::Fold(Timed::now(1 << 2)),]
505 );
506 assert_eq!(
507 &time_matrix_calls.drain::<u64>("connected_networks")[..],
508 &[TimeMatrixCall::Fold(Timed::now(1 << 0))]
509 );
510 }
511
512 #[fuchsia::test]
513 fn test_log_connect_attempt_cobalt() {
514 let mut test_helper = setup_test();
515 let logger = ConnectDisconnectLogger::new(
516 test_helper.cobalt_1dot1_proxy.clone(),
517 &test_helper.inspect_node,
518 &test_helper.inspect_metadata_node,
519 &test_helper.inspect_metadata_path,
520 test_helper.persistence_sender.clone(),
521 &test_helper.mock_time_matrix_client,
522 );
523
524 let bss_description = random_bss_description!(Wpa2,
526 channel: Channel::new(157, Cbw::Cbw40),
527 bssid: [0x00, 0xf6, 0x20, 0x03, 0x04, 0x05],
528 );
529
530 let mut test_fut =
532 pin!(logger.log_connect_attempt(fidl_ieee80211::StatusCode::Success, &bss_description));
533 assert_eq!(
534 test_helper.run_until_stalled_drain_cobalt_events(&mut test_fut),
535 Poll::Ready(())
536 );
537
538 let breakdowns_by_status_code = test_helper
540 .get_logged_metrics(metrics::CONNECT_ATTEMPT_BREAKDOWN_BY_STATUS_CODE_METRIC_ID);
541 assert_eq!(breakdowns_by_status_code.len(), 1);
542 assert_eq!(
543 breakdowns_by_status_code[0].event_codes,
544 vec![fidl_ieee80211::StatusCode::Success as u32]
545 );
546 assert_eq!(breakdowns_by_status_code[0].payload, MetricEventPayload::Count(1));
547 }
548
549 #[fuchsia::test]
550 fn test_log_disconnect_inspect() {
551 let mut test_helper = setup_test();
552 let logger = ConnectDisconnectLogger::new(
553 test_helper.cobalt_1dot1_proxy.clone(),
554 &test_helper.inspect_node,
555 &test_helper.inspect_metadata_node,
556 &test_helper.inspect_metadata_path,
557 test_helper.persistence_sender.clone(),
558 &test_helper.mock_time_matrix_client,
559 );
560
561 let bss_description = fake_bss_description!(Open);
563 let channel = bss_description.channel;
564 let disconnect_info = DisconnectInfo {
565 iface_id: 32,
566 connected_duration: zx::MonotonicDuration::from_seconds(30),
567 is_sme_reconnecting: false,
568 disconnect_source: fidl_sme::DisconnectSource::Ap(fidl_sme::DisconnectCause {
569 mlme_event_name: fidl_sme::DisconnectMlmeEventName::DeauthenticateIndication,
570 reason_code: fidl_ieee80211::ReasonCode::UnspecifiedReason,
571 }),
572 original_bss_desc: Box::new(bss_description),
573 current_rssi_dbm: -30,
574 current_snr_db: 25,
575 current_channel: channel,
576 };
577 let mut test_fut = pin!(logger.log_disconnect(&disconnect_info));
578 assert_eq!(
579 test_helper.run_until_stalled_drain_cobalt_events(&mut test_fut),
580 Poll::Ready(())
581 );
582
583 let data = test_helper.get_inspect_data_tree();
585 assert_data_tree!(data, root: contains {
586 test_stats: contains {
587 metadata: {
588 connected_networks: {
589 "0": {
590 "@time": AnyNumericProperty,
591 "data": {
592 bssid: &*BSSID_REGEX,
593 ssid: &*SSID_REGEX,
594 ht_cap: AnyBytesProperty,
595 vht_cap: AnyBytesProperty,
596 protection: "Open",
597 is_wmm_assoc: AnyBoolProperty,
598 wmm_param: AnyBytesProperty,
599 }
600 }
601 },
602 disconnect_sources: {
603 "0": {
604 "@time": AnyNumericProperty,
605 "data": {
606 source: "ap",
607 reason: "UnspecifiedReason",
608 mlme_event_name: "DeauthenticateIndication",
609 }
610 }
611 },
612 },
613 disconnect_events: {
614 "0": {
615 "@time": AnyNumericProperty,
616 connected_duration: zx::MonotonicDuration::from_seconds(30).into_nanos(),
617 disconnect_source_id: 0u64,
618 network_id: 0u64,
619 rssi_dbm: -30i64,
620 snr_db: 25i64,
621 channel: AnyStringProperty,
622 }
623 }
624 }
625 });
626
627 let mut time_matrix_calls = test_helper.mock_time_matrix_client.drain_calls();
628 assert_eq!(
629 &time_matrix_calls.drain::<u64>("wlan_connectivity_states")[..],
630 &[TimeMatrixCall::Fold(Timed::now(1 << 0)), TimeMatrixCall::Fold(Timed::now(1 << 1)),]
631 );
632 assert_eq!(
633 &time_matrix_calls.drain::<u64>("disconnected_networks")[..],
634 &[TimeMatrixCall::Fold(Timed::now(1 << 0))]
635 );
636 assert_eq!(
637 &time_matrix_calls.drain::<u64>("disconnect_sources")[..],
638 &[TimeMatrixCall::Fold(Timed::now(1 << 0))]
639 );
640 }
641}