Chart
A comprehensive charting library providing Line, Bar, Area, and Pie charts for data visualization. The charts feature smooth animations, customizable styling, tooltips, legends, and automatic theming that adapts to your application's theme.
Import
rust
use gpui_component::chart::{LineChart, BarChart, AreaChart, PieChart};
Chart Types
LineChart
A line chart displays data points connected by straight line segments, perfect for showing trends over time.
Basic Line Chart
rust
#[derive(Clone)]
struct DataPoint {
x: String,
y: f64,
}
let data = vec![
DataPoint { x: "Jan".to_string(), y: 100.0 },
DataPoint { x: "Feb".to_string(), y: 150.0 },
DataPoint { x: "Mar".to_string(), y: 120.0 },
];
LineChart::new(data)
.x(|d| d.x.clone())
.y(|d| d.y)
Line Chart Variants
rust
// Basic curved line (default)
LineChart::new(data)
.x(|d| d.month.clone())
.y(|d| d.value)
// Linear interpolation
LineChart::new(data)
.x(|d| d.month.clone())
.y(|d| d.value)
.linear()
// Step after interpolation
LineChart::new(data)
.x(|d| d.month.clone())
.y(|d| d.value)
.step_after()
// With dots at data points
LineChart::new(data)
.x(|d| d.month.clone())
.y(|d| d.value)
.dot()
// Custom stroke color
LineChart::new(data)
.x(|d| d.month.clone())
.y(|d| d.value)
.stroke(cx.theme().success)
Tick Control
rust
// Show every tick
LineChart::new(data)
.x(|d| d.month.clone())
.y(|d| d.value)
.tick_margin(1)
// Show every 2nd tick
LineChart::new(data)
.x(|d| d.month.clone())
.y(|d| d.value)
.tick_margin(2)
BarChart
A bar chart uses rectangular bars to show comparisons among categories.
Basic Bar Chart
rust
BarChart::new(data)
.x(|d| d.category.clone())
.y(|d| d.value)
Bar Chart Customization
rust
// Custom fill colors
BarChart::new(data)
.x(|d| d.category.clone())
.y(|d| d.value)
.fill(|d| d.color)
// With labels on bars
BarChart::new(data)
.x(|d| d.category.clone())
.y(|d| d.value)
.label(|d| format!("{}", d.value))
// Custom tick spacing
BarChart::new(data)
.x(|d| d.category.clone())
.y(|d| d.value)
.tick_margin(2)
AreaChart
An area chart displays quantitative data visually, similar to a line chart but with the area below the line filled.
Basic Area Chart
rust
AreaChart::new(data)
.x(|d| d.time.clone())
.y(|d| d.value)
Stacked Area Charts
rust
// Multi-series area chart
AreaChart::new(data)
.x(|d| d.date.clone())
.y(|d| d.desktop) // First series
.stroke(cx.theme().chart_1)
.fill(cx.theme().chart_1.opacity(0.4))
.y(|d| d.mobile) // Second series
.stroke(cx.theme().chart_2)
.fill(cx.theme().chart_2.opacity(0.4))
Area Chart Styling
rust
use gpui::{linear_gradient, linear_color_stop};
// With gradient fill
AreaChart::new(data)
.x(|d| d.month.clone())
.y(|d| d.value)
.fill(linear_gradient(
0.,
linear_color_stop(cx.theme().chart_1.opacity(0.4), 1.),
linear_color_stop(cx.theme().background.opacity(0.3), 0.),
))
// Different interpolation styles
AreaChart::new(data)
.x(|d| d.month.clone())
.y(|d| d.value)
.linear() // or .step_after()
PieChart
A pie chart displays data as slices of a circular chart, ideal for showing proportions.
Basic Pie Chart
rust
PieChart::new(data)
.value(|d| d.amount as f32)
.outer_radius(100.)
Donut Chart
rust
PieChart::new(data)
.value(|d| d.amount as f32)
.outer_radius(100.)
.inner_radius(60.) // Creates donut effect
Pie Chart Customization
rust
// Custom colors
PieChart::new(data)
.value(|d| d.amount as f32)
.outer_radius(100.)
.color(|d| d.color)
// With padding between slices
PieChart::new(data)
.value(|d| d.amount as f32)
.outer_radius(100.)
.inner_radius(60.)
.pad_angle(4. / 100.) // 4% padding
Data Structures
Example Data Types
rust
// Time series data
#[derive(Clone)]
struct DailyDevice {
pub date: String,
pub desktop: f64,
pub mobile: f64,
}
// Category data with styling
#[derive(Clone)]
struct MonthlyDevice {
pub month: String,
pub desktop: f64,
pub color_alpha: f32,
}
impl MonthlyDevice {
pub fn color(&self, base_color: Hsla) -> Hsla {
base_color.alpha(self.color_alpha)
}
}
// Financial data
#[derive(Clone)]
struct StockPrice {
pub date: String,
pub open: f64,
pub high: f64,
pub low: f64,
pub close: f64,
pub volume: u64,
}
Chart Configuration
Container Setup
rust
fn chart_container(
title: &str,
chart: impl IntoElement,
center: bool,
cx: &mut Context<ChartStory>,
) -> impl IntoElement {
v_flex()
.flex_1()
.h_full()
.border_1()
.border_color(cx.theme().border)
.rounded_lg()
.p_4()
.child(
div()
.when(center, |this| this.text_center())
.font_semibold()
.child(title.to_string()),
)
.child(
div()
.when(center, |this| this.text_center())
.text_color(cx.theme().muted_foreground)
.text_sm()
.child("Data period label"),
)
.child(div().flex_1().py_4().child(chart))
.child(
div()
.when(center, |this| this.text_center())
.font_semibold()
.text_sm()
.child("Summary statistic"),
)
.child(
div()
.when(center, |this| this.text_center())
.text_color(cx.theme().muted_foreground)
.text_sm()
.child("Additional context"),
)
}
Theme Integration
rust
// Charts automatically use theme colors
let chart = LineChart::new(data)
.x(|d| d.date.clone())
.y(|d| d.value)
.stroke(cx.theme().chart_1); // Uses theme chart colors
// Available theme chart colors:
// cx.theme().chart_1
// cx.theme().chart_2
// cx.theme().chart_3
// ... up to chart_5
API Reference
LineChart
Method | Type | Description |
---|---|---|
new(data) | Vec<T> | Create new line chart with data |
x(fn) | Fn(&T) -> X | Set X-axis data accessor |
y(fn) | Fn(&T) -> Y | Set Y-axis data accessor |
stroke(color) | Hsla | Set line stroke color |
natural() | Self | Use natural curve interpolation (default) |
linear() | Self | Use linear interpolation |
step_after() | Self | Use step-after interpolation |
dot() | Self | Show dots at data points |
tick_margin(n) | usize | Show every nth tick on X-axis |
BarChart
Method | Type | Description |
---|---|---|
new(data) | Vec<T> | Create new bar chart with data |
x(fn) | Fn(&T) -> X | Set X-axis data accessor |
y(fn) | Fn(&T) -> Y | Set Y-axis data accessor |
fill(fn) | Fn(&T) -> Hsla | Set custom fill color per bar |
label(fn) | Fn(&T) -> String | Set labels on bars |
tick_margin(n) | usize | Show every nth tick on X-axis |
AreaChart
Method | Type | Description |
---|---|---|
new(data) | Vec<T> | Create new area chart with data |
x(fn) | Fn(&T) -> X | Set X-axis data accessor |
y(fn) | Fn(&T) -> Y | Add Y-axis data series (can be called multiple times) |
stroke(color) | Hsla | Set stroke color for current series |
fill(background) | Background | Set fill for current series |
natural() | Self | Use natural curve interpolation for current series |
linear() | Self | Use linear interpolation for current series |
step_after() | Self | Use step-after interpolation for current series |
tick_margin(n) | usize | Show every nth tick on X-axis |
PieChart
Method | Type | Description |
---|---|---|
new(data) | Vec<T> | Create new pie chart with data |
value(fn) | Fn(&T) -> f32 | Set value accessor |
color(fn) | Fn(&T) -> Hsla | Set custom color per slice |
inner_radius(r) | f32 | Set inner radius (for donut charts) |
outer_radius(r) | f32 | Set outer radius |
pad_angle(angle) | f32 | Set padding angle between slices |
Examples
Sales Dashboard
rust
#[derive(Clone)]
struct SalesData {
month: String,
revenue: f64,
profit: f64,
region: String,
}
fn sales_dashboard(data: Vec<SalesData>, cx: &mut Context<Self>) -> impl IntoElement {
v_flex()
.gap_4()
.child(
h_flex()
.gap_4()
.child(
chart_container(
"Monthly Revenue",
LineChart::new(data.clone())
.x(|d| d.month.clone())
.y(|d| d.revenue)
.stroke(cx.theme().chart_1)
.dot(),
false,
cx,
)
)
.child(
chart_container(
"Profit Breakdown",
PieChart::new(data.clone())
.value(|d| d.profit as f32)
.outer_radius(80.)
.color(|d| match d.region.as_str() {
"North" => cx.theme().chart_1,
"South" => cx.theme().chart_2,
"East" => cx.theme().chart_3,
"West" => cx.theme().chart_4,
_ => cx.theme().chart_5,
}),
true,
cx,
)
)
)
.child(
chart_container(
"Regional Performance",
BarChart::new(data)
.x(|d| d.region.clone())
.y(|d| d.revenue)
.fill(|d| match d.region.as_str() {
"North" => cx.theme().chart_1,
"South" => cx.theme().chart_2,
"East" => cx.theme().chart_3,
"West" => cx.theme().chart_4,
_ => cx.theme().chart_5,
})
.label(|d| format!("${:.0}k", d.revenue / 1000.)),
false,
cx,
)
)
}
Multi-Series Time Chart
rust
#[derive(Clone)]
struct DeviceUsage {
date: String,
desktop: f64,
mobile: f64,
tablet: f64,
}
fn device_usage_chart(data: Vec<DeviceUsage>, cx: &mut Context<Self>) -> impl IntoElement {
chart_container(
"Device Usage Over Time",
AreaChart::new(data)
.x(|d| d.date.clone())
.y(|d| d.desktop)
.stroke(cx.theme().chart_1)
.fill(linear_gradient(
0.,
linear_color_stop(cx.theme().chart_1.opacity(0.4), 1.),
linear_color_stop(cx.theme().background.opacity(0.3), 0.),
))
.y(|d| d.mobile)
.stroke(cx.theme().chart_2)
.fill(linear_gradient(
0.,
linear_color_stop(cx.theme().chart_2.opacity(0.4), 1.),
linear_color_stop(cx.theme().background.opacity(0.3), 0.),
))
.y(|d| d.tablet)
.stroke(cx.theme().chart_3)
.fill(linear_gradient(
0.,
linear_color_stop(cx.theme().chart_3.opacity(0.4), 1.),
linear_color_stop(cx.theme().background.opacity(0.3), 0.),
))
.tick_margin(3),
false,
cx,
)
}
Financial Chart
rust
#[derive(Clone)]
struct StockData {
date: String,
price: f64,
volume: u64,
}
fn stock_chart(data: Vec<StockData>, cx: &mut Context<Self>) -> impl IntoElement {
v_flex()
.gap_4()
.child(
chart_container(
"Stock Price",
LineChart::new(data.clone())
.x(|d| d.date.clone())
.y(|d| d.price)
.stroke(cx.theme().chart_1)
.linear()
.tick_margin(5),
false,
cx,
)
)
.child(
chart_container(
"Trading Volume",
BarChart::new(data)
.x(|d| d.date.clone())
.y(|d| d.volume as f64)
.fill(|d| {
if d.volume > 1000000 {
cx.theme().chart_1
} else {
cx.theme().muted_foreground.opacity(0.6)
}
})
.tick_margin(5),
false,
cx,
)
)
}
Customization Options
Color Schemes
rust
// Theme-based colors (recommended)
LineChart::new(data)
.x(|d| d.x.clone())
.y(|d| d.y)
.stroke(cx.theme().chart_1)
// Custom color palette
let colors = [
cx.theme().success,
cx.theme().warning,
cx.theme().destructive,
cx.theme().info,
cx.theme().chart_1,
];
BarChart::new(data)
.x(|d| d.category.clone())
.y(|d| d.value)
.fill(|d| colors[d.category_index % colors.len()])
Responsive Design
rust
// Container with responsive sizing
div()
.flex_1()
.min_h(px(300.))
.max_h(px(600.))
.w_full()
.child(
LineChart::new(data)
.x(|d| d.x.clone())
.y(|d| d.y)
)
Grid and Axis Styling
Charts automatically include:
- Grid lines with dashed appearance
- X-axis labels with smart positioning
- Y-axis scaling starting from zero
- Responsive tick spacing based on
tick_margin
Accessibility
Chart Accessibility Features
- Semantic Structure: Charts are rendered with proper element hierarchy
- Theme Integration: Automatic color adaptation for light/dark themes
- High Contrast: Grid lines and axis labels use theme border colors
- Scalable: Charts adapt to container size and maintain proportions
Best Practices for Accessibility
rust
// Always provide descriptive titles
chart_container(
"Monthly Sales Revenue", // Clear, descriptive title
chart,
false,
cx,
)
// Include data summaries
v_flex()
.child("Revenue increased by 15% this quarter")
.child("Showing data from January to March 2024")
.child(chart)
// Use semantic color combinations
LineChart::new(data)
.x(|d| d.date.clone())
.y(|d| d.value)
.stroke(cx.theme().chart_1) // Uses theme-appropriate colors
Screen Reader Support
- Chart containers should include descriptive text
- Key statistics should be provided as text
- Data trends should be summarized in text form
- Alternative data tables can be provided for complex charts
Performance Considerations
Large Datasets
rust
// For large datasets, consider data sampling
let sampled_data: Vec<_> = data
.iter()
.step_by(5) // Show every 5th point
.cloned()
.collect();
LineChart::new(sampled_data)
.x(|d| d.date.clone())
.y(|d| d.value)
.tick_margin(3) // Reduce tick density
Memory Optimization
rust
// Use efficient data accessors
LineChart::new(data)
.x(|d| d.date.clone()) // Clone only when necessary
.y(|d| d.value) // Direct field access
Integration Examples
With State Management
rust
struct ChartComponent {
data: Vec<DataPoint>,
chart_type: ChartType,
time_range: TimeRange,
}
impl ChartComponent {
fn render_chart(&self, cx: &mut Context<Self>) -> impl IntoElement {
match self.chart_type {
ChartType::Line => LineChart::new(self.filtered_data())
.x(|d| d.date.clone())
.y(|d| d.value)
.into_any_element(),
ChartType::Bar => BarChart::new(self.filtered_data())
.x(|d| d.date.clone())
.y(|d| d.value)
.into_any_element(),
ChartType::Area => AreaChart::new(self.filtered_data())
.x(|d| d.date.clone())
.y(|d| d.value)
.into_any_element(),
}
}
fn filtered_data(&self) -> Vec<DataPoint> {
self.data
.iter()
.filter(|d| self.time_range.contains(&d.date))
.cloned()
.collect()
}
}
Real-time Updates
rust
struct LiveChart {
data: Vec<DataPoint>,
max_points: usize,
}
impl LiveChart {
fn add_data_point(&mut self, point: DataPoint) {
self.data.push(point);
if self.data.len() > self.max_points {
self.data.remove(0); // Remove oldest point
}
}
fn render(&self, cx: &mut Context<Self>) -> impl IntoElement {
LineChart::new(self.data.clone())
.x(|d| d.timestamp.clone())
.y(|d| d.value)
.linear()
.dot()
}
}