Huge News!Announcing our $40M Series B led by Abstract Ventures.Learn More β†’
Socket
Sign inDemoInstall
Socket

@rerun-io/web-viewer

Package Overview
Dependencies
Maintainers
0
Versions
117
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

@rerun-io/web-viewer - npm Package Versions

1
…
…
12

0.18.0

Diff

Changelog

Source

0.18.0 - Ingestion speed and memory footprint

https://github.com/user-attachments/assets/95380a64-df05-4f85-b40a-0c6b8ec8d5cf

  • πŸ“– Release blogpost: http://rerun.io/blog/column-chunks
  • 🧳 Migration guide: http://rerun.io/docs/reference/migration/migration-0-18

✨ Overview & highlights

Rerun 0.18 introduces new column-oriented APIs and internal storage datastructures (Chunk & ChunkStore) that can both simplify logging code as well as improve ingestion speeds and memory overhead by a couple orders of magnitude in many cases (timeseries-heavy workloads in particular).

These improvements come in 3 broad categories:

  • a new send family of APIs, available in all 3 SDKs (Python, C++, Rust),
  • a new, configurable background compaction mechanism in the datastore,
  • new CLI tools to filter, prune and compact RRD files.

Furthermore, we started cleaning up our data schema, leading to various changes in the way represent transforms & images.

New send APIs

Unlike the regular row-oriented log APIs, the new send APIs let you submit data in a columnar form, even if the data extends over multiple timestamps.

This can both greatly simplify logging code and drastically improve performance for some workloads, in particular timeseries, although we have already seen it used for other purposes!

API documentation:

API usage examples:

<details> <summary>Python timeseries</summary>

Using log() (slow, memory inefficient):

rr.init("rerun_example_scalar", spawn=True)

for step in range(0, 64):
    rr.set_time_sequence("step", step)
    rr.log("scalar", rr.Scalar(math.sin(step / 10.0)))

Using send() (fast, memory efficient):

rr.init("rerun_example_send_columns", spawn=True)

rr.send_columns(
    "scalars",
    times=[rr.TimeSequenceColumn("step", np.arange(0, 64))],
    components=[rr.components.ScalarBatch(np.sin(times / 10.0))],
)
</details> <details> <summary>C++ timeseries</summary>

Using log() (slow, memory inefficient):

const auto rec = rerun::RecordingStream("rerun_example_scalar");
rec.spawn().exit_on_failure();

for (int step = 0; step < 64; ++step) {
    rec.set_time_sequence("step", step);
    rec.log("scalar", rerun::Scalar(std::sin(static_cast<double>(step) / 10.0)));
}

Using send() (fast, memory efficient):

const auto rec = rerun::RecordingStream("rerun_example_send_columns");
rec.spawn().exit_on_failure();

std::vector<double> scalar_data(64);
for (size_t i = 0; i < 64; ++i) {
    scalar_data[i] = sin(static_cast<double>(i) / 10.0);
}
std::vector<int64_t> times(64);
std::iota(times.begin(), times.end(), 0);

auto time_column = rerun::TimeColumn::from_sequence_points("step", std::move(times));
auto scalar_data_collection =
    rerun::Collection<rerun::components::Scalar>(std::move(scalar_data));

rec.send_columns("scalars", time_column, scalar_data_collection);
</details> <details> <summary>Rust timeseries</summary>

Using log() (slow, memory inefficient):

let rec = rerun::RecordingStreamBuilder::new("rerun_example_scalar").spawn()?;

for step in 0..64 {
    rec.set_time_sequence("step", step);
    rec.log("scalar", &rerun::Scalar::new((step as f64 / 10.0).sin()))?;
}

Using send() (fast, memory efficient):

let rec = rerun::RecordingStreamBuilder::new("rerun_example_send_columns").spawn()?;

let timeline_values = (0..64).collect::<Vec<_>>();
let scalar_data: Vec<f64> = timeline_values
    .iter()
    .map(|step| (*step as f64 / 10.0).sin())
    .collect();

let timeline_values = TimeColumn::new_sequence("step", timeline_values);
let scalar_data: Vec<Scalar> = scalar_data.into_iter().map(Into::into).collect();

rec.send_columns("scalars", [timeline_values], [&scalar_data as _])?;
</details>
Background compaction

The Rerun datastore now continuously compacts data as it comes in, in order find a sweet spot between ingestion speed, query performance and memory overhead.

This is very similar to, and has many parallels with, the micro-batching mechanism running on the SDK side.

You can read more about this in the dedicated documentation entry.

Post-processing of RRD files

To help improve efficiency for completed recordings, Rerun 0.18 introduces some new commands for working with rrd files.

Multiple files can be merged, whole entity paths can be dropped, and chunks can be compacted.

You can read more about it in the new CLI reference manual, but to give a sense of how it works the below example merges all recordings in a folder and runs chunk compaction using the max-rows and max-bytes settings:

rerun rrd compact --max-rows 4096 --max-bytes=1048576 /my/recordings/*.rrd > output.rrd
Overhauled 3D transforms & instancing

As part of improving our arrow schema and in preparation for reading data back in the SDK, we've split up transforms into several parts. This makes it much more performant to log large number of transforms as it allows updating only the parts you're interested in, e.g. logging a translation is now as lightweight as logging a single position.

There are now additionally InstancePoses3D which allow you to do two things:

  • all 3D entities: apply a transform to the entity without affecting its children
  • Mesh3D/Asset3D/Boxes3D/Ellipsoids3D: instantiate objects several times with different poses, known as "instancing"
    • Support for instancing of other archetypes is coming in the future!

instancing in action All four tetrahedron meshes on this screen share the same vertices and are instanced using an InstancePoses3D archetype with 4 different translations

⚠️ Breaking changes

  • .rrd files from older versions won't load correctly in Rerun 0.18
  • mesh_material: Material has been renamed to albedo_factor: AlbedoFactor #6841
  • Transform3D is no longer a single component but split into its constituent parts. From this follow various smaller API changes
  • Python: NV12/YUY2 are now logged with Image
  • ImageEncoded is deprecated and replaced with EncodedImage (JPEG, PNG, …) and Image (NV12, YUY2, …)
  • DepthImage and SegmentationImage are no longer encoded as a tensors, and expects its shape in [width, height] order

🧳 Migration guide: http://rerun.io/docs/reference/migration/migration-0-18

πŸ”Ž Details

πŸͺ΅ Log API
  • Add Ellipsoids3D archetype #6853 (thanks @kpreid!)
  • Dont forward datatype extensions beyond the FFI barrier #6777
  • All components are now consistently implemented by a datatype #6823
  • Add new archetypes.ImageEncoded with PNG and JPEG support #6874
  • New transform components: Translation3D & TransformMat3x3 #6866
  • Add Scale3D component #6892
  • Angle datatype stores now only radians #6916
  • New DepthImage archetype #6915
  • Port SegmentationImage to the new image archetype style #6928
  • Add components for RotationAxisAngle and RotationQuat #6929
  • Introduce TransformRelation component #6944
  • New LeafTransform3D, replacing OutOfTreeTransform3D #7015
  • Remove Scale3D/Transform3D/TranslationRotationScale3D datatypes, remove Transform3D component #7000
  • Rewrite Image archetype #6942
  • Use LeafTranslation (centers), LeafRotationQuat and LeafRotationAxisAngle directly on Boxes3D/Ellipsoids3D #7029
  • Removed now unused Rotation3D component & datatype #7030
  • Introduce new ImageFormat component #7083
🌊 C++ API
  • Fix resetting time destroying recording stream #6914
  • Improve usability of rerun::Collection by providing free functions for borrow & take_ownership #7055
  • Fix crash on shutdown when using global recording stream variables in C++ #7063
  • C++ API for send_columns #7103
  • Add numeric SDK version macros to C/C++ #7127
🐍 Python API
  • New temporal batch APIs #6587
  • Python SDK: Rename ImageEncoded to ImageEncodedHelper #6882
  • Introduce ImageChromaDownsampled #6883
  • Allow logging batches of quaternions from numpy arrays #7038
  • Add __version__ and __version_info__ to rerun package #7104
  • Restore support for the legacy notebook mechanism from 0.16 #7122
πŸ¦€ Rust API
  • Recommend install rerun-cli with --locked #6868
  • Remove TensorBuffer::JPEG, DecodedTensor, TensorDecodeCache #6884
πŸͺ³ Bug fixes
  • Respect 0.0 for start and end boundaries of scalar axis #6887 (thanks @amidabucu!)
  • Fix text log/document view icons #6855
  • Fix outdated use of view coordinates in Spaces and Transforms doc page #6955
  • Fix zero length transform axis having an effect bounding box used for heuristics etc #6967
  • Disambiguate plot labels with multiple entities ending with the same part #7140
  • rerun rrd compact: always put blueprints at the start of the recordings #6998
  • Fix 2D objects in 3D affecting bounding box and thus causing flickering of automatic pinhole plane distance #7176
  • Fix a UI issue where a visualiser would have both an override and default set for some component #7206
🌁 Viewer improvements
  • Add cyan to yellow colormap #7001 (thanks @rasmusgo!)
  • Add optional solid/filled (triangle mesh) rendering to Boxes3D and Ellipsoids #6953 (thanks @kpreid!)
  • Improve bounding box based heuristics #6791
  • Time panel chunkification #6934
  • Integrate new data APIs with EntityDb/UI/Blueprint things #6994
  • Chunkified text-log view with multi-timeline display #7027
  • Make the recordings panel resizable #7180
πŸš€ Performance improvements
  • Optimize large point clouds #6767
  • Optimize data clamping in spatial view #6870
  • Add --blueprint to plot_dashboard_stress #6996
  • Add Transformables subscriber for improved TransformContext perf #6997
  • Optimize gap detector on dense timelines, like log_tick #7082
  • Re-enable per-series parallelism #7110
  • Query: configurable timeline|component eager slicing #7112
  • Optimize out unnecessary sorts in line series visualizer #7129
  • Implement timeseries query clamping #7133
  • Chunks:
    • Implement ChunkStore and integrate it everywhere #6570
    • Chunk concatenation primitives #6857
    • Implement on-write Chunk compaction #6858
    • CLI command for compacting recordings #6860
    • CLI command for merging recordings #6862
    • ChunkStore: implement new component-less indices and APIs #6879
    • Compaction-aware store events #6940
    • New and improved iteration APIs for Chunks #6989
    • New chunkified latest-at APIs and caches #6992
    • New chunkified range APIs and caches #6993
    • New Chunk-based time-series views #6995
    • Chunkified, deserialization-free Point Cloud visualizers #7011
    • Chunkified, (almost)deserialization-free Mesh/Asset visualizers #7016
    • Chunkified, deserialization-free LineStrip visualizers #7018
    • Chunkified, deserialization-free visualizers for all standard shapes #7020
    • Chunkified image visualizers #7023
    • Chunkify everything left #7032
    • Higher compaction thresholds by default (x4) #7113
πŸ§‘β€πŸ« Examples
πŸ“š Docs
  • New code snippet for Transform3D demonstrating an animated hierarchy #6851
  • Implement codegen of doclinks #6850
  • Add example for different data per timeline on Events and Timelines doc page #6912
  • Add troubleshooting section to pip install issues with outdated pip version #6956
  • Clarify in docs when ViewCoordinate is picked up by a 3D view #7034
  • CLI manual #7149
πŸ–Ό UI improvements
  • Display compaction information in the recording UI #6859
  • Use markdown for the view help widget #6878
  • Improve navigation between entity and data results in the selection panel #6871
  • Add support for visible time range to the dataframe view #6869
  • Make clamped component data distinguishable in the "latest-at" table #6894
  • Scroll dataframe view to focused item #6908
  • Add an explicit "mode" view property to the dataframe view #6927
  • Introduce a "Selectable Toggle" widget and use it for the 3D view's camera kind #7064
  • Improve entity stats when hovered #7074
  • Update the UI colors to use our (blueish) ramp instead of pure greys #7075
  • Query editor for the dataframe view #7071
  • Better ui for Blobs, especially those representing images #7128
  • Add button for copying and saving images #7156
πŸ•ΈοΈ Web
  • Add missing props to React package #6895
  • Fix multi rrd on app.rerun.io #6972
✨ Other enhancement
  • Support decoding multiplexed RRD streams #7091
  • Query-time clears (latest-at only) #6586
  • Introduce ChunkStore::drop_entity_path #6588
  • Implement Chunk::cell #6875
  • Implement Chunk::iter_indices #6877
  • Drop, rather than clear, removed blueprint entities #7120
  • Implement support for RangeQueryOptions::include_extended_bounds #7132
πŸ§‘β€πŸ’» Dev-experience
  • Introduce Chunk component-level helpers and UnitChunk #6990
  • Vastly improved support for deserialized iteration #7024
  • Improved CLI: support wildcard inputs for all relevant rerun rrd subcommands #7060
  • Improved CLI: explicit CLI flags for compaction settings #7061
  • Improved CLI: stdin streaming support #7092
  • Improved CLI: stdout streaming support #7094
  • Improved CLI: implement rerun rrd filter #7095
  • Add support for rerun rrd filter --drop-entity #7185
πŸ—£ Refactors
  • Forward Rust (de-)serialization of transparent datatypes #6793
  • CLI refactor: introduce rerun rrd <compare|print|compact> subscommand #6861
  • Remove legacy query engine and promises #7033
  • Implement RangeQueryOptions directly within RangeQuery #7131
πŸ“¦ Dependencies
  • Update to glam 0.28 & replace macaw with fork re_math #6867
πŸ€·β€ Other
  • Fix linkchecker: proper allow-list of stackoverflow.com #6838
  • Don't lint comments inside [metadata] frontmatter #6903
  • Add basic checklist to test different 3D transform types & transform hierarchy propagation #6968
rerun-bot
published 0.18.0-rc.8 β€’

rerun-bot
published 0.18.0-rc.7 β€’

rerun-bot
published 0.18.0-rc.6 β€’

rerun-bot
published 0.18.0-rc.5 β€’

rerun-bot
published 0.18.0-rc.4 β€’

rerun-bot
published 0.18.0-rc.3 β€’

rerun-bot
published 0.18.0-rc.2 β€’

rerun-bot
published 0.18.0-rc.1 β€’

rerun-bot
published 0.17.0 β€’

Changelog

Source

0.17.0 - More Blueprint features and better notebooks - 2024-07-08

https://github.com/rerun-io/rerun/assets/49431240/1c75b816-7e3e-4882-9ee6-ba124c00d73c

πŸ“– Release blogpost: https://rerun.io/blog/blueprint-overrides

🧳 Migration guide: http://rerun.io/docs/reference/migration/migration-0-17

✨ Overview & highlights

  • 🟦 Blueprint component override & defaults, and visualizer override for all views
    • Component defaults: Configure default component value for an entire view, used when no values are logged to the data store (using rr.log()).
    • Component overrides: Specify a value to use regardless of the data-store & default values and use specified value instead. Can be set per view per entity.
    • Visualizer overrides: Specify a visualizer to use for a given entity in a given view. Previously only available for scalar data in timeseries views, now available for all view kinds.
    • All three are available from the (fully revamped) UI and the Python blueprint APIs.
    • Everything that was editable per entity in a view now uses component overrides (e.g. camera plane distance, transform axis lengths, etc.)
    • Tip: Tooltips for each component in the UI include a link to the docs now!
  • πŸ•ΈοΈ Improved notebook & website embedding support
    • Now you can stream data from the notebook cell to the embedded viewer.
    • Much improved support for having multiple viewers on the same web page.
    • More configuration options have been added to control the visibility of the Menu bar, time controls, etc.
    • Note: Use pip install "rerun-sdk[notebook]" to include the better notebook support. This includes the new rerun-notebook package, which is used internally by [rerun-sdk].
  • πŸ§‘β€πŸ« New Examples
  • πŸ› οΈ Improved the logging API with many new and updated archetypes and components (see migration guide)
  • πŸ–ΌοΈ TensorView is now fully configurable from blueprint code
  • πŸŽ›οΈ Revamped selection panel UI
  • 🚚 Much work is being done under-the-hood to migrate our data-store to "chunks" (aka units of batched data). More on this in the next release!
    • SDKs are already using chunks to transport data to the viewer, performance characteristics may have changed but should be largely the same for the moment.

⚠️ Breaking changes

  • HalfSizes2D has been renamed to HalfSize2D
  • HalfSizes3D has been renamed to HalfSize3D
  • .rrd files from older versions won't load in Rerun 0.17

🧳 Migration guide: http://rerun.io/docs/reference/migration/migration-0-17

πŸ”Ž Details

πŸͺ΅ Log API
  • Introduce chunks and use them on the client side:
    • Part 0: improved arrow chunk formatters #6437
    • Part 1: introduce Chunk and its suffle/sort routines #6438
    • Part 2: introduce TransportChunk #6439
    • Part 3: micro-batching #6440
    • Part 4: integrations #6441
  • Remove unused scalar scattering component #6471
  • Introduce ImagePlaneDistance Component #6505
  • Introduce new archetype for Axes3D #6510
  • Expose Colormap component for DepthImage, depth image colormap now used outside of reprojection #6549
  • TimeSeriesAggregation can now be set per SeriesLine (and as blueprint default per View) #6558
  • Expose FillRatio component to configure DepthImage back-projection radius scaling #6566
  • Expose image opacity component #6635
  • Make draw order editable & solve 2D flickering issues, add draw order to arrow2d archetype #6644
  • Remove Axes3D archetype and add axis_length to Transform3D #6676
  • Expose UI point radii to logging & blueprint, remove old default radius settings in favor of blueprint default components #6678
  • Rename HalfSizes2D/3D to HalfSize2D/3D #6768
🌊 C++ API
  • Add docs on how to install C++ SDK with conda-forge packages #6381 (thanks @traversaro!)
🐍 Python API
  • Make barchart legend settable via blueprint #6514
  • Expose tensor slice selection to blueprint #6590
  • Use literal unions in Python enum codegen #6408
  • Allow hiding top panel via blueprint #6409
  • Improve the visibility of Python public APIs to type checkers #6462
  • Expose Interactive component #6542
  • Python components now implement the ComponentBatchLike interface #6543
  • Allow streaming to the viewer from the cell where it's created #6640
  • Introduce new Python API for setting overrides #6650
  • Publish rerun_notebook in CI #6641
πŸ¦€ Rust API
  • All components implement the Default trait now in Rust #6458
  • Codegen DerefMut & Deref for all trivial components #6470
πŸͺ³ Bug fixes
  • Allow removing blueprint entries even when they are invisible #6503
  • Fix wrong depth projection value on picking when depth meter was edited #6551
  • Always enable OpenGL fallback backend, fix --renderer=gl only working together with WGPU_BACKEND env-var #6582
  • Improve container selection panel UI #6711
  • Fix annotation context labels not showing in views #6742
  • Quiet the 'not a mono-batch' log spam when selecting keypoint with a batch class-id #6359
  • Fix incorrect label placement for 3D arrows with origins #6779
  • Don't pass RRD paths to other data-loaders #6617
🌁 Viewer improvements
  • Introduce a mechanism for blueprint-provided defaults #6537
  • Allow resetting view property components from GUI for all generically implemented property UI #6417
  • Don't log "SDK client connected" messages until after we have confirmed it's a client #6456
  • Background color settings uses new generic UI now #6480
  • TimeSeries y-range is now tightly synced with plot view & uses new generic UI #6485
  • Remove option to enable/disable depth projection from UI #6550
  • Expose tensor colormap/gamma/filter/scaling to blueprint #6585
  • Handle static text messages in TextLogView gracefully, handle overrides #6712
  • Multiple instances of points/arrows/boxes with single label display label now at the center #6741
πŸ§‘β€πŸ« Examples
πŸ“š Docs
  • Add links to our docs in component tooltips #6482
  • Show the first line of the docs when hovering a component name #6609
  • Improve docs for components #6621
  • Add a "Visualizers and Overrides" concept page #6679
  • Better document limited effect of DepthMeter & FillRatio in 2D views #6745
  • Update troubleshooting guide with graphics driver updating advice #6756
  • Update Pixi link to their new website #6688 (thanks @esteve!)
  • Use "N-dimensional" instead of "rank-N" in docstrings and error messages #6797
πŸ–Ό UI improvements
  • Update the UI for time series view properties using list item #6390
  • Fix welcome screen header jumping during load #6389
  • Add support for exact width to PropertyContent #6325
  • Migrate to list_time2:
    • Part 1: ensure background is painted on rounded pixels #6376
    • Part 2: convert all use of legacy list time to list_item2 #6377
    • Part 3: rename list_item2 to list_item #6378
  • Improve the colormap drop down menu #6401
  • Reduce height of top and bottom panels #6397
  • Allow hiding all TimePanel/BlueprintPanel/SelectionPanel #6407
  • Remove the ability to display multiple tensors in a single space view #6392
  • Smooth scrolling in 2D space views #6422
  • Improve welcome screen for small screens #6421
  • Use egui's UiStack to implement full span widgets #6491
  • Use list_item for the component list in InstancePath::data_ui #6309
  • Allow editing visual bounds from UI #6492
  • Allow manually setting full span scopes #6509
  • Make object hover & selection colors brighter and more pronounced #6596
  • Show outline around hovered/selected tiles in viewport #6597
  • Unified visualizer & override UI, enabled on all entities #6599
  • Introduce visualizer blueprint query stack UI #6605
  • Reorganize Selection Panel #6637
  • Rewrite the ui.large_collapsing_header into re_ui::SectionCollapsingHeader using re_ui::ListItem #6657
  • Move entity filter "edit" button to a section header icon #6662
  • Add help to several sections in the Selection Panel #6668
  • Introduce ButtonContent and use it in the selection panel #6720
πŸ•ΈοΈ Web
  • Allow overriding app blueprint from web #6419
  • Add fullscreen mode to web viewer #6461
  • Fix rerun-web canvas size #6511
  • JS: Make LogChannel public #6529
  • New notebook API #6573
  • Add width/height properties to web viewer #6636
  • Do not read query in embedded web viewer #6515
πŸ—£ Refactors
  • Generic view property building, applied to TimeSeriesView's PlotLegend #6400
  • Extracted several re_viewer parts into standalone crates: re_viewport_blueprint #6405, re_context_menu #6428, re_blueprint_tree#6427, and re_selection_panel #6431
πŸ“¦ Dependencies
  • Update to egui 0.28.1 #6752, #6785
  • Update ewebsock to 0.6.0 #6394
  • Update to wgpu 0.20, fixing crashes with some Linux setups #6171
1
…
…
12
SocketSocket SOC 2 Logo

Product

  • Package Alerts
  • Integrations
  • Docs
  • Pricing
  • FAQ
  • Roadmap
  • Changelog

Packages

npm

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with ⚑️ by Socket Inc