reachability_core/
neighbor_cache.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 log::error;
6use std::collections::HashMap;
7use {
8    fidl_fuchsia_net as fnet, fidl_fuchsia_net_neighbor as fnet_neighbor,
9    fidl_fuchsia_net_neighbor_ext as fnet_neighbor_ext,
10};
11
12use super::Id;
13
14#[derive(Debug, Clone)]
15#[cfg_attr(test, derive(PartialEq, Eq))]
16pub(crate) enum NeighborHealth {
17    Unknown,
18    Healthy { last_observed: zx::MonotonicInstant },
19    Unhealthy { last_healthy: Option<zx::MonotonicInstant> },
20}
21
22impl NeighborHealth {
23    fn last_healthy(&self) -> Option<zx::MonotonicInstant> {
24        match self {
25            NeighborHealth::Unknown => None,
26            NeighborHealth::Healthy { last_observed } => Some(*last_observed),
27            NeighborHealth::Unhealthy { last_healthy } => *last_healthy,
28        }
29    }
30
31    /// Transitions to a new [`NeighborHealth`] state given a new
32    /// [`fnet_neighbor::EntryState`].
33    ///
34    /// Entry states that do not explicitly encode healthy or unhealthy status
35    /// (`Delay`, `Probe`, `Static`, `Stale`) will maintain the state machine in
36    /// the current state.
37    ///
38    /// `Stale` does not change the current neighbor health because it can't
39    /// infer two-way reachability. There are two notable cases where a neighbor
40    /// could be in `Stale` repeatedly or for long periods:
41    /// - If interest in the neighbor goes away. The neighbor health state
42    ///   machine is only used for gateway health, and the reachability
43    ///   component generates traffic directed at gateways. So we can expect
44    ///   neighbors to not be parked in the stale state for very long.
45    /// - If the neighbor repeatedly changes its Mac address. This is taken to
46    ///   be a pathological corner case and probably causes the network to be
47    ///   unhealthy either way.
48    ///
49    /// A `Reachable` entry will always move to a `Healthy` state.
50    ///
51    /// An `Incomplete` or `Unreachable` entry will always move to an
52    /// `Unhealthy` state.
53    fn transition(&self, now: zx::MonotonicInstant, state: fnet_neighbor::EntryState) -> Self {
54        match state {
55            fnet_neighbor::EntryState::Incomplete | fnet_neighbor::EntryState::Unreachable => {
56                NeighborHealth::Unhealthy { last_healthy: self.last_healthy() }
57            }
58            fnet_neighbor::EntryState::Reachable => NeighborHealth::Healthy { last_observed: now },
59            fnet_neighbor::EntryState::Delay
60            | fnet_neighbor::EntryState::Probe
61            | fnet_neighbor::EntryState::Static
62            | fnet_neighbor::EntryState::Stale => self.clone(),
63        }
64    }
65}
66
67#[derive(Debug, Clone)]
68#[cfg_attr(test, derive(PartialEq, Eq))]
69pub(crate) struct NeighborState {
70    health: NeighborHealth,
71}
72
73impl NeighborState {
74    #[cfg(test)]
75    pub(crate) const fn new(health: NeighborHealth) -> Self {
76        Self { health }
77    }
78}
79
80#[derive(Debug, Default)]
81#[cfg_attr(test, derive(Eq, PartialEq))]
82pub struct InterfaceNeighborCache {
83    pub(crate) neighbors: HashMap<fnet::IpAddress, NeighborState>,
84}
85
86impl InterfaceNeighborCache {
87    pub(crate) fn iter_health(
88        &self,
89    ) -> impl Iterator<Item = (&'_ fnet::IpAddress, &'_ NeighborHealth)> {
90        let Self { neighbors } = self;
91        neighbors.iter().map(|(n, NeighborState { health })| (n, health))
92    }
93}
94
95#[cfg(test)]
96impl FromIterator<(fnet::IpAddress, NeighborState)> for InterfaceNeighborCache {
97    fn from_iter<T: IntoIterator<Item = (fnet::IpAddress, NeighborState)>>(iter: T) -> Self {
98        Self { neighbors: FromIterator::from_iter(iter) }
99    }
100}
101
102/// Provides a cache of known neighbors and keeps track of their health.
103#[derive(Debug, Default)]
104pub struct NeighborCache {
105    interfaces: HashMap<Id, InterfaceNeighborCache>,
106}
107
108impl NeighborCache {
109    pub fn process_neighbor_event(&mut self, e: fnet_neighbor::EntryIteratorItem) {
110        let Self { interfaces } = self;
111        enum Event {
112            Added,
113            Changed,
114            Removed,
115        }
116        let (event, entry) = match e {
117            fnet_neighbor::EntryIteratorItem::Existing(entry)
118            | fnet_neighbor::EntryIteratorItem::Added(entry) => (Event::Added, entry),
119            fnet_neighbor::EntryIteratorItem::Idle(fnet_neighbor::IdleEvent {}) => {
120                return;
121            }
122            fnet_neighbor::EntryIteratorItem::Changed(entry) => (Event::Changed, entry),
123            fnet_neighbor::EntryIteratorItem::Removed(entry) => (Event::Removed, entry),
124        };
125        let fnet_neighbor_ext::Entry { interface, neighbor, state, mac: _, updated_at } =
126            match fnet_neighbor_ext::Entry::try_from(entry) {
127                Ok(entry) => entry,
128                Err(e) => {
129                    error!(e:? = e; "invalid neighbor entry");
130                    return;
131                }
132            };
133        let updated_at = zx::MonotonicInstant::from_nanos(updated_at);
134
135        let InterfaceNeighborCache { neighbors } =
136            interfaces.entry(interface).or_insert_with(Default::default);
137
138        match event {
139            Event::Added => match neighbors.entry(neighbor) {
140                std::collections::hash_map::Entry::Occupied(occupied) => {
141                    error!(entry:? = occupied; "received entry for already existing neighbor");
142                    return;
143                }
144                std::collections::hash_map::Entry::Vacant(vacant) => {
145                    let _: &mut _ = vacant.insert(NeighborState {
146                        health: NeighborHealth::Unknown.transition(updated_at, state),
147                    });
148                }
149            },
150            Event::Changed => {
151                let NeighborState { health } = match neighbors.get_mut(&neighbor) {
152                    Some(s) => s,
153                    None => {
154                        error!(neigh:? = neighbor; "got changed event for unseen neighbor");
155                        return;
156                    }
157                };
158                *health = health.transition(updated_at, state);
159            }
160            Event::Removed => match neighbors.remove(&neighbor) {
161                Some(NeighborState { .. }) => {
162                    if neighbors.is_empty() {
163                        // Clean up interface state when we see all neighbors
164                        // removed. Unwrap is valid because `neighbors` is
165                        // itself a borrow into the map's entry.
166                        InterfaceNeighborCache { .. } = interfaces.remove(&interface).unwrap();
167                    }
168                }
169                None => {
170                    error!(neigh:? = neighbor; "got removed event for unseen neighbor");
171                }
172            },
173        }
174    }
175
176    pub fn get_interface_neighbors(&self, interface: Id) -> Option<&InterfaceNeighborCache> {
177        let Self { interfaces } = self;
178        interfaces.get(&interface)
179    }
180}
181
182#[cfg(test)]
183mod tests {
184    use super::*;
185    use net_declare::fidl_ip;
186
187    const IFACE1: Id = 1;
188    const IFACE2: Id = 2;
189    const NEIGH1: fnet::IpAddress = fidl_ip!("192.0.2.1");
190    const NEIGH2: fnet::IpAddress = fidl_ip!("2001:db8::1");
191
192    struct EventSource {
193        now: zx::MonotonicInstant,
194    }
195
196    impl EventSource {
197        fn new() -> Self {
198            Self { now: zx::MonotonicInstant::from_nanos(0) }
199        }
200
201        fn advance_secs(&mut self, secs: u64) {
202            self.now += zx::MonotonicDuration::from_seconds(secs.try_into().unwrap());
203        }
204
205        fn entry(
206            &self,
207            interface: Id,
208            neighbor: fnet::IpAddress,
209            state: fnet_neighbor::EntryState,
210        ) -> NeighborEntry {
211            NeighborEntry { interface, neighbor, state, updated_at: self.now }
212        }
213
214        fn reachable(&self, interface: Id, neighbor: fnet::IpAddress) -> NeighborEntry {
215            self.entry(interface, neighbor, fnet_neighbor::EntryState::Reachable)
216        }
217
218        fn probe(&self, interface: Id, neighbor: fnet::IpAddress) -> NeighborEntry {
219            self.entry(interface, neighbor, fnet_neighbor::EntryState::Probe)
220        }
221
222        fn stale(&self, interface: Id, neighbor: fnet::IpAddress) -> NeighborEntry {
223            self.entry(interface, neighbor, fnet_neighbor::EntryState::Stale)
224        }
225
226        fn delay(&self, interface: Id, neighbor: fnet::IpAddress) -> NeighborEntry {
227            self.entry(interface, neighbor, fnet_neighbor::EntryState::Delay)
228        }
229
230        fn incomplete(&self, interface: Id, neighbor: fnet::IpAddress) -> NeighborEntry {
231            self.entry(interface, neighbor, fnet_neighbor::EntryState::Incomplete)
232        }
233
234        fn unreachable(&self, interface: Id, neighbor: fnet::IpAddress) -> NeighborEntry {
235            self.entry(interface, neighbor, fnet_neighbor::EntryState::Unreachable)
236        }
237    }
238
239    struct NeighborEntry {
240        interface: Id,
241        neighbor: fnet::IpAddress,
242        state: fnet_neighbor::EntryState,
243        updated_at: zx::MonotonicInstant,
244    }
245
246    impl NeighborEntry {
247        fn into_entry(self) -> fnet_neighbor::Entry {
248            let Self { interface, neighbor, state, updated_at } = self;
249            fnet_neighbor::Entry {
250                interface: Some(interface),
251                neighbor: Some(neighbor),
252                state: Some(state),
253                updated_at: Some(updated_at.into_nanos()),
254                ..Default::default()
255            }
256        }
257
258        fn into_added(self) -> fnet_neighbor::EntryIteratorItem {
259            fnet_neighbor::EntryIteratorItem::Added(self.into_entry())
260        }
261
262        fn into_changed(self) -> fnet_neighbor::EntryIteratorItem {
263            fnet_neighbor::EntryIteratorItem::Changed(self.into_entry())
264        }
265
266        fn into_removed(self) -> fnet_neighbor::EntryIteratorItem {
267            fnet_neighbor::EntryIteratorItem::Removed(self.into_entry())
268        }
269    }
270
271    impl NeighborCache {
272        fn assert_neighbors(
273            &self,
274            interface: Id,
275            it: impl IntoIterator<Item = (fnet::IpAddress, NeighborHealth)>,
276        ) {
277            let InterfaceNeighborCache { neighbors } =
278                self.get_interface_neighbors(interface).unwrap();
279            let it = it
280                .into_iter()
281                .map(|(n, health)| (n, NeighborState { health }))
282                .collect::<HashMap<_, _>>();
283            assert_eq!(neighbors, &it);
284        }
285    }
286
287    #[fuchsia::test]
288    fn caches_healthy_neighbors_per_interface() {
289        let mut cache = NeighborCache::default();
290        let mut events = EventSource::new();
291        cache.process_neighbor_event(events.reachable(IFACE1, NEIGH1).into_added());
292        cache.assert_neighbors(
293            IFACE1,
294            [(NEIGH1, NeighborHealth::Healthy { last_observed: events.now })],
295        );
296
297        events.advance_secs(1);
298        cache.process_neighbor_event(events.reachable(IFACE2, NEIGH2).into_added());
299        cache.assert_neighbors(
300            IFACE2,
301            [(NEIGH2, NeighborHealth::Healthy { last_observed: events.now })],
302        );
303    }
304
305    #[fuchsia::test]
306    fn updates_healthy_state() {
307        let mut cache = NeighborCache::default();
308        let mut events = EventSource::new();
309        cache.process_neighbor_event(events.reachable(IFACE1, NEIGH1).into_added());
310        cache.assert_neighbors(
311            IFACE1,
312            [(NEIGH1, NeighborHealth::Healthy { last_observed: events.now })],
313        );
314
315        events.advance_secs(3);
316        cache.process_neighbor_event(events.reachable(IFACE1, NEIGH1).into_changed());
317        cache.assert_neighbors(
318            IFACE1,
319            [(NEIGH1, NeighborHealth::Healthy { last_observed: events.now })],
320        );
321    }
322
323    #[fuchsia::test]
324    fn probe_reachable_stale() {
325        let mut cache = NeighborCache::default();
326        let mut events = EventSource::new();
327
328        cache.process_neighbor_event(events.probe(IFACE1, NEIGH1).into_added());
329        cache.assert_neighbors(IFACE1, [(NEIGH1, NeighborHealth::Unknown)]);
330        events.advance_secs(1);
331
332        cache.process_neighbor_event(events.reachable(IFACE1, NEIGH1).into_changed());
333        cache.assert_neighbors(
334            IFACE1,
335            [(NEIGH1, NeighborHealth::Healthy { last_observed: events.now })],
336        );
337
338        let last_healthy = events.now;
339        events.advance_secs(1);
340        cache.process_neighbor_event(events.stale(IFACE1, NEIGH1).into_changed());
341        cache.assert_neighbors(
342            IFACE1,
343            [(NEIGH1, NeighborHealth::Healthy { last_observed: last_healthy })],
344        );
345    }
346
347    #[fuchsia::test]
348    fn stale_delay_reachable() {
349        let mut cache = NeighborCache::default();
350        let mut events = EventSource::new();
351
352        cache.process_neighbor_event(events.stale(IFACE1, NEIGH1).into_added());
353        cache.assert_neighbors(IFACE1, [(NEIGH1, NeighborHealth::Unknown)]);
354
355        events.advance_secs(1);
356        cache.process_neighbor_event(events.delay(IFACE1, NEIGH1).into_changed());
357        cache.assert_neighbors(IFACE1, [(NEIGH1, NeighborHealth::Unknown)]);
358
359        events.advance_secs(1);
360        cache.process_neighbor_event(events.reachable(IFACE1, NEIGH1).into_changed());
361        cache.assert_neighbors(
362            IFACE1,
363            [(NEIGH1, NeighborHealth::Healthy { last_observed: events.now })],
364        );
365    }
366
367    #[fuchsia::test]
368    fn reachable_unreachable() {
369        let mut cache = NeighborCache::default();
370        let mut events = EventSource::new();
371
372        cache.process_neighbor_event(events.reachable(IFACE1, NEIGH1).into_added());
373        cache.assert_neighbors(
374            IFACE1,
375            [(NEIGH1, NeighborHealth::Healthy { last_observed: events.now })],
376        );
377
378        let last_healthy = Some(events.now);
379        events.advance_secs(1);
380        cache.process_neighbor_event(events.unreachable(IFACE1, NEIGH1).into_changed());
381        cache.assert_neighbors(IFACE1, [(NEIGH1, NeighborHealth::Unhealthy { last_healthy })]);
382    }
383
384    #[fuchsia::test]
385    fn probe_incomplete() {
386        let mut cache = NeighborCache::default();
387        let mut events = EventSource::new();
388
389        cache.process_neighbor_event(events.probe(IFACE1, NEIGH1).into_added());
390        cache.assert_neighbors(IFACE1, [(NEIGH1, NeighborHealth::Unknown)]);
391
392        events.advance_secs(1);
393        cache.process_neighbor_event(events.incomplete(IFACE1, NEIGH1).into_changed());
394        cache
395            .assert_neighbors(IFACE1, [(NEIGH1, NeighborHealth::Unhealthy { last_healthy: None })]);
396    }
397
398    #[fuchsia::test]
399    fn stale_unreachable_probe_incomplete() {
400        let mut cache = NeighborCache::default();
401        let mut events = EventSource::new();
402
403        cache.process_neighbor_event(events.stale(IFACE1, NEIGH1).into_added());
404        cache.assert_neighbors(IFACE1, [(NEIGH1, NeighborHealth::Unknown)]);
405
406        events.advance_secs(1);
407        cache.process_neighbor_event(events.unreachable(IFACE1, NEIGH1).into_changed());
408        cache
409            .assert_neighbors(IFACE1, [(NEIGH1, NeighborHealth::Unhealthy { last_healthy: None })]);
410
411        events.advance_secs(1);
412        cache.process_neighbor_event(events.probe(IFACE1, NEIGH1).into_changed());
413        cache
414            .assert_neighbors(IFACE1, [(NEIGH1, NeighborHealth::Unhealthy { last_healthy: None })]);
415
416        events.advance_secs(1);
417        cache.process_neighbor_event(events.incomplete(IFACE1, NEIGH1).into_changed());
418        cache
419            .assert_neighbors(IFACE1, [(NEIGH1, NeighborHealth::Unhealthy { last_healthy: None })]);
420    }
421
422    #[fuchsia::test]
423    fn removing_last_neighbor_clears_interface_state() {
424        let mut cache = NeighborCache::default();
425        let events = EventSource::new();
426
427        cache.process_neighbor_event(events.probe(IFACE1, NEIGH1).into_added());
428        cache.assert_neighbors(IFACE1, [(NEIGH1, NeighborHealth::Unknown)]);
429
430        cache.process_neighbor_event(events.probe(IFACE1, NEIGH1).into_removed());
431        assert_eq!(cache.get_interface_neighbors(IFACE1), None);
432    }
433}