Maps

Learn how to create beautiful maps with Rust.

Mapping in Rust

Sadly, there are no tools in pure Rust to create maps. There are tools to handle GIS and geography, but nothing is completely devoted to map creation.

Therefore, we only have a few options to choose from, which might be appreciated by those who need to handle geographic data in Rust.

Currently, we have two main options:

  • Use what the ecosystem provides, even if it is incomplete and labor intensive.
  • Integrate the Rust ecosystem with other tools, such as creating interactive maps with JavaScript to show in a browser.

We’ll show an example of both methods.

Vega_lite_3

The crate vega_lite_3 is devoted to charting data. It is a little bit more complicated than poloto, but it is much more powerful.

The vega_lite_3 crate employs the builder pattern. We can create the default builder with VegaliteBuilder::default() and then add all the information and data to our charts with a method applied to the builder.

We use build()? to get the graph built and ready to display. At the end, with .to_html_page()?, we create a string containing a page with our graph.

Let’s look at an example below:

Press + to interact
use vega_lite_3::*;
fn main() -> Result<(), Box<dyn std::error::Error>> {
// the chart
let chart = VegaliteBuilder::default()
.title("Choropleth of Unemployment Rate per County")
.data(
UrlDataBuilder::default()
.url("https://raw.githubusercontent.com/vega/vega-datasets/master/data/us-10m.json")
.format(
DataFormatBuilder::default()
.data_format_type(DataFormatType::Topojson)
.feature("counties")
.build()?,
)
.build()?,
)
.mark(Mark::Geoshape)
.transform(vec![TransformBuilder::default()
.lookup("id")
.from(LookupDataBuilder::default()
.data(DataBuilder::default()
.url("https://raw.githubusercontent.com/vega/vega-datasets/master/data/unemployment.tsv")
.build()?)
.key("id")
.fields(vec!["rate".to_string()])
.build()?)
.build()?])
.projection(ProjectionBuilder::default().projection_type(ProjectionType::AlbersUsa).build()?)
.encoding(
EncodingBuilder::default()
.color(
DefWithConditionMarkPropFieldDefStringNullBuilder::default()
.field("rate")
.def_with_condition_mark_prop_field_def_string_null_type(StandardType::Quantitative)
.build()?,
)
.build()?,
)
.build()?;
println!("{}", chart.to_html_page()?);
Ok(())
}

At the beginning, in line 5 we create a builder with VegaliteBuilder::default().

Then, we set a title in line 6 with .title() and we get our data with .data() in line 7. To get our data, we fetch it online with a new builder, the UrlDataBuilder.

We start the UrlDataBuilder ...