nyx_space/md/events/
details.rs

1/*
2    Nyx, blazing fast astrodynamics
3    Copyright (C) 2018-onwards Christopher Rabotin <christopher.rabotin@gmail.com>
4
5    This program is free software: you can redistribute it and/or modify
6    it under the terms of the GNU Affero General Public License as published
7    by the Free Software Foundation, either version 3 of the License, or
8    (at your option) any later version.
9
10    This program is distributed in the hope that it will be useful,
11    but WITHOUT ANY WARRANTY; without even the implied warranty of
12    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
13    GNU Affero General Public License for more details.
14
15    You should have received a copy of the GNU Affero General Public License
16    along with this program.  If not, see <https://www.gnu.org/licenses/>.
17*/
18
19use anise::almanac::Almanac;
20
21use crate::errors::EventError;
22use crate::linalg::allocator::Allocator;
23use crate::linalg::DefaultAllocator;
24use crate::md::prelude::{Interpolatable, Traj};
25use crate::md::EventEvaluator;
26use crate::time::Duration;
27use core::fmt;
28use serde::{Deserialize, Serialize};
29use std::sync::Arc;
30
31/// Enumerates the possible edges of an event in a trajectory.
32///
33/// `EventEdge` is used to describe the nature of a trajectory event, particularly in terms of its temporal dynamics relative to a specified condition or threshold. This enum helps in distinguishing whether the event is occurring at a rising edge, a falling edge, or if the edge is unclear due to insufficient data or ambiguous conditions.
34#[derive(Copy, Clone, Debug, PartialEq, Serialize, Deserialize)]
35pub enum EventEdge {
36    /// Represents a rising edge of the event. This indicates that the event is transitioning from a lower to a higher evaluation of the event. For example, in the context of elevation, a rising edge would indicate an increase in elevation from a lower angle.
37    Rising,
38    /// Represents a falling edge of the event. This is the opposite of the rising edge, indicating a transition from a higher to a lower value of the event evaluator. For example, if tracking the elevation of an object, a falling edge would signify a
39    Falling,
40    /// If the edge cannot be clearly defined, it will be marked as unclear. This happens if the event is at a saddle point and the epoch precision is too large to find the exact slope.
41    Unclear,
42}
43
44/// Represents the details of an event occurring along a trajectory.
45///
46/// `EventDetails` encapsulates the state at which a particular event occurs in a trajectory, along with additional information about the nature of the event. This struct is particularly useful for understanding the dynamics of the event, such as whether it represents a rising or falling edge, or if the edge is unclear.
47///
48/// # Generics
49/// S: Interpolatable - A type that represents the state of the trajectory. This type must implement the `Interpolatable` trait, ensuring that it can be interpolated and manipulated according to the trajectory's requirements.
50#[derive(Clone, Debug, PartialEq)]
51pub struct EventDetails<S: Interpolatable>
52where
53    DefaultAllocator: Allocator<S::VecLength> + Allocator<S::Size> + Allocator<S::Size, S::Size>,
54{
55    /// The state of the trajectory at the found event.
56    pub state: S,
57    /// Indicates whether the event is a rising edge, falling edge, or unclear. This helps in understanding the direction of change at the event point.
58    pub edge: EventEdge,
59    /// Numerical evaluation of the event condition, e.g. if seeking the apoapsis, this returns the near zero
60    pub value: f64,
61    /// Numertical evaluation of the event condition one epoch step before the found event (used to compute the rising/falling edge).
62    pub prev_value: Option<f64>,
63    /// Numertical evaluation of the event condition one epoch step after the found event (used to compute the rising/falling edge).
64    pub next_value: Option<f64>,
65    /// Precision of the epoch for this value
66    pub pm_duration: Duration,
67    // Store the representation of this event as a string because we can't move or clone the event reference
68    pub repr: String,
69}
70
71impl<S: Interpolatable> EventDetails<S>
72where
73    DefaultAllocator: Allocator<S::VecLength> + Allocator<S::Size> + Allocator<S::Size, S::Size>,
74{
75    /// Generates detailed information about an event at a specific epoch in a trajectory.
76    ///
77    /// This takes an `Epoch` as an input and returns a `Result<Self, EventError>`.
78    /// It is designed to determine the state of a trajectory at a given epoch, evaluate the specific event at that state, and ascertain the nature of the event (rising, falling, or unclear).
79    /// The initialization intelligently determines the edge type of the event by comparing the event's value at the current, previous, and next epochs.
80    /// It ensures robust event characterization in trajectories.
81    ///
82    /// # Returns
83    /// - `Ok(EventDetails<S>)` if the state at the given epoch can be determined and the event details are successfully evaluated.
84    /// - `Err(EventError)` if there is an error in retrieving the state at the specified epoch.
85    ///
86    pub fn new<E: EventEvaluator<S>>(
87        state: S,
88        value: f64,
89        event: &E,
90        traj: &Traj<S>,
91        almanac: Arc<Almanac>,
92    ) -> Result<Self, EventError> {
93        let epoch = state.epoch();
94        let prev_value = if let Ok(state) = traj.at(epoch - event.epoch_precision()) {
95            Some(event.eval(&state, almanac.clone())?)
96        } else {
97            None
98        };
99
100        let next_value = if let Ok(state) = traj.at(epoch + event.epoch_precision()) {
101            Some(event.eval(&state, almanac.clone())?)
102        } else {
103            None
104        };
105
106        let edge = if let Some(prev_value) = prev_value {
107            if let Some(next_value) = next_value {
108                if prev_value > value && value > next_value {
109                    EventEdge::Falling
110                } else if prev_value < value && value < next_value {
111                    EventEdge::Rising
112                } else {
113                    warn!("could not determine edge of {} at {}", event, state.epoch(),);
114                    EventEdge::Unclear
115                }
116            } else if prev_value > value {
117                EventEdge::Falling
118            } else {
119                EventEdge::Rising
120            }
121        } else if let Some(next_value) = next_value {
122            if next_value > value {
123                EventEdge::Rising
124            } else {
125                EventEdge::Falling
126            }
127        } else {
128            warn!(
129                "could not determine edge of {} because trajectory could be queried around {}",
130                event,
131                state.epoch()
132            );
133            EventEdge::Unclear
134        };
135
136        Ok(EventDetails {
137            edge,
138            state,
139            value,
140            prev_value,
141            next_value,
142            pm_duration: event.epoch_precision(),
143            repr: event.eval_string(&state, almanac)?.to_string(),
144        })
145    }
146}
147
148impl<S: Interpolatable> fmt::Display for EventDetails<S>
149where
150    DefaultAllocator: Allocator<S::VecLength> + Allocator<S::Size> + Allocator<S::Size, S::Size>,
151{
152    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
153        let prev_fmt = match self.prev_value {
154            Some(value) => format!("{value:.6}"),
155            None => "".to_string(),
156        };
157
158        let next_fmt = match self.next_value {
159            Some(value) => format!("{value:.6}"),
160            None => "".to_string(),
161        };
162
163        write!(
164            f,
165            "{} and is {:?} (roots with {} intervals: {}, {:.6}, {})",
166            self.repr, self.edge, self.pm_duration, prev_fmt, self.value, next_fmt
167        )
168    }
169}
170
171#[derive(Clone, Debug, PartialEq)]
172pub struct EventArc<S: Interpolatable>
173where
174    DefaultAllocator: Allocator<S::VecLength> + Allocator<S::Size> + Allocator<S::Size, S::Size>,
175{
176    pub rise: EventDetails<S>,
177    pub fall: EventDetails<S>,
178}
179
180impl<S: Interpolatable> fmt::Display for EventArc<S>
181where
182    DefaultAllocator: Allocator<S::VecLength> + Allocator<S::Size> + Allocator<S::Size, S::Size>,
183{
184    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
185        write!(
186            f,
187            "{} until {} (lasts {})",
188            self.rise,
189            self.fall.state.epoch(),
190            self.fall.state.epoch() - self.rise.state.epoch()
191        )
192    }
193}