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
//! Handles loading of Rerun data from file using data loader plugins.
use std::sync::Arc;
use once_cell::sync::Lazy;
use re_chunk::{Chunk, ChunkResult};
use re_log_types::{ArrowMsg, EntityPath, LogMsg, TimePoint};
// ----------------------------------------------------------------------------
mod load_file;
mod loader_archetype;
mod loader_directory;
mod loader_rrd;
#[cfg(not(target_arch = "wasm32"))]
mod loader_external;
pub use self::{
load_file::load_from_file_contents, loader_archetype::ArchetypeLoader,
loader_directory::DirectoryLoader, loader_rrd::RrdLoader,
};
#[cfg(not(target_arch = "wasm32"))]
pub use self::{
load_file::load_from_path,
loader_external::{
iter_external_loaders, ExternalLoader, EXTERNAL_DATA_LOADER_INCOMPATIBLE_EXIT_CODE,
EXTERNAL_DATA_LOADER_PREFIX,
},
};
// ----------------------------------------------------------------------------
/// Recommended settings for the [`DataLoader`].
///
/// The loader is free to ignore some or all of these.
///
/// External [`DataLoader`]s will be passed the following CLI parameters:
/// * `--application-id <application_id>`
/// * `--opened-application-id <opened_application_id>` (if set)
/// * `--recording-id <store_id>`
/// * `--opened-recording-id <opened_store_id>` (if set)
/// * `--entity-path-prefix <entity_path_prefix>` (if set)
/// * `--static` (if `timepoint` is set to the timeless timepoint)
/// * `--timeless` \[deprecated\] (if `timepoint` is set to the timeless timepoint)
/// * `--time <timeline1>=<time1> <timeline2>=<time2> ...` (if `timepoint` contains temporal data)
/// * `--sequence <timeline1>=<seq1> <timeline2>=<seq2> ...` (if `timepoint` contains sequence data)
#[derive(Debug, Clone)]
pub struct DataLoaderSettings {
/// The recommended [`re_log_types::ApplicationId`] to log the data to, based on the surrounding context.
pub application_id: Option<re_log_types::ApplicationId>,
/// The [`re_log_types::ApplicationId`] that is currently opened in the viewer, if any.
pub opened_application_id: Option<re_log_types::ApplicationId>,
/// The recommended [`re_log_types::StoreId`] to log the data to, based on the surrounding context.
///
/// Log data to this recording if you want it to appear in a new recording shared by all
/// data-loaders for the current loading session.
pub store_id: re_log_types::StoreId,
/// The [`re_log_types::StoreId`] that is currently opened in the viewer, if any.
pub opened_store_id: Option<re_log_types::StoreId>,
/// Whether `SetStoreInfo`s should be sent, regardless of the surrounding context.
///
/// Only useful when creating a recording just-in-time directly in the viewer (which is what
/// happens when importing things into the welcome screen).
pub force_store_info: bool,
/// What should the logged entity paths be prefixed with?
pub entity_path_prefix: Option<EntityPath>,
/// At what time(s) should the data be logged to?
pub timepoint: Option<TimePoint>,
}
impl DataLoaderSettings {
#[inline]
pub fn recommended(store_id: impl Into<re_log_types::StoreId>) -> Self {
Self {
application_id: Default::default(),
opened_application_id: Default::default(),
store_id: store_id.into(),
opened_store_id: Default::default(),
force_store_info: false,
entity_path_prefix: Default::default(),
timepoint: Default::default(),
}
}
/// Generates CLI flags from these settings, for external data loaders.
pub fn to_cli_args(&self) -> Vec<String> {
let Self {
application_id,
opened_application_id,
store_id,
opened_store_id,
force_store_info: _,
entity_path_prefix,
timepoint,
} = self;
let mut args = Vec::new();
if let Some(application_id) = application_id {
args.extend(["--application-id".to_owned(), format!("{application_id}")]);
}
args.extend(["--recording-id".to_owned(), format!("{store_id}")]);
if let Some(opened_application_id) = opened_application_id {
args.extend([
"--opened-application-id".to_owned(),
format!("{opened_application_id}"),
]);
}
if let Some(opened_store_id) = opened_store_id {
args.extend([
"--opened-recording-id".to_owned(),
format!("{opened_store_id}"),
]);
}
if let Some(entity_path_prefix) = entity_path_prefix {
args.extend([
"--entity-path-prefix".to_owned(),
format!("{entity_path_prefix}"),
]);
}
if let Some(timepoint) = timepoint {
if timepoint.is_static() {
args.push("--timeless".to_owned()); // for backwards compatibility
args.push("--static".to_owned());
}
for (timeline, time) in timepoint.iter() {
match timeline.typ() {
re_log_types::TimeType::Time => {
args.extend([
"--time".to_owned(),
format!("{}={}", timeline.name(), time.as_i64()),
]);
}
re_log_types::TimeType::Sequence => {
args.extend([
"--sequence".to_owned(),
format!("{}={}", timeline.name(), time.as_i64()),
]);
}
}
}
}
args
}
}
pub type DataLoaderName = String;
/// A [`DataLoader`] loads data from a file path and/or a file's contents.
///
/// Files can be loaded in 3 different ways:
/// - via the Rerun CLI (`rerun myfile.jpeg`),
/// - using drag-and-drop,
/// - using the open dialog in the Rerun Viewer.
///
/// All these file loading methods support loading a single file, many files at once, or even
/// folders.
/// ⚠ Drag-and-drop of folders does not yet work on the web version of Rerun Viewer ⚠
///
/// We only support loading files from the local filesystem at the moment, and consequently only
/// accept filepaths as input.
/// [There are plans to make this generic over any URI](https://github.com/rerun-io/rerun/issues/4525).
///
/// Rerun comes with a few [`DataLoader`]s by default:
/// - [`RrdLoader`] for [Rerun files].
/// - [`ArchetypeLoader`] for:
/// - [3D models]
/// - [Images]
/// - [Point clouds]
/// - [Text files]
/// - [`DirectoryLoader`] for recursively loading folders.
/// - [`ExternalLoader`], which looks for user-defined data loaders in $PATH.
///
/// ## Registering custom loaders
///
/// Checkout our [guide](https://www.rerun.io/docs/reference/data-loaders/overview).
///
/// ## Execution
///
/// **All** known [`DataLoader`]s get called when a user tries to open a file, unconditionally.
/// This gives [`DataLoader`]s maximum flexibility to decide what files they are interested in, as
/// opposed to e.g. only being able to look at files' extensions.
///
/// If a [`DataLoader`] has no interest in the given file, it should fail as soon as possible
/// with a [`DataLoaderError::Incompatible`] error.
///
/// Iff all [`DataLoader`]s (including custom and external ones) return with a [`DataLoaderError::Incompatible`]
/// error, the Viewer will show an error message to the user indicating that the file type is not
/// supported.
///
/// On native, [`DataLoader`]s are executed in parallel.
///
/// [Rerun files]: crate::SUPPORTED_RERUN_EXTENSIONS
/// [3D models]: crate::SUPPORTED_MESH_EXTENSIONS
/// [Images]: crate::SUPPORTED_IMAGE_EXTENSIONS
/// [Point clouds]: crate::SUPPORTED_POINT_CLOUD_EXTENSIONS
/// [Text files]: crate::SUPPORTED_TEXT_EXTENSIONS
//
// TODO(#4525): `DataLoader`s should support arbitrary URIs
// TODO(#4527): Web Viewer `?url` parameter should accept anything our `DataLoader`s support
pub trait DataLoader: Send + Sync {
/// Name of the [`DataLoader`].
///
/// Should be globally unique.
fn name(&self) -> DataLoaderName;
/// Loads data from a file on the local filesystem and sends it to `tx`.
///
/// This is generally called when opening files with the Rerun CLI or via the open menu in the
/// Rerun Viewer on native platforms.
///
/// The passed-in `store_id` is a shared recording created by the file loading machinery:
/// implementers can decide to use it or not (e.g. it might make sense to log all images with a
/// similar name in a shared recording, while an rrd file is already its own recording).
///
/// `path` isn't necessarily a _file_ path, but can be a directory as well: implementers are
/// free to handle that however they decide.
///
/// ## Error handling
///
/// Most implementers of `load_from_path` are expected to be asynchronous in nature.
///
/// Asynchronous implementers should make sure to fail early (and thus synchronously) when
/// possible (e.g. didn't even manage to open the file).
/// Otherwise, they should log errors that happen in an asynchronous context.
///
/// If a [`DataLoader`] has no interest in the given file, it should fail as soon as possible
/// with a [`DataLoaderError::Incompatible`] error.
#[cfg(not(target_arch = "wasm32"))]
fn load_from_path(
&self,
settings: &DataLoaderSettings,
path: std::path::PathBuf,
tx: std::sync::mpsc::Sender<LoadedData>,
) -> Result<(), DataLoaderError>;
/// Loads data from in-memory file contents and sends it to `tx`.
///
/// This is generally called when opening files via drag-and-drop or when using the web viewer.
///
/// The passed-in `store_id` is a shared recording created by the file loading machinery:
/// implementers can decide to use it or not (e.g. it might make sense to log all images with a
/// similar name in a shared recording, while an rrd file is already its own recording).
///
/// The `path` of the file is given for informational purposes (e.g. to extract the file's
/// extension): implementers should _not_ try to read from disk as there is likely isn't a
/// filesystem available to begin with.
/// `path` is guaranteed to be a file path.
///
/// When running on the web (wasm), `filepath` only contains the file name.
///
/// ## Error handling
///
/// Most implementers of `load_from_file_contents` are expected to be asynchronous in nature.
///
/// Asynchronous implementers should make sure to fail early (and thus synchronously) when
/// possible (e.g. didn't even manage to open the file).
/// Otherwise, they should log errors that happen in an asynchronous context.
///
/// If a [`DataLoader`] has no interest in the given file, it should fail as soon as possible
/// with a [`DataLoaderError::Incompatible`] error.
fn load_from_file_contents(
&self,
settings: &DataLoaderSettings,
filepath: std::path::PathBuf,
contents: std::borrow::Cow<'_, [u8]>,
tx: std::sync::mpsc::Sender<LoadedData>,
) -> Result<(), DataLoaderError>;
}
/// Errors that might happen when loading data through a [`DataLoader`].
#[derive(thiserror::Error, Debug)]
pub enum DataLoaderError {
#[cfg(not(target_arch = "wasm32"))]
#[error(transparent)]
IO(#[from] std::io::Error),
#[error(transparent)]
Arrow(#[from] re_chunk::ChunkError),
#[error(transparent)]
Decode(#[from] re_log_encoding::decoder::DecodeError),
#[error("No data-loader support for {0:?}")]
Incompatible(std::path::PathBuf),
#[error(transparent)]
Other(#[from] anyhow::Error),
}
impl DataLoaderError {
#[inline]
pub fn is_path_not_found(&self) -> bool {
match self {
#[cfg(not(target_arch = "wasm32"))]
Self::IO(err) => err.kind() == std::io::ErrorKind::NotFound,
_ => false,
}
}
#[inline]
pub fn is_incompatible(&self) -> bool {
matches!(self, Self::Incompatible { .. })
}
}
/// What [`DataLoader`]s load.
///
/// This makes it trivial for [`DataLoader`]s to build the data in whatever form is
/// most convenient for them, whether it is raw components, arrow chunks or even
/// full-on [`LogMsg`]s.
pub enum LoadedData {
Chunk(DataLoaderName, re_log_types::StoreId, Chunk),
ArrowMsg(DataLoaderName, re_log_types::StoreId, ArrowMsg),
LogMsg(DataLoaderName, LogMsg),
}
impl LoadedData {
/// Returns the name of the [`DataLoader`] that generated this data.
#[inline]
pub fn data_loader_name(&self) -> &DataLoaderName {
match self {
Self::Chunk(name, ..) | Self::ArrowMsg(name, ..) | Self::LogMsg(name, ..) => name,
}
}
/// Pack the data into a [`LogMsg`].
#[inline]
pub fn into_log_msg(self) -> ChunkResult<LogMsg> {
match self {
Self::Chunk(_name, store_id, chunk) => {
Ok(LogMsg::ArrowMsg(store_id, chunk.to_arrow_msg()?))
}
Self::ArrowMsg(_name, store_id, msg) => Ok(LogMsg::ArrowMsg(store_id, msg)),
Self::LogMsg(_name, msg) => Ok(msg),
}
}
}
// ----------------------------------------------------------------------------
/// Keeps track of all builtin [`DataLoader`]s.
///
/// Lazy initialized the first time a file is opened.
static BUILTIN_LOADERS: Lazy<Vec<Arc<dyn DataLoader>>> = Lazy::new(|| {
vec![
Arc::new(RrdLoader) as Arc<dyn DataLoader>,
Arc::new(ArchetypeLoader),
Arc::new(DirectoryLoader),
#[cfg(not(target_arch = "wasm32"))]
Arc::new(ExternalLoader),
]
});
/// Iterator over all registered [`DataLoader`]s.
#[inline]
pub fn iter_loaders() -> impl Iterator<Item = Arc<dyn DataLoader>> {
BUILTIN_LOADERS
.clone()
.into_iter()
.chain(CUSTOM_LOADERS.read().clone())
}
/// Keeps track of all custom [`DataLoader`]s.
///
/// Use [`register_custom_data_loader`] to add new loaders.
static CUSTOM_LOADERS: Lazy<parking_lot::RwLock<Vec<Arc<dyn DataLoader>>>> =
Lazy::new(parking_lot::RwLock::default);
/// Register a custom [`DataLoader`].
///
/// Any time the Rerun Viewer opens a file or directory, this custom loader will be notified.
/// Refer to [`DataLoader`]'s documentation for more information.
#[inline]
pub fn register_custom_data_loader(loader: impl DataLoader + 'static) {
CUSTOM_LOADERS.write().push(Arc::new(loader));
}
// ----------------------------------------------------------------------------
/// Empty string if no extension.
#[inline]
pub(crate) fn extension(path: &std::path::Path) -> String {
path.extension()
.unwrap_or_default()
.to_ascii_lowercase()
.to_string_lossy()
.to_string()
}
// ----------------------------------------------------------------------------
// …given that all feature flags are turned on for the `image` crate.
pub const SUPPORTED_IMAGE_EXTENSIONS: &[&str] = &[
"avif", "bmp", "dds", "exr", "farbfeld", "ff", "gif", "hdr", "ico", "jpeg", "jpg", "pam",
"pbm", "pgm", "png", "ppm", "tga", "tif", "tiff", "webp",
];
/// Experimental video support!
// TODO(#7298): stabilize video support
pub const SUPPORTED_VIDEO_EXTENSIONS: &[&str] = &["mp4"];
pub const SUPPORTED_MESH_EXTENSIONS: &[&str] = &["glb", "gltf", "obj", "stl"];
// TODO(#4532): `.ply` data loader should support 2D point cloud & meshes
pub const SUPPORTED_POINT_CLOUD_EXTENSIONS: &[&str] = &["ply"];
pub const SUPPORTED_RERUN_EXTENSIONS: &[&str] = &["rbl", "rrd"];
// TODO(#4555): Add catch-all builtin `DataLoader` for text files
pub const SUPPORTED_TEXT_EXTENSIONS: &[&str] = &["txt", "md"];
/// All file extension supported by our builtin [`DataLoader`]s.
pub fn supported_extensions() -> impl Iterator<Item = &'static str> {
SUPPORTED_RERUN_EXTENSIONS
.iter()
.chain(SUPPORTED_IMAGE_EXTENSIONS)
.chain(SUPPORTED_VIDEO_EXTENSIONS)
.chain(SUPPORTED_MESH_EXTENSIONS)
.chain(SUPPORTED_POINT_CLOUD_EXTENSIONS)
.chain(SUPPORTED_TEXT_EXTENSIONS)
.copied()
}
/// Is this a supported file extension by any of our builtin [`DataLoader`]s?
pub fn is_supported_file_extension(extension: &str) -> bool {
SUPPORTED_IMAGE_EXTENSIONS.contains(&extension)
|| SUPPORTED_VIDEO_EXTENSIONS.contains(&extension)
|| SUPPORTED_MESH_EXTENSIONS.contains(&extension)
|| SUPPORTED_POINT_CLOUD_EXTENSIONS.contains(&extension)
|| SUPPORTED_RERUN_EXTENSIONS.contains(&extension)
|| SUPPORTED_TEXT_EXTENSIONS.contains(&extension)
}