1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
//! The standard Rerun data types, component types, and archetypes.
//!
//! This crate contains both the IDL definitions for Rerun types (flatbuffers) as well as the code
//! generated from those using `re_types_builder`.
//!
//!
//! ### Organization
//!
//! - `definitions/` contains IDL definitions for all Rerun types (data, components, archetypes).
//! - `src/` contains the code generated for Rust.
//! - `rerun_py/rerun/rerun2/` (at the root of this workspace) contains the code generated for Python.
//!
//! While most of the code in this crate is auto-generated, some manual extensions are littered
//! throughout: look for files ending in `_ext.rs` or `_ext.py` (also see the "Extensions" section
//! of this document).
//!
//!
//! ### Build cache
//!
//! Updating either the source code of the code generator itself (`re_types_builder`) or any of the
//! .fbs files should re-trigger the code generation process the next time `re_types` is built.
//! Manual extension files will be left untouched.
//!
//! Caching is controlled by a versioning hash that is stored in `store_hash.txt`.
//! If you suspect something is wrong with the caching mechanism and that your changes aren't taken
//! into account when they should, try and remove `source_hash.txt`.
//! If that fixes the issue, you've found a bug.
//!
//!
//! ### How-to: add a new datatype/component/archetype
//!
//! Create the appropriate .fbs file in the appropriate place, and make sure it gets included in
//! some way (most likely indirectly) by `archetypes.fbs`, which is the main entrypoint for
//! codegen.
//! Generally, the easiest thing to do is to add your new type to one of the centralized manifests,
//! e.g. for a new component, include it into `components.fbs`.
//!
//! Your file should get picked up automatically by the code generator.
//! Once the code for your new component has been generated, implement whatever extensions you need
//! and make sure to tests any custom constructors you add.
//!
//!
//! ### How-to: remove an existing datatype/component/archetype
//!
//! Simply get rid of the type in question and rebuild `re_types` to trigger codegen.
//!
//! Beware though: if you remove a whole definition file re-running codegen will not remove the
//! associated generated files, you'll have to do that yourself.
//!
//!
//! ### Extensions
//!
//!
//! #### Rust
//!
//! Generated Rust code can be manually extended by adding sibling files with the `_ext.rs`
//! prefix. E.g. to extend `vec2d.rs`, create a `vec2d_ext.rs`.
//!
//! Trigger the codegen (e.g. by removing `source_hash.txt`) to generate the right `mod` clauses
//! automatically.
//!
//! The simplest way to get started is to look at any of the existing examples.
//!
//!
//! #### Python
//!
//! Generated Python code can be manually extended by adding a sibling file with the `_ext.py`
//! prefix. E.g. to extend `vec2d.py`, create a `vec2d_ext.py`.
//!
//! This sibling file needs to implement an extension class that is mixed in with the
//! auto-generated class.
//! The simplest way to get started is to look at any of the existing examples.

// ---

/// Anything that can be serialized to and deserialized from Arrow data.
pub trait Loggable: Sized {
    type Name;
    type Item<'a>;
    type Iter<'a>: Iterator<Item = Self::Item<'a>>;

    /// The fully-qualified name of this loggable, e.g. `rerun.datatypes.Vec2D`.
    fn name() -> Self::Name;

    /// The underlying [`arrow2::datatypes::DataType`].
    fn to_arrow_datatype() -> arrow2::datatypes::DataType;

    // ---

    /// Given an iterator of owned or reference values to the current [`Loggable`], serializes
    /// them into an Arrow array.
    /// The Arrow array's datatype will match [`Loggable::to_arrow_datatype`].
    ///
    /// Panics on failure.
    /// This will _never_ fail for Rerun's builtin [`Loggable`]s.
    ///
    /// For the fallible version, see [`Loggable::try_to_arrow`].
    #[inline]
    fn to_arrow<'a>(
        data: impl IntoIterator<Item = impl Into<::std::borrow::Cow<'a, Self>>>,
        extension_wrapper: Option<&str>,
    ) -> Box<dyn ::arrow2::array::Array>
    where
        Self: Clone + 'a,
    {
        Self::try_to_arrow_opt(data.into_iter().map(Some), extension_wrapper).detailed_unwrap()
    }

    /// Given an iterator of owned or reference values to the current [`Loggable`], serializes
    /// them into an Arrow array.
    /// The Arrow array's datatype will match [`Loggable::to_arrow_datatype`].
    ///
    /// This will _never_ fail for Rerun's builtin [`Loggable`].
    /// For the non-fallible version, see [`Loggable::to_arrow`].
    #[inline]
    fn try_to_arrow<'a>(
        data: impl IntoIterator<Item = impl Into<::std::borrow::Cow<'a, Self>>>,
        extension_wrapper: Option<&str>,
    ) -> SerializationResult<Box<dyn ::arrow2::array::Array>>
    where
        Self: Clone + 'a,
    {
        Self::try_to_arrow_opt(data.into_iter().map(Some), extension_wrapper)
    }

    /// Given an iterator of options of owned or reference values to the current
    /// [`Loggable`], serializes them into an Arrow array.
    /// The Arrow array's datatype will match [`Loggable::to_arrow_datatype`].
    ///
    /// Panics on failure.
    /// This will _never_ fail for Rerun's builtin [`Loggable`].
    ///
    /// For the fallible version, see [`Loggable::try_to_arrow_opt`].
    #[inline]
    fn to_arrow_opt<'a>(
        data: impl IntoIterator<Item = Option<impl Into<::std::borrow::Cow<'a, Self>>>>,
        extension_wrapper: Option<&str>,
    ) -> Box<dyn ::arrow2::array::Array>
    where
        Self: Clone + 'a,
    {
        Self::try_to_arrow_opt(data, extension_wrapper).detailed_unwrap()
    }

    /// Given an iterator of options of owned or reference values to the current
    /// [`Loggable`], serializes them into an Arrow array.
    /// The Arrow array's datatype will match [`Loggable::to_arrow_datatype`].
    ///
    /// This will _never_ fail for Rerun's builtin [`Loggable`].
    /// For the non-fallible version, see [`Loggable::to_arrow_opt`].
    fn try_to_arrow_opt<'a>(
        data: impl IntoIterator<Item = Option<impl Into<::std::borrow::Cow<'a, Self>>>>,
        extension_wrapper: Option<&str>,
    ) -> SerializationResult<Box<dyn ::arrow2::array::Array>>
    where
        Self: Clone + 'a;

    // ---

    /// Given an Arrow array, deserializes it into a collection of [`Loggable`]s.
    ///
    /// Panics if the data schema doesn't match, or if optional entries were missing at runtime.
    /// For the non-fallible version, see [`Loggable::try_from_arrow`].
    #[inline]
    fn from_arrow(data: &dyn ::arrow2::array::Array) -> Vec<Self> {
        Self::try_iter_from_arrow(data)
            .detailed_unwrap()
            .map(Self::convert_item_to_self)
            .map(|v| {
                v.ok_or_else(|| DeserializationError::MissingData {
                    backtrace: ::backtrace::Backtrace::new_unresolved(),
                })
                .detailed_unwrap()
            })
            .collect()
    }

    /// Given an Arrow array, deserializes it into a collection of [`Loggable`]s.
    ///
    /// This will _never_ fail if the Arrow array's datatype matches the one returned by
    /// [`Loggable::to_arrow_datatype`].
    /// For the non-fallible version, see [`Loggable::from_arrow_opt`].
    #[inline]
    fn try_from_arrow(data: &dyn ::arrow2::array::Array) -> DeserializationResult<Vec<Self>> {
        Self::try_iter_from_arrow(data)?
            .map(Self::convert_item_to_self)
            .map(|v| {
                v.ok_or_else(|| DeserializationError::MissingData {
                    backtrace: ::backtrace::Backtrace::new_unresolved(),
                })
            })
            .collect()
    }

    /// Given an Arrow array, deserializes it into a collection of optional [`Loggable`]s.
    ///
    /// This will _never_ fail if the Arrow array's datatype matches the one returned by
    /// [`Loggable::to_arrow_datatype`].
    /// For the fallible version, see [`Loggable::try_from_arrow_opt`].
    #[inline]
    fn from_arrow_opt(data: &dyn ::arrow2::array::Array) -> Vec<Option<Self>> {
        Self::try_from_arrow_opt(data).detailed_unwrap()
    }

    /// Given an Arrow array, deserializes it into a collection of optional [`Loggable`]s.
    ///
    /// This will _never_ fail if the Arrow array's datatype matches the one returned by
    /// [`Loggable::to_arrow_datatype`].
    /// For the non-fallible version, see [`Loggable::from_arrow_opt`].
    #[inline]
    fn try_from_arrow_opt(
        data: &dyn ::arrow2::array::Array,
    ) -> DeserializationResult<Vec<Option<Self>>> {
        Ok(Self::try_iter_from_arrow(data)?
            .map(Self::convert_item_to_self)
            .collect())
    }

    /// Given an Arrow array, deserializes it into a iterator of [`Loggable::Item`]s.
    ///
    /// Note: mostly for reasons related to typing of trait implementations, the implementor
    /// of [`Loggable`] may choose an arbitrary iterable [`Loggable::Item`] that  differs from
    /// the [`Loggable`] itself.
    ///
    /// These items can be be converted to an optional [`Loggable`] using [`Loggable::convert_item_to_self`].
    ///
    /// This is the base deserialization mechanism that all [`Loggable`] implementors must provide. All other
    /// conversions above can be generated from this primitive.
    ///
    /// This will _never_ fail for if the Arrow array's datatype matches the one returned by
    /// [`Loggable::to_arrow_datatype`].
    fn try_iter_from_arrow(
        data: &dyn ::arrow2::array::Array,
    ) -> DeserializationResult<Self::Iter<'_>>;

    /// Convert a [`Loggable::Item`] into an optional [`Loggable`]
    ///
    /// This is intended to be used with [`Loggable::try_iter_from_arrow`]
    fn convert_item_to_self(item: Self::Item<'_>) -> Option<Self>;
}

/// The fully-qualified name of a [`Datatype`], e.g. `rerun.datatypes.Vec2D`.
pub type DatatypeName = ::std::borrow::Cow<'static, str>;

/// A [`Datatype`] describes plain old data that can be used by any number of [`Component`].
pub trait Datatype: Loggable {}

pub trait Component: Loggable<Name = ComponentName> + Clone {}

// ---

/// The fully-qualified name of an [`Archetype`], e.g. `rerun.archetypes.Points2D`.
pub type ArchetypeName = ::std::borrow::Cow<'static, str>;

pub trait Archetype {
    /// The fully-qualified name of this archetype, e.g. `rerun.archetypes.Points2D`.
    fn name() -> ArchetypeName;

    // ---

    /// The fully-qualified component names of every component that _must_ be provided by the user
    /// when constructing this archetype.
    fn required_components() -> &'static [ComponentName];

    /// The fully-qualified component names of every component that _should_ be provided by the user
    /// when constructing this archetype.
    fn recommended_components() -> &'static [ComponentName];

    /// The fully-qualified component names of every component that _could_ be provided by the user
    /// when constructing this archetype.
    fn optional_components() -> &'static [ComponentName];

    /// All components including required, recommended, and optional.
    fn all_components() -> &'static [ComponentName];

    // ---

    /// Serializes all non-null [`Component`]s of this [`Archetype`] into Arrow arrays.
    ///
    /// Panics on failure.
    /// This can _never_ fail for Rerun's builtin archetypes.
    ///
    /// For the fallible version, see [`Archetype::try_to_arrow`].
    #[inline]
    fn to_arrow(&self) -> Vec<(::arrow2::datatypes::Field, Box<dyn ::arrow2::array::Array>)> {
        self.try_to_arrow().detailed_unwrap()
    }

    /// Serializes all non-null [`Component`]s of this [`Archetype`] into Arrow arrays.
    ///
    /// This can _never_ fail for Rerun's builtin archetypes.
    /// For the non-fallible version, see [`Archetype::to_arrow`].
    fn try_to_arrow(
        &self,
    ) -> SerializationResult<Vec<(::arrow2::datatypes::Field, Box<dyn ::arrow2::array::Array>)>>;

    // ---

    /// Given an iterator of Arrow arrays and their respective field metadata, deserializes them
    /// into this archetype.
    ///
    /// Panics on failure.
    /// For the fallible version, see [`Archetype::try_from_arrow`].
    ///
    /// Arrow arrays that are unknown to this [`Archetype`] will simply be ignored and a warning
    /// logged to stderr.
    #[inline]
    fn from_arrow(
        data: impl IntoIterator<Item = (::arrow2::datatypes::Field, Box<dyn ::arrow2::array::Array>)>,
    ) -> Self
    where
        Self: Sized,
    {
        Self::try_from_arrow(data).detailed_unwrap()
    }

    /// Given an iterator of Arrow arrays and their respective field metadata, deserializes them
    /// into this archetype.
    ///
    /// Arrow arrays that are unknown to this [`Archetype`] will simply be ignored and a warning
    /// logged to stderr.
    ///
    /// For the non-fallible version, see [`Archetype::from_arrow`].
    fn try_from_arrow(
        data: impl IntoIterator<Item = (::arrow2::datatypes::Field, Box<dyn ::arrow2::array::Array>)>,
    ) -> DeserializationResult<Self>
    where
        Self: Sized;
}

// ---

// NOTE: We have to make an alias, otherwise we'll trigger `thiserror`'s magic codepath which will
// attempt to use nightly features.
type _Backtrace = backtrace::Backtrace;

#[derive(thiserror::Error, Debug, Clone)]
pub enum SerializationError {
    #[error("Failed to serialize {location:?}")]
    Context {
        location: String,
        source: Box<SerializationError>,
    },

    #[error("arrow2-convert serialization Failed: {0}")]
    ArrowConvertFailure(String),
}

pub type SerializationResult<T> = ::std::result::Result<T, SerializationError>;

#[derive(thiserror::Error, Debug, Clone)]
pub enum DeserializationError {
    #[error("Failed to deserialize {location:?}")]
    Context {
        location: String,
        #[source]
        source: Box<DeserializationError>,
    },

    #[error("Expected non-nullable data but didn't find any")]
    MissingData { backtrace: _Backtrace },

    #[error("Expected {expected:#?} but found {got:#?} instead")]
    DatatypeMismatch {
        expected: ::arrow2::datatypes::DataType,
        got: ::arrow2::datatypes::DataType,
        backtrace: _Backtrace,
    },

    #[error(
        "Offsets were ouf of bounds, trying to read from {bounds:?} in an array of size {len}"
    )]
    OffsetsMismatch {
        bounds: (usize, usize),
        len: usize,
        backtrace: _Backtrace,
    },

    #[error("Expected array of length {expected} but found a length of {got:#?} instead")]
    ArrayLengthMismatch {
        expected: usize,
        got: usize,
        backtrace: _Backtrace,
    },

    #[error("Expected single-instanced component but found {got} instances instead")]
    MonoMismatch { got: usize, backtrace: _Backtrace },

    #[error("arrow2-convert deserialization Failed: {0}")]
    ArrowConvertFailure(String),

    #[error("Datacell deserialization Failed: {0}")]
    DataCellError(String),
}

pub type DeserializationResult<T> = ::std::result::Result<T, DeserializationError>;

trait ResultExt<T> {
    fn detailed_unwrap(self) -> T;
}

impl<T> ResultExt<T> for SerializationResult<T> {
    fn detailed_unwrap(self) -> T {
        fn find_backtrace(err: &SerializationError) -> Option<_Backtrace> {
            match err {
                SerializationError::Context { .. } | SerializationError::ArrowConvertFailure(_) => {
                    None
                }
            }
        }

        match self {
            Ok(v) => v,
            Err(err) => {
                let bt = find_backtrace(&err).map(|mut bt| {
                    bt.resolve();
                    bt
                });

                let err = Box::new(err) as Box<dyn std::error::Error>;
                if let Some(bt) = bt {
                    panic!("{}:\n{:#?}", re_error::format(&err), bt)
                } else {
                    panic!("{}", re_error::format(&err))
                }
            }
        }
    }
}

impl<T> ResultExt<T> for DeserializationResult<T> {
    fn detailed_unwrap(self) -> T {
        fn find_backtrace(err: &DeserializationError) -> Option<_Backtrace> {
            match err {
                DeserializationError::Context {
                    location: _,
                    source,
                } => find_backtrace(source),
                DeserializationError::MissingData { backtrace }
                | DeserializationError::DatatypeMismatch { backtrace, .. }
                | DeserializationError::OffsetsMismatch { backtrace, .. }
                | DeserializationError::ArrayLengthMismatch { backtrace, .. }
                | DeserializationError::MonoMismatch { backtrace, .. } => Some(backtrace.clone()),
                DeserializationError::ArrowConvertFailure(_)
                | DeserializationError::DataCellError(_) => None,
            }
        }

        match self {
            Ok(v) => v,
            Err(err) => {
                let bt = find_backtrace(&err).map(|mut bt| {
                    bt.resolve();
                    bt
                });

                let err = Box::new(err) as Box<dyn std::error::Error>;
                if let Some(bt) = bt {
                    panic!("{}:\n{:#?}", re_error::format(&err), bt)
                } else {
                    panic!("{}", re_error::format(&err))
                }
            }
        }
    }
}

// ---

/// Number of decimals shown for all vector display methods.
pub const DISPLAY_PRECISION: usize = 3;

pub mod archetypes;
pub mod components;
pub mod datatypes;

mod component_name;
mod size_bytes;

pub use component_name::ComponentName;
pub use size_bytes::SizeBytes;

#[cfg(feature = "testing")]
pub mod testing;