open-space-toolkit-astrodynamics 15.0.0__py312-none-manylinux2014_aarch64.whl → 15.2.0__py312-none-manylinux2014_aarch64.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1,334 @@
1
+ # Apache License 2.0
2
+
3
+ from typing import Callable
4
+
5
+ import pytest
6
+ import numpy as np
7
+
8
+ from ostk.core.type import Real
9
+ from ostk.core.type import String
10
+
11
+ from ostk.physics.time import Instant
12
+ from ostk.physics.time import Duration
13
+ from ostk.physics.coordinate import Frame
14
+
15
+ from ostk.astrodynamics.solver import LeastSquaresSolver
16
+ from ostk.astrodynamics.solver import FiniteDifferenceSolver
17
+ from ostk.astrodynamics.trajectory import State
18
+ from ostk.astrodynamics.trajectory.state import CoordinateSubset
19
+
20
+
21
+ @pytest.fixture
22
+ def rms_error() -> float:
23
+ return 1.0
24
+
25
+
26
+ @pytest.fixture
27
+ def x_hat() -> np.ndarray:
28
+ return np.array([1.0, 0.0])
29
+
30
+
31
+ @pytest.fixture
32
+ def step(
33
+ rms_error: float,
34
+ x_hat: np.ndarray,
35
+ ) -> LeastSquaresSolver.Step:
36
+ return LeastSquaresSolver.Step(
37
+ rms_error=rms_error,
38
+ x_hat=x_hat,
39
+ )
40
+
41
+
42
+ @pytest.fixture
43
+ def termination_criteria() -> str:
44
+ return "RMS Update Threshold"
45
+
46
+
47
+ @pytest.fixture
48
+ def estimated_state(coordinate_subsets: list[CoordinateSubset]) -> State:
49
+ return State(
50
+ Instant.J2000(),
51
+ [1.0, 0.0],
52
+ Frame.GCRF(),
53
+ coordinate_subsets,
54
+ )
55
+
56
+
57
+ @pytest.fixture
58
+ def estimated_covariance() -> np.ndarray:
59
+ return np.array([[1.0, 0.0], [0.0, 1.0]])
60
+
61
+
62
+ @pytest.fixture
63
+ def estimated_frisbee_covariance() -> np.ndarray:
64
+ return np.array([[1.0, 0.0], [0.0, 1.0]])
65
+
66
+
67
+ @pytest.fixture
68
+ def observation_count() -> int:
69
+ return 10
70
+
71
+
72
+ @pytest.fixture
73
+ def computed_observations(
74
+ observations: list[State],
75
+ ) -> list[State]:
76
+ return observations
77
+
78
+
79
+ @pytest.fixture
80
+ def steps(step: LeastSquaresSolver.Step) -> list[LeastSquaresSolver.Step]:
81
+ return [step]
82
+
83
+
84
+ @pytest.fixture
85
+ def analysis(
86
+ termination_criteria: str,
87
+ estimated_state: State,
88
+ estimated_covariance: np.ndarray,
89
+ estimated_frisbee_covariance: np.ndarray,
90
+ computed_observations: list[State],
91
+ steps: list[LeastSquaresSolver.Step],
92
+ ) -> LeastSquaresSolver.Analysis:
93
+ return LeastSquaresSolver.Analysis(
94
+ termination_criteria=termination_criteria,
95
+ estimated_state=estimated_state,
96
+ estimated_covariance=estimated_covariance,
97
+ estimated_frisbee_covariance=estimated_frisbee_covariance,
98
+ computed_observations=computed_observations,
99
+ steps=steps,
100
+ )
101
+
102
+
103
+ @pytest.fixture
104
+ def max_iteration_count() -> int:
105
+ return 20
106
+
107
+
108
+ @pytest.fixture
109
+ def rms_update_threshold() -> float:
110
+ return 1.0
111
+
112
+
113
+ @pytest.fixture
114
+ def finite_difference_solver() -> FiniteDifferenceSolver:
115
+ return FiniteDifferenceSolver.default()
116
+
117
+
118
+ @pytest.fixture
119
+ def least_squares_solver(
120
+ max_iteration_count: int,
121
+ rms_update_threshold: float,
122
+ finite_difference_solver: FiniteDifferenceSolver,
123
+ ) -> LeastSquaresSolver:
124
+ return LeastSquaresSolver(
125
+ maximum_iteration_count=max_iteration_count,
126
+ rms_update_threshold=rms_update_threshold,
127
+ finite_difference_solver=finite_difference_solver,
128
+ )
129
+
130
+
131
+ @pytest.fixture
132
+ def coordinate_subsets() -> list[CoordinateSubset]:
133
+ return [CoordinateSubset("Position", 1), CoordinateSubset("Velocity", 1)]
134
+
135
+
136
+ @pytest.fixture
137
+ def initial_guess_sigmas(
138
+ coordinate_subsets: list[CoordinateSubset],
139
+ ) -> dict[CoordinateSubset, list[float]]:
140
+ return {
141
+ coordinate_subsets[0]: [1e-1],
142
+ coordinate_subsets[1]: [1e-2],
143
+ }
144
+
145
+
146
+ @pytest.fixture
147
+ def observation_sigmas(
148
+ coordinate_subsets: list[CoordinateSubset],
149
+ ) -> dict[CoordinateSubset, list[float]]:
150
+ return {
151
+ coordinate_subsets[0]: [1e-1],
152
+ coordinate_subsets[1]: [1e-2],
153
+ }
154
+
155
+
156
+ @pytest.fixture
157
+ def initial_instant() -> Instant:
158
+ return Instant.J2000()
159
+
160
+
161
+ @pytest.fixture
162
+ def frame() -> Frame:
163
+ return Frame.GCRF()
164
+
165
+
166
+ @pytest.fixture
167
+ def initial_guess(
168
+ initial_instant: Instant,
169
+ coordinate_subsets: list[CoordinateSubset],
170
+ frame: Frame,
171
+ ) -> State:
172
+ return State(initial_instant, [1.0, 0.0], frame, coordinate_subsets)
173
+
174
+
175
+ @pytest.fixture
176
+ def observations(
177
+ initial_instant: Instant,
178
+ coordinate_subsets: list[CoordinateSubset],
179
+ frame: Frame,
180
+ observation_count: int,
181
+ ) -> list[State]:
182
+ return [
183
+ State(
184
+ initial_instant + Duration.seconds(float(x)),
185
+ [np.cos(x), -np.sin(x)],
186
+ frame,
187
+ coordinate_subsets,
188
+ )
189
+ for x in range(0, observation_count)
190
+ ]
191
+
192
+
193
+ @pytest.fixture
194
+ def state_generator() -> Callable:
195
+ def state_fn(state, instants) -> list[State]:
196
+ x0: float = state.get_coordinates()[0]
197
+ v0: float = state.get_coordinates()[1]
198
+ omega: float = 1.0
199
+
200
+ states: list[State] = []
201
+
202
+ for instant in instants:
203
+ t: float = float((instant - state.get_instant()).in_seconds())
204
+ x: float = x0 * np.cos(omega * t) + v0 / omega * np.sin(omega * t)
205
+ v: float = -x0 * omega * np.sin(omega * t) + v0 * np.cos(omega * t)
206
+
207
+ states.append(
208
+ State(instant, [x, v], Frame.GCRF(), state.get_coordinate_subsets())
209
+ )
210
+
211
+ return states
212
+
213
+ return state_fn
214
+
215
+
216
+ class TestLeastSquaresSolverStep:
217
+
218
+ def test_constructor(
219
+ self,
220
+ step: LeastSquaresSolver.Step,
221
+ ):
222
+ assert isinstance(step, LeastSquaresSolver.Step)
223
+
224
+ def test_getters(
225
+ self,
226
+ step: LeastSquaresSolver.Step,
227
+ rms_error: float,
228
+ x_hat: np.ndarray,
229
+ ):
230
+ assert step.rms_error == rms_error
231
+ assert np.array_equal(step.x_hat, x_hat)
232
+
233
+
234
+ class TestLeastSquaresSolverAnalysis:
235
+
236
+ def test_constructor(
237
+ self,
238
+ analysis: LeastSquaresSolver.Analysis,
239
+ ):
240
+ assert isinstance(analysis, LeastSquaresSolver.Analysis)
241
+
242
+ def test_getters(
243
+ self,
244
+ analysis: LeastSquaresSolver.Analysis,
245
+ ):
246
+ assert isinstance(analysis.rms_error, Real)
247
+ assert isinstance(analysis.observation_count, int)
248
+ assert isinstance(analysis.iteration_count, int)
249
+ assert isinstance(analysis.termination_criteria, String)
250
+ assert isinstance(analysis.estimated_state, State)
251
+ assert isinstance(analysis.estimated_covariance, np.ndarray)
252
+ assert isinstance(analysis.estimated_frisbee_covariance, np.ndarray)
253
+ assert isinstance(analysis.computed_observations, list)
254
+ assert isinstance(analysis.steps, list)
255
+
256
+ def test_compute_residual_states(
257
+ self,
258
+ analysis: LeastSquaresSolver.Analysis,
259
+ observations: list[State],
260
+ ):
261
+ residuals: list[State] = analysis.compute_residual_states(
262
+ observations=observations
263
+ )
264
+
265
+ assert isinstance(residuals, list)
266
+ assert len(residuals) == len(observations)
267
+
268
+
269
+ class TestLeastSquaresSolver:
270
+ def test_constructor(
271
+ self,
272
+ least_squares_solver: LeastSquaresSolver,
273
+ ):
274
+ assert isinstance(least_squares_solver, LeastSquaresSolver)
275
+
276
+ def test_getters(
277
+ self,
278
+ least_squares_solver: LeastSquaresSolver,
279
+ max_iteration_count: int,
280
+ rms_update_threshold: float,
281
+ ):
282
+ assert least_squares_solver.get_max_iteration_count() == max_iteration_count
283
+ assert least_squares_solver.get_rms_update_threshold() == rms_update_threshold
284
+ assert least_squares_solver.get_finite_difference_solver() is not None
285
+
286
+ def test_solve_defaults(
287
+ self,
288
+ least_squares_solver: LeastSquaresSolver,
289
+ initial_guess: State,
290
+ observations: list[State],
291
+ state_generator: callable,
292
+ ):
293
+ analysis = least_squares_solver.solve(
294
+ initial_guess=initial_guess,
295
+ observations=observations,
296
+ state_generator=state_generator,
297
+ )
298
+
299
+ assert analysis is not None
300
+
301
+ def test_solve(
302
+ self,
303
+ least_squares_solver: LeastSquaresSolver,
304
+ initial_guess: State,
305
+ observations: list[State],
306
+ state_generator: callable,
307
+ initial_guess_sigmas: dict[CoordinateSubset, list[float]],
308
+ observation_sigmas: dict[CoordinateSubset, list[float]],
309
+ ):
310
+ analysis = least_squares_solver.solve(
311
+ initial_guess=initial_guess,
312
+ observations=observations,
313
+ state_generator=state_generator,
314
+ initial_guess_sigmas=initial_guess_sigmas,
315
+ observation_sigmas=observation_sigmas,
316
+ )
317
+
318
+ assert analysis is not None
319
+
320
+ def test_calculate_empirical_covariance(
321
+ self,
322
+ observations: list[State],
323
+ ):
324
+ covariance: np.ndarray = LeastSquaresSolver.calculate_empirical_covariance(
325
+ observations
326
+ )
327
+
328
+ assert isinstance(covariance, np.ndarray)
329
+ assert covariance.shape == (2, 2)
330
+
331
+ def test_default(self):
332
+ default_solver: LeastSquaresSolver = LeastSquaresSolver.default()
333
+
334
+ assert isinstance(default_solver, LeastSquaresSolver)
@@ -36,6 +36,24 @@ def orbit(environment: Environment) -> Orbit:
36
36
  )
37
37
 
38
38
 
39
+ @pytest.fixture
40
+ def orbits(environment: Environment) -> list[Orbit]:
41
+ return [
42
+ Orbit.sun_synchronous(
43
+ epoch=Instant.date_time(DateTime(2020, 1, 1, 0, 0, 0), Scale.UTC),
44
+ altitude=Length.kilometers(500.0),
45
+ local_time_at_descending_node=Time(14, 0, 0),
46
+ celestial_object=environment.access_celestial_object_with_name("Earth"),
47
+ ),
48
+ Orbit.sun_synchronous(
49
+ epoch=Instant.date_time(DateTime(2020, 1, 1, 0, 0, 0), Scale.UTC),
50
+ altitude=Length.kilometers(500.0),
51
+ local_time_at_descending_node=Time(12, 0, 0),
52
+ celestial_object=environment.access_celestial_object_with_name("Earth"),
53
+ ),
54
+ ]
55
+
56
+
39
57
  @pytest.fixture
40
58
  def profile(orbit: Orbit) -> Profile:
41
59
  return Profile.local_orbital_frame_pointing(
@@ -56,6 +74,8 @@ def interval() -> Interval:
56
74
  def viewer(interval: Interval) -> Viewer:
57
75
  return Viewer(
58
76
  interval=interval,
77
+ zoom_to_entity=False,
78
+ track_entity=False,
59
79
  )
60
80
 
61
81
 
@@ -74,6 +94,50 @@ class TestViewer:
74
94
  assert "var widget = new Cesium.Viewer" in rendered_html
75
95
  assert rendered_html.endswith("</script>")
76
96
 
97
+ def test_add_orbit_success(
98
+ self,
99
+ viewer: Viewer,
100
+ orbit: Orbit,
101
+ ):
102
+ viewer.add_orbit(
103
+ orbit=orbit,
104
+ step=Duration.seconds(5.0),
105
+ show_orbital_track=True,
106
+ )
107
+
108
+ rendered_html: str = viewer.render()
109
+
110
+ assert rendered_html.startswith('<meta charset="utf-8">')
111
+ assert "var widget = new Cesium.Viewer" in rendered_html
112
+ assert "new Cesium.SampledProperty(Cesium.Cartesian3)" in rendered_html
113
+ assert " widget.entities.add({position: widget" in rendered_html
114
+ assert "widget.entities.add({polyline:" in rendered_html
115
+ assert "billboard: {image:" in rendered_html
116
+ assert rendered_html.endswith("</script>")
117
+
118
+ def test_add_orbit_multiple_success(
119
+ self,
120
+ viewer: Viewer,
121
+ orbits: list[Orbit],
122
+ ):
123
+ for i, orbit in enumerate(orbits):
124
+ viewer.add_orbit(
125
+ orbit=orbit,
126
+ step=Duration.seconds(5.0),
127
+ show_orbital_track=True,
128
+ name=f"Satellite {i}",
129
+ )
130
+
131
+ rendered_html: str = viewer.render()
132
+
133
+ assert rendered_html.startswith('<meta charset="utf-8">')
134
+ assert "var widget = new Cesium.Viewer" in rendered_html
135
+ assert "new Cesium.SampledProperty(Cesium.Cartesian3)" in rendered_html
136
+ assert " widget.entities.add({position: widget" in rendered_html
137
+ assert "widget.entities.add({polyline:" in rendered_html
138
+ assert "billboard: {image:" in rendered_html
139
+ assert rendered_html.endswith("</script>")
140
+
77
141
  def test_add_profile_success(
78
142
  self,
79
143
  viewer: Viewer,
@@ -24,11 +24,16 @@ from ostk.physics.coordinate import Frame
24
24
  from ostk.physics.coordinate.spherical import LLA
25
25
 
26
26
  from ostk.astrodynamics.flight import Profile
27
+ from ostk.astrodynamics.trajectory import Orbit
27
28
  from ostk.astrodynamics.trajectory import State
28
29
 
29
30
  from .converters import coerce_to_datetime
30
31
  from .utilities import lla_from_position
31
32
 
33
+ DEFAULT_SATELLITE_IMAGE: str = (
34
+ "data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAAAXNSR0IArs4c6QAAAARnQU1BAACxjwv8YQUAAAAJcEhZcwAADsMAAA7DAcdvqGQAAADJSURBVDhPnZHRDcMgEEMZjVEYpaNklIzSEfLfD4qNnXAJSFWfhO7w2Zc0Tf9QG2rXrEzSUeZLOGm47WoH95x3Hl3jEgilvDgsOQUTqsNl68ezEwn1vae6lceSEEYvvWNT/Rxc4CXQNGadho1NXoJ+9iaqc2xi2xbt23PJCDIB6TQjOC6Bho/sDy3fBQT8PrVhibU7yBFcEPaRxOoeTwbwByCOYf9VGp1BYI1BA+EeHhmfzKbBoJEQwn1yzUZtyspIQUha85MpkNIXB7GizqDEECsAAAAASUVORK5CYII="
35
+ )
36
+
32
37
 
33
38
  @dataclass
34
39
  class Sensor:
@@ -57,6 +62,8 @@ class Viewer:
57
62
  cesium_token: str | None = None,
58
63
  width: str = "1500px",
59
64
  height: str = "800px",
65
+ zoom_to_entity: bool = True,
66
+ track_entity: bool = True,
60
67
  ) -> None:
61
68
  self._interval: Interval = interval
62
69
 
@@ -81,8 +88,8 @@ class Viewer:
81
88
  scene_mode_picker=False,
82
89
  selection_indicator=False,
83
90
  scene3d_only=True,
84
- zoom_to_entity=True,
85
- track_entity=True,
91
+ zoom_to_entity=zoom_to_entity,
92
+ track_entity=track_entity,
86
93
  default_access_token=cesium_token,
87
94
  )
88
95
 
@@ -90,6 +97,73 @@ class Viewer:
90
97
  def interval(self) -> Interval:
91
98
  return self._interval
92
99
 
100
+ def add_orbit(
101
+ self,
102
+ orbit: Orbit,
103
+ step: Duration,
104
+ name: str = "Satellite",
105
+ show_orbital_track: bool = False,
106
+ color: str | None = None,
107
+ image: str | None = None,
108
+ ) -> None:
109
+ """
110
+ Add Orbit to Viewer.
111
+
112
+ Args:
113
+ orbit (Orbit): Orbit to be added.
114
+ step (Duration): Step between two consecutive states.
115
+ name (str, optional): Name of the orbit. Defaults to "Satellite".
116
+ show_orbital_track (bool, optional): Whether to show the orbital track. Defaults to False.
117
+ color (str, optional): Color of the orbit. Defaults to None.
118
+ image (str, optional): Logo to be added. Defaults to None.
119
+ """
120
+ instants: list[Instant] = self._interval.generate_grid(step)
121
+ states: list[State] = orbit.get_states_at(instants)
122
+ llas: list[LLA] = _generate_llas(states)
123
+
124
+ cesium_positions: cesiumpy.SampledPositionProperty = (
125
+ _generate_sampled_position_from_states(states)
126
+ )
127
+
128
+ self._viewer.entities.add(
129
+ cesiumpy.Billboard(
130
+ name=name,
131
+ position=cesium_positions,
132
+ image=image or DEFAULT_SATELLITE_IMAGE,
133
+ )
134
+ )
135
+
136
+ self._viewer.entities.add(
137
+ cesiumpy.Label(
138
+ position=cesium_positions,
139
+ text=name,
140
+ scale=1.0,
141
+ fill_color=color or cesiumpy.color.WHITE,
142
+ pixel_offset=[0.0, 20.0],
143
+ )
144
+ )
145
+
146
+ if show_orbital_track:
147
+ self._viewer.entities.add(
148
+ cesiumpy.Polyline(
149
+ positions=cesiumpy.entities.cartesian.Cartesian3Array(
150
+ functools.reduce(
151
+ operator.iconcat,
152
+ [
153
+ [
154
+ float(lla.get_longitude().in_degrees()),
155
+ float(lla.get_latitude().in_degrees()),
156
+ float(lla.get_altitude().in_meters()),
157
+ ]
158
+ for lla in llas
159
+ ],
160
+ [],
161
+ )
162
+ ),
163
+ width=1,
164
+ )
165
+ )
166
+
93
167
  def add_profile(
94
168
  self,
95
169
  profile: Profile,
@@ -144,7 +218,7 @@ class Viewer:
144
218
  )
145
219
 
146
220
  satellite = cesiumpy.Satellite(
147
- position=_generate_sampled_position(instants, llas),
221
+ position=_generate_sampled_position_from_llas(instants, llas),
148
222
  orientation=_generate_sampled_orientation(states),
149
223
  availability=cesiumpy.TimeIntervalCollection(
150
224
  intervals=[
@@ -294,7 +368,7 @@ def _generate_llas(states: list[State]) -> list[LLA]:
294
368
  ]
295
369
 
296
370
 
297
- def _generate_sampled_position(
371
+ def _generate_sampled_position_from_llas(
298
372
  instants: list[Instant],
299
373
  llas: list[LLA],
300
374
  ) -> cesiumpy.SampledPositionProperty:
@@ -344,6 +418,33 @@ def _generate_sampled_orientation(states: list[State]) -> cesiumpy.SampledProper
344
418
  )
345
419
 
346
420
 
421
+ def _generate_sampled_position_from_states(
422
+ states: list[State],
423
+ ) -> cesiumpy.SampledPositionProperty:
424
+ """
425
+ Generate a sampled position property from a list of OSTk States.
426
+
427
+ Args:
428
+ states (list[State]): A list of OSTk States.
429
+
430
+ Returns:
431
+ cesiumpy.SampledPositionProperty: Sampled position property.
432
+ """
433
+
434
+ return cesiumpy.SampledPositionProperty(
435
+ samples=[
436
+ (
437
+ coerce_to_datetime(state.get_instant()),
438
+ _cesium_from_ostk_position(
439
+ position=state.in_frame(Frame.ITRF()).get_position()
440
+ ),
441
+ None,
442
+ )
443
+ for state in states
444
+ ],
445
+ )
446
+
447
+
347
448
  def _cesium_from_ostk_position(
348
449
  position: Position,
349
450
  instant: Instant | None = None,