re_types_core/loggable_batch.rs
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
use std::borrow::Cow;
use crate::{
ArchetypeFieldName, ArchetypeName, Component, ComponentDescriptor, ComponentName, Loggable,
SerializationResult,
};
use arrow::array::ListArray as ArrowListArray;
#[allow(unused_imports)] // used in docstrings
use crate::Archetype;
// ---
/// A [`LoggableBatch`] represents an array's worth of [`Loggable`] instances, ready to be
/// serialized.
///
/// [`LoggableBatch`] is carefully designed to be erasable ("object-safe"), so that it is possible
/// to build heterogeneous collections of [`LoggableBatch`]s (e.g. `Vec<dyn LoggableBatch>`).
/// This erasability is what makes extending [`Archetype`]s possible with little effort.
///
/// You should almost never need to implement [`LoggableBatch`] manually, as it is already
/// blanket implemented for most common use cases (arrays/vectors/slices of loggables, etc).
pub trait LoggableBatch {
// NOTE: It'd be tempting to have the following associated type, but that'd be
// counterproductive, the whole point of this is to allow for heterogeneous collections!
// type Loggable: Loggable;
/// Serializes the batch into an Arrow array.
fn to_arrow(&self) -> SerializationResult<arrow::array::ArrayRef>;
}
#[allow(dead_code)]
fn assert_loggablebatch_object_safe() {
let _: &dyn LoggableBatch;
}
/// A [`ComponentBatch`] represents an array's worth of [`Component`] instances.
pub trait ComponentBatch: LoggableBatch {
/// Serializes the batch into an Arrow list array with a single component per list.
fn to_arrow_list_array(&self) -> SerializationResult<ArrowListArray> {
let array = self.to_arrow()?;
let offsets =
arrow::buffer::OffsetBuffer::from_lengths(std::iter::repeat(1).take(array.len()));
let nullable = true;
let field = arrow::datatypes::Field::new("item", array.data_type().clone(), nullable);
ArrowListArray::try_new(field.into(), offsets, array, None).map_err(|err| err.into())
}
/// Returns the complete [`ComponentDescriptor`] for this [`ComponentBatch`].
///
/// Every component batch is uniquely identified by its [`ComponentDescriptor`].
fn descriptor(&self) -> Cow<'_, ComponentDescriptor>;
/// Serializes the contents of this [`ComponentBatch`].
///
/// Once serialized, the data is ready to be logged into Rerun via the [`AsComponents`] trait.
///
/// # Fallibility
///
/// There are very few ways in which serialization can fail, all of which are very rare to hit
/// in practice.
/// One such example is trying to serialize data with more than 2^31 elements into a `ListArray`.
///
/// For that reason, this method favors a nice user experience over error handling: errors will
/// merely be logged, not returned (except in debug builds, where all errors panic).
///
/// See also [`ComponentBatch::try_serialized`].
///
/// [`AsComponents`]: [crate::AsComponents]
#[inline]
fn serialized(&self) -> Option<SerializedComponentBatch> {
match self.try_serialized() {
Ok(array) => Some(array),
#[cfg(debug_assertions)]
Err(err) => {
panic!(
"failed to serialize data for {}: {}",
self.descriptor(),
re_error::format_ref(&err)
)
}
#[cfg(not(debug_assertions))]
Err(err) => {
re_log::error!(
descriptor = %self.descriptor(),
"failed to serialize data: {}",
re_error::format_ref(&err)
);
None
}
}
}
/// Serializes the contents of this [`ComponentBatch`].
///
/// Once serialized, the data is ready to be logged into Rerun via the [`AsComponents`] trait.
///
/// # Fallibility
///
/// There are very few ways in which serialization can fail, all of which are very rare to hit
/// in practice.
///
/// For that reason, it generally makes sense to favor a nice user experience over error handling
/// in most cases, see [`ComponentBatch::serialized`].
///
/// [`AsComponents`]: [crate::AsComponents]
#[inline]
fn try_serialized(&self) -> SerializationResult<SerializedComponentBatch> {
Ok(SerializedComponentBatch {
array: self.to_arrow()?,
descriptor: self.descriptor().into_owned(),
})
}
/// The fully-qualified name of this component batch, e.g. `rerun.components.Position2D`.
///
/// This is a trivial but useful helper for `self.descriptor().component_name`.
///
/// The default implementation already does the right thing. Do not override unless you know
/// what you're doing.
/// `Self::name()` must exactly match the value returned by `self.descriptor().component_name`,
/// or undefined behavior ensues.
#[inline]
fn name(&self) -> ComponentName {
self.descriptor().component_name
}
}
#[allow(dead_code)]
fn assert_component_batch_object_safe() {
let _: &dyn LoggableBatch;
}
// ---
/// The serialized contents of a [`ComponentBatch`] with associated [`ComponentDescriptor`].
///
/// This is what gets logged into Rerun:
/// * See [`ComponentBatch`] to easily serialize component data.
/// * See [`AsComponents`] for logging serialized data.
///
/// [`AsComponents`]: [crate::AsComponents]
#[derive(Debug, Clone)]
pub struct SerializedComponentBatch {
pub array: arrow::array::ArrayRef,
// TODO(cmc): Maybe Cow<> this one if it grows bigger. Or intern descriptors altogether, most likely.
pub descriptor: ComponentDescriptor,
}
impl re_byte_size::SizeBytes for SerializedComponentBatch {
#[inline]
fn heap_size_bytes(&self) -> u64 {
let Self { array, descriptor } = self;
array.heap_size_bytes() + descriptor.heap_size_bytes()
}
}
impl PartialEq for SerializedComponentBatch {
#[inline]
fn eq(&self, other: &Self) -> bool {
let Self { array, descriptor } = self;
// Descriptor first!
*descriptor == other.descriptor && **array == *other.array
}
}
impl SerializedComponentBatch {
#[inline]
pub fn new(array: arrow::array::ArrayRef, descriptor: ComponentDescriptor) -> Self {
Self { array, descriptor }
}
#[inline]
pub fn with_descriptor_override(self, descriptor: ComponentDescriptor) -> Self {
Self { descriptor, ..self }
}
/// Unconditionally sets the descriptor's `archetype_name` to the given one.
#[inline]
pub fn with_archetype_name(mut self, archetype_name: ArchetypeName) -> Self {
self.descriptor = self.descriptor.with_archetype_name(archetype_name);
self
}
/// Unconditionally sets the descriptor's `archetype_field_name` to the given one.
#[inline]
pub fn with_archetype_field_name(mut self, archetype_field_name: ArchetypeFieldName) -> Self {
self.descriptor = self
.descriptor
.with_archetype_field_name(archetype_field_name);
self
}
/// Sets the descriptor's `archetype_name` to the given one iff it's not already set.
#[inline]
pub fn or_with_archetype_name(mut self, archetype_name: impl Fn() -> ArchetypeName) -> Self {
self.descriptor = self.descriptor.or_with_archetype_name(archetype_name);
self
}
/// Sets the descriptor's `archetype_field_name` to the given one iff it's not already set.
#[inline]
pub fn or_with_archetype_field_name(
mut self,
archetype_field_name: impl FnOnce() -> ArchetypeFieldName,
) -> Self {
self.descriptor = self
.descriptor
.or_with_archetype_field_name(archetype_field_name);
self
}
}
/// A column's worth of component data.
///
/// If a [`SerializedComponentBatch`] represents one row's worth of data
#[derive(Debug, Clone)]
pub struct SerializedComponentColumn {
pub list_array: arrow::array::ListArray,
// TODO(cmc): Maybe Cow<> this one if it grows bigger. Or intern descriptors altogether, most likely.
pub descriptor: ComponentDescriptor,
}
impl SerializedComponentColumn {
/// Repartitions the component data into multiple sub-batches, ignoring the previous partitioning.
///
/// The specified `lengths` must sum to the total length of the component batch.
pub fn repartitioned(
self,
lengths: impl IntoIterator<Item = usize>,
) -> SerializationResult<Self> {
let Self {
list_array,
descriptor,
} = self;
let list_array = re_arrow_util::arrow_util::repartition_list_array(list_array, lengths)?;
Ok(Self {
list_array,
descriptor,
})
}
}
impl From<SerializedComponentBatch> for SerializedComponentColumn {
#[inline]
fn from(batch: SerializedComponentBatch) -> Self {
use arrow::{
array::{Array, ListArray},
buffer::OffsetBuffer,
datatypes::Field,
};
let list_array = {
let nullable = true;
let field = Field::new_list_field(batch.array.data_type().clone(), nullable);
let offsets = OffsetBuffer::from_lengths(std::iter::once(batch.array.len()));
let nulls = None;
ListArray::new(field.into(), offsets, batch.array, nulls)
};
Self {
list_array,
descriptor: batch.descriptor,
}
}
}
impl SerializedComponentBatch {
/// Partitions the component data into multiple sub-batches.
///
/// Specifically, this transforms the existing [`SerializedComponentBatch`] data into a [`SerializedComponentColumn`].
///
/// This makes it possible to use `RecordingStream::send_columns` to send columnar data directly into Rerun.
///
/// The specified `lengths` must sum to the total length of the component batch.
#[inline]
pub fn partitioned(
self,
lengths: impl IntoIterator<Item = usize>,
) -> SerializationResult<SerializedComponentColumn> {
let column: SerializedComponentColumn = self.into();
column.repartitioned(lengths)
}
}
// ---
// TODO(cmc): This is far from ideal and feels very hackish, but for now the priority is getting
// all things related to tags up and running so we can gather learnings.
// This is only used on the archetype deserialization path, which isn't ever used outside of tests anyway.
// TODO(cmc): we really shouldn't be duplicating these.
/// The key used to identify the [`crate::ArchetypeName`] in field-level metadata.
const FIELD_METADATA_KEY_ARCHETYPE_NAME: &str = "rerun.archetype_name";
/// The key used to identify the [`crate::ArchetypeFieldName`] in field-level metadata.
const FIELD_METADATA_KEY_ARCHETYPE_FIELD_NAME: &str = "rerun.archetype_field_name";
impl From<&SerializedComponentBatch> for arrow::datatypes::Field {
#[inline]
fn from(batch: &SerializedComponentBatch) -> Self {
Self::new(
batch.descriptor.component_name.to_string(),
batch.array.data_type().clone(),
false,
)
.with_metadata(
[
batch.descriptor.archetype_name.map(|name| {
(
FIELD_METADATA_KEY_ARCHETYPE_NAME.to_owned(),
name.to_string(),
)
}),
batch.descriptor.archetype_field_name.map(|name| {
(
FIELD_METADATA_KEY_ARCHETYPE_FIELD_NAME.to_owned(),
name.to_string(),
)
}),
]
.into_iter()
.flatten()
.collect(),
)
}
}
// --- Unary ---
impl<L: Clone + Loggable> LoggableBatch for L {
#[inline]
fn to_arrow(&self) -> SerializationResult<arrow::array::ArrayRef> {
L::to_arrow([std::borrow::Cow::Borrowed(self)])
}
}
impl<C: Component> ComponentBatch for C {
#[inline]
fn descriptor(&self) -> Cow<'_, ComponentDescriptor> {
C::descriptor().into()
}
}
// --- Unary Option ---
impl<L: Clone + Loggable> LoggableBatch for Option<L> {
#[inline]
fn to_arrow(&self) -> SerializationResult<arrow::array::ArrayRef> {
L::to_arrow(self.iter().map(|v| std::borrow::Cow::Borrowed(v)))
}
}
impl<C: Component> ComponentBatch for Option<C> {
#[inline]
fn descriptor(&self) -> Cow<'_, ComponentDescriptor> {
C::descriptor().into()
}
}
// --- Vec ---
impl<L: Clone + Loggable> LoggableBatch for Vec<L> {
#[inline]
fn to_arrow(&self) -> SerializationResult<arrow::array::ArrayRef> {
L::to_arrow(self.iter().map(|v| std::borrow::Cow::Borrowed(v)))
}
}
impl<C: Component> ComponentBatch for Vec<C> {
#[inline]
fn descriptor(&self) -> Cow<'_, ComponentDescriptor> {
C::descriptor().into()
}
}
// --- Vec<Option> ---
impl<L: Loggable> LoggableBatch for Vec<Option<L>> {
#[inline]
fn to_arrow(&self) -> SerializationResult<arrow::array::ArrayRef> {
L::to_arrow_opt(
self.iter()
.map(|opt| opt.as_ref().map(|v| std::borrow::Cow::Borrowed(v))),
)
}
}
impl<C: Component> ComponentBatch for Vec<Option<C>> {
#[inline]
fn descriptor(&self) -> Cow<'_, ComponentDescriptor> {
C::descriptor().into()
}
}
// --- Array ---
impl<L: Loggable, const N: usize> LoggableBatch for [L; N] {
#[inline]
fn to_arrow(&self) -> SerializationResult<arrow::array::ArrayRef> {
L::to_arrow(self.iter().map(|v| std::borrow::Cow::Borrowed(v)))
}
}
impl<C: Component, const N: usize> ComponentBatch for [C; N] {
#[inline]
fn descriptor(&self) -> Cow<'_, ComponentDescriptor> {
C::descriptor().into()
}
}
// --- Array<Option> ---
impl<L: Loggable, const N: usize> LoggableBatch for [Option<L>; N] {
#[inline]
fn to_arrow(&self) -> SerializationResult<arrow::array::ArrayRef> {
L::to_arrow_opt(
self.iter()
.map(|opt| opt.as_ref().map(|v| std::borrow::Cow::Borrowed(v))),
)
}
}
impl<C: Component, const N: usize> ComponentBatch for [Option<C>; N] {
#[inline]
fn descriptor(&self) -> Cow<'_, ComponentDescriptor> {
C::descriptor().into()
}
}
// --- Slice ---
impl<L: Loggable> LoggableBatch for [L] {
#[inline]
fn to_arrow(&self) -> SerializationResult<arrow::array::ArrayRef> {
L::to_arrow(self.iter().map(|v| std::borrow::Cow::Borrowed(v)))
}
}
impl<C: Component> ComponentBatch for [C] {
#[inline]
fn descriptor(&self) -> Cow<'_, ComponentDescriptor> {
C::descriptor().into()
}
}
// --- Slice<Option> ---
impl<L: Loggable> LoggableBatch for [Option<L>] {
#[inline]
fn to_arrow(&self) -> SerializationResult<arrow::array::ArrayRef> {
L::to_arrow_opt(
self.iter()
.map(|opt| opt.as_ref().map(|v| std::borrow::Cow::Borrowed(v))),
)
}
}
impl<C: Component> ComponentBatch for [Option<C>] {
#[inline]
fn descriptor(&self) -> Cow<'_, ComponentDescriptor> {
C::descriptor().into()
}
}