The plotly crate provides static image export functionality through the plotly_static crate, which uses WebDriver and headless browsers to render plots as static images.
Static image export allows you to convert Plotly plots into various image formats (PNG, JPEG, WEBP, SVG, PDF) for use in reports, web applications, or any scenario where you need static images.
The static export functionality is controlled by feature flags in the main plotly crate:
static_export_chromedriver: Uses Chrome/Chromium for rendering (requires chromedriver)static_export_geckodriver: Uses Firefox for rendering (requires geckodriver)
static_export_wd_download: Automatically downloads WebDriver binaries at build timestatic_export_default: Convenience feature that includes chromedriver + downloader
# Basic usage with manual Chromedriver installation
[dependencies]
plotly = { version = "0.13", features = ["static_export_chromedriver"] }
# With automatic Chromedriver download
[dependencies]
plotly = { version = "0.13", features = ["static_export_chromedriver", "static_export_wd_download"] }
# Recommended: Default configuration with Chromedriver + auto-download
[dependencies]
plotly = { version = "0.13", features = ["static_export_default"] }Enabling any of the static export features in
plotly(static_export_chromedriver,static_export_geckodriver, orstatic_export_default) enables both APIs fromplotly_static: the syncStaticExporterand the asyncAsyncStaticExporter(reachable asplotly::plotly_static::AsyncStaticExporter). Prefer the async API inside async code.
-
WebDriver Installation: You need either chromedriver or geckodriver installed
- Chrome: Download from https://chromedriver.chromium.org/
- Firefox: Download from https://github.com/mozilla/geckodriver/releases
- Or use the
static_export_wd_downloadfeature for automatic download
-
Browser Installation: You need Chrome/Chromium or Firefox installed
-
Environment Variables (optional):
- Set
WEBDRIVER_PATHto specify custom WebDriver binary location (should point to the full executable path) - Set
BROWSER_PATHto specify custom browser binary location (should point to the full executable path)
export WEBDRIVER_PATH=/path/to/chromedriver export BROWSER_PATH=/path/to/chrome
- Set
use plotly::{Plot, Scatter, ImageFormat};
let mut plot = Plot::new();
plot.add_trace(Scatter::new(vec![1, 2, 3], vec![4, 5, 6]));
// Export to PNG file
plot.write_image("my_plot", ImageFormat::PNG, 800, 600, 1.0)
.expect("Failed to export plot");For better performance when exporting multiple plots, reuse a single StaticExporter:
use plotly::{Plot, Scatter};
use plotly::plotly_static::{StaticExporterBuilder, ImageFormat};
use plotly::prelude::*;
let mut plot1 = Plot::new();
plot1.add_trace(Scatter::new(vec![1, 2, 3], vec![4, 5, 6]));
let mut plot2 = Plot::new();
plot2.add_trace(Scatter::new(vec![2, 3, 4], vec![5, 6, 7]));
// Create a single exporter to reuse
let mut exporter = StaticExporterBuilder::default()
.build()
.expect("Failed to create StaticExporter");
// Export multiple plots using the same exporter
exporter.write_image(&plot1, "plot1", ImageFormat::PNG, 800, 600, 1.0)
.expect("Failed to export plot1");
exporter.write_image(&plot2, "plot2", ImageFormat::JPEG, 800, 600, 1.0)
.expect("Failed to export plot2");
// Always close the exporter to ensure proper release of WebDriver resources
exporter.close();- PNG: Portable Network Graphics, lossless compression
- JPEG: Joint Photographic Experts Group, lossy compression (smaller files)
- WEBP: Google's image format
- SVG: Scalable Vector Graphics
- PDF: Portable Document Format
- EPS: Encapsulated PostScript (will be removed in version 0.14.0)
For web applications or APIs, you can export to strings:
use plotly::{Plot, Scatter};
use plotly::plotly_static::{StaticExporterBuilder, ImageFormat};
use plotly::prelude::*;
let mut plot = Plot::new();
plot.add_trace(Scatter::new(vec![1, 2, 3], vec![4, 5, 6]));
let mut exporter = StaticExporterBuilder::default()
.build()
.expect("Failed to create StaticExporter");
// Get base64 data (useful for embedding in HTML)
let base64_data = exporter.to_base64(&plot, ImageFormat::PNG, 400, 300, 1.0)
.expect("Failed to export plot");
// Get SVG data (vector format, scalable)
let svg_data = exporter.to_svg(&plot, 400, 300, 1.0)
.expect("Failed to export plot");
// Always close the exporter to ensure proper release of WebDriver resources
exporter.close();Always call close() on the exporter to ensure proper release of WebDriver resources. Due to the nature of WebDriver implementation, close has to be called as resources cannot be automatically dropped or released.
use plotly::plotly_static::StaticExporterBuilder;
let mut exporter = StaticExporterBuilder::default()
.webdriver_port(4445) // Use different port for parallel operations
.spawn_webdriver(true) // Explicitly spawn WebDriver
.offline_mode(true) // Use bundled JavaScript (no internet required)
.webdriver_browser_caps(vec![
"--headless".to_string(),
"--no-sandbox".to_string(),
"--disable-gpu".to_string(),
"--disable-dev-shm-usage".to_string(),
])
.build()
.expect("Failed to create StaticExporter");
// Always close the exporter to ensure proper release of WebDriver resources
exporter.close();For parallel operations (tests, etc.), use unique ports:
use plotly::plotly_static::StaticExporterBuilder;
use std::sync::atomic::{AtomicU32, Ordering};
// Generate unique ports for parallel usage
static PORT_COUNTER: AtomicU32 = AtomicU32::new(4444);
fn get_unique_port() -> u32 {
PORT_COUNTER.fetch_add(1, Ordering::SeqCst)
}
// Each thread/process should use a unique port
let mut exporter = StaticExporterBuilder::default()
.webdriver_port(get_unique_port())
.build()
.expect("Failed to build StaticExporter");
// Always close the exporter to ensure proper release of WebDriver resources
exporter.close();plotly_static package offers an async API which is exposed in plotly via the write_image_async, to_base64_async and to_svg_async functions. However, the user must pass an AsyncStaticExporter asynchronous exporter instead of a synchronous one by building it via StaticExportBuilder's build_async method.
Note: Both sync and async exporters are available whenever a
static_export_*feature is enabled inplotly.
For more details check the plotly_static API Documentation
Enable logging for debugging and monitoring:
use plotly::plotly_static::StaticExporterBuilder;
// Initialize logging (typically done once at the start of your application)
env_logger::init();
// Set log level via environment variable
// RUST_LOG=debug cargo run
let mut exporter = StaticExporterBuilder::default()
.build()
.expect("Failed to create StaticExporter");
// Always close the exporter to ensure proper release of WebDriver resources
exporter.close();- Exporter Reuse: Create a single
StaticExporterand reuse it for multiple plots - Parallel Usage: Use unique ports for parallel operations (tests, etc.)
- Resource Management: The exporter automatically manages WebDriver lifecycle
See the static export example for a complete working example that demonstrates:
- Multiple export formats
- Exporter reuse
- String export
- Logging
- Error handling
To run the example:
cd examples/static_export
cargo runNOTE Set RUST_LOG=debug to see detailed WebDriver operations and troubleshooting information.