CARTO.js lets you create custom location intelligence applications that leverage the power of the CARTO Engine ecosystem.
This document details CARTO.js v4. To update your v3 apps, please consult the Upgrade Considerations.
This guide describes how to create a Leaflet map and display data from CARTO over the map. This demonstrates how CARTO.js can be used to
Tip: For more advanced documentation, view the Full Reference API or browse through some examples. You can also read the FAQs.
This document is intended for website or mobile developers who want to include CARTO.js library within a webpage or mobile application. It provides an introduction to using the library and reference material on the available parameters.
CARTO.js requires using an API Key. From your CARTO dashboard, click Your API keys from the avatar drop-down menu to view your uniquely generated API Key for managing data with CARTO Engine.
If you want learn more about authorization and authentication, read the authorization fundamentals section.
Before you start working on the map, you need to import a couple of datasets. For this guide, we will use CARTO’s Data Library, available from Your datasets dashboard, to import and connect public datasets to your account.
Alternatively, click the following links to download datasets from a public CARTO account:
Once downloaded, import the datasets to your CARTO account.
By the end of the lesson, you will have generated an HTML file of a Leaflet Map showing CARTO’s Voyager basemap and labels on top.
Create an HTML file using your preferred text editor and paste the following code to build the application skeleton:
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
<!DOCTYPE html>
<html>
<head>
<title>Guide | CARTO</title>
<meta name="viewport" content="initial-scale=1.0">
<meta charset="utf-8">
<!-- Include Leaflet -->
<script src="https://unpkg.com/leaflet@1.5.1/dist/leaflet.js"></script>
<link href="https://unpkg.com/leaflet@1.5.1/dist/leaflet.css" rel="stylesheet">
<!-- Include CARTO.js -->
<script src="https://cartodb-libs.global.ssl.fastly.net/carto.js/v4.2.0/carto.min.js"></script>
<!-- Fonts -->
<link href="https://fonts.googleapis.com/css?family=Open+Sans:300,400,600,700" rel="stylesheet" type="text/css">
<style>
* { margin:0; padding:0; }
html { box-sizing:border-box; height:100%; }
body { background:#f2f6f9; height:100%; font-family:"Open sans", Helvetica, Arial, sans-serif; }
#container { display:flex; width:100%; height:100%; }
#map { flex:1; margin:10px; }
#widgets { width:300px; margin:10px 10px 10px 0; }
.widget { background:white; padding:10px; margin-bottom:10px; }
.widget h1 { font-size:1.2em; }
.widget-formula .result { font-size:2em; }
</style>
</head>
<body>
<div id="container">
<div id="map"></div>
<div id="widgets">
<div id="countriesWidget" class="widget">
<h1>European countries</h1>
<select class="js-countries">
<option value="">All</option>
</select>
</div>
<div id="avgPopulationWidget" class="widget widget-formula">
<h1>Average population</h1>
<p><span class="js-average-population result">xxx</span> inhabitants</p>
</div>
</div>
</div>
<script>
// code will go here!
</script>
</body>
</html>
The first part of the skeleton loads CARTO.js and Leaflet 1.2.0 assumes Leaflet is loaded in window.L
. The library checks if the version of Leaflet is compatible. If not, it throws an error.
The app skeleton also loads CARTO.js, adds some necessary elements, and defines a script
tag. This is where you will write all the JavaScript code to make the example work.
Note: While CARTO.js enables you to display data from CARTO on top of Leaflet or Google Maps map, the actual map settings are controlled via the Leaflet or Google Maps map options.
CARTO.js apps start from a Leaflet or Google Map. Let’s use a basic Leaflet map for this guide:
1
const map = L.map('map').setView([50, 15], 4);
Define the type of basemap to be used for the background of your map. For this guide, let’s use CARTO’s Voyager basemap.
1
2
3
4
5
6
7
8
9
10
// Adding Voyager Basemap
L.tileLayer('https://{s}.basemaps.cartocdn.com/rastertiles/voyager_nolabels/{z}/{x}/{y}.png', {
maxZoom: 18
}).addTo(map);
// Adding Voyager Labels
L.tileLayer('https://{s}.basemaps.cartocdn.com/rastertiles/voyager_only_labels/{z}/{x}/{y}.png', {
maxZoom: 18,
zIndex: 10
}).addTo(map);
L.tileLayer
creates a layer for the basemap and the zIndex
property defines the basemap labels (that sit on top of the other layers).
carto.Client
carto.Client
is the entry point to CARTO.js. It handles the communication between your app and your CARTO account, which is defined by your API Key and your username.
1
2
3
4
var client = new carto.Client({
apiKey: '{API Key}',
username: '{username}'
});
Warning: Ensure that you modify any placeholder parameters shown in curly brackets with your own credentials. For example, apiKey: '123abc',
and username: 'john123'
.
Display data hosted on your CARTO account as map layers.
Layers are defined with carto.layer.Layer
which include the dataset name and basic styling options with CartoCSS.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
const europeanCountriesDataset = new carto.source.Dataset(`
ne_adm0_europe
`);
const europeanCountriesStyle = new carto.style.CartoCSS(`
#layer {
polygon-fill: #162945;
polygon-opacity: 0.5;
::outline {
line-width: 1;
line-color: #FFFFFF;
line-opacity: 0.5;
}
}
`);
const europeanCountries = new carto.layer.Layer(europeanCountriesDataset, europeanCountriesStyle);
The first layer defines a carto.source.Dataset
object that points to the imported dataset named ne_adm0_europe
. To style the layer, define a carto.style.CartoCSS
object that describes how polygons will be rendered.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
const populatedPlacesSource = new carto.source.SQL(`
SELECT *
FROM ne_10m_populated_places_simple
WHERE adm0name IN (SELECT admin FROM ne_adm0_europe)
`);
const populatedPlacesStyle = new carto.style.CartoCSS(`
#layer {
marker-width: 8;
marker-fill: #FF583E;
marker-fill-opacity: 0.9;
marker-line-width: 0.5;
marker-line-color: #FFFFFF;
marker-line-opacity: 1;
marker-type: ellipse;
marker-allow-overlap: false;
}
`);
const populatedPlaces = new carto.layer.Layer(populatedPlacesSource, populatedPlacesStyle, {
featureOverColumns: ['name']
});
The second layer uses a more complex type of data source for the layer. carto.source.SQL
provides more flexibility for defining the data that you want to display in a layer. For this guide, we are composing a SELECT
statement that selects populated cities in Europe. (Optionally, you can change this query at runtime).
The featureOverColumns: ['name']
option we include in the layer creation defines what columns of the datasource will be available in featureOver
events as we explain below.
Before you can add layers to the map, the carto.Client
variable needs to be notified that these layers exist. The client is responsible for grouping layers into a single Leaflet layer.
1
client.addLayers([europeanCountries, populatedPlaces]);
Now that the client recognizes these two layers, this single Leaflet layer can be added to the map.
1
client.getLeafletLayer().addTo(map);
As a result, your map should display polygons for each European country and red points represent populated cities.
Tip: In order to change the order of layers, flip the order from ([A, B]);
to (B, A);
Tooltips give map viewers information about the underlying data as they interact with the map by clicking or hovering over data. CARTO.js provides a simple mechanism to detect some of these interactions and use the data associated to them. For this guide, let’s display a mouse hover tooltip showing the name of a city.
Layers trigger featureOver
events when the map viewer hovers the mouse over a feature. The event includes data about the feature, such as the latitude and longitude, as well as specified column values defined in featureOverColumns
.
1
2
3
4
5
6
7
8
const popup = L.popup({ closeButton: false });
populatedPlaces.on(carto.layer.events.FEATURE_OVER, featureEvent => {
popup.setLatLng(featureEvent.latLng);
if (!popup.isOpen()) {
popup.setContent(featureEvent.data.name);
popup.openOn(map);
}
});
In this snippet, we are defining a L.popup
and listening to the featureOver
event. When the event is triggered, the pop-up is positioned, populated with the name of the city, and added to the map.
Similarly, layers trigger featureOut
events when the map viewer is no longer moving the mouse over a feature. Use this event to hide the pop-up.
1
2
3
populatedPlaces.on(carto.layer.events.FEATURE_OUT, featureEvent => {
popup.removeFrom(map);
});
When featureOut
is triggered, this code removes the pop-up from the map.
This section describes how to get data from a previously defined data source and display a country selector the map. As a result, selecting a country on the map highlights the country and filters by populated places.
Dataviews are the mechanism CARTO.js uses to access data from a data source (dataset or SQL query) in a particular way (eg: list of categories, result of a formula, etc.). Use the carto.dataview.Category
dataview to get the names of the European countries in the dataset:
1
2
3
const countriesDataview = new carto.dataview.Category(europeanCountriesDataset, 'admin', {
limit: 100
});
This type of dataview expects a data source and the name of the column with the categories. By default, results are limited. For this guide, we specified a limit of 100 categories to make sure all country names are returned.
In order to know when a dataview has new data (eg: right after it has been added to the client or when its source has changed), you should listen to the dataChanged
event. This event gives you an object with all the categories.
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
countriesDataview.on('dataChanged', data => {
const countryNames = data.categories.map(category => category.name).sort();
refreshCountriesWidget(countryNames);
});
function refreshCountriesWidget(adminNames) {
const widgetDom = document.querySelector('#countriesWidget');
const countriesDom = widgetDom.querySelector('.js-countries');
countriesDom.onchange = event => {
const admin = event.target.value;
highlightCountry(admin);
filterPopulatedPlacesByCountry(admin);
};
// Fill in the list of countries
adminNames.forEach(admin => {
const option = document.createElement('option');
option.innerHTML = admin;
option.value = admin;
countriesDom.appendChild(option);
});
}
function highlightCountry(admin) {
let cartoCSS = `
#layer {
polygon-fill: #162945;
polygon-opacity: 0.5;
::outline {
line-width: 1;
line-color: #FFFFFF;
line-opacity: 0.5;
}
}
`;
if (admin) {
cartoCSS = `
${cartoCSS}
#layer[admin!='${admin}'] {
polygon-fill: #CDCDCD;
}
`;
}
europeanCountriesStyle.setContent(cartoCSS);
}
function filterPopulatedPlacesByCountry(admin) {
let query = `
SELECT *
FROM ne_10m_populated_places_simple
WHERE adm0name IN (SELECT admin FROM ne_adm0_europe)
`;
if (admin) {
query = `
SELECT *
FROM ne_10m_populated_places_simple
WHERE adm0name='${admin}'
`;
}
populatedPlacesSource.setQuery(query);
}
This snippet generates the list of country names in alphabetical order from the dataChanged
parameter and uses the SELECT
function to populate the list.
When a country is selected, two functions are invoked: highlightCountry
(highlights the selected country by setting a new CartoCSS to the layer) and filterPopulatedPlacesByCountry
(filters the cities by changing the SQL query).
The dataview needs to be added to the client in order to fetch data from CARTO.
1
client.addDataview(countriesDataview);
Now that you have a working country selector, let’s add a widget that will display the average max population of the populated places for the selected country (or display ALL if no country is selected).
carto.dataview.Formula
allows you to execute aggregate functions (count, sum, average, max, min) on a data source:
1
2
3
const averagePopulation = new carto.dataview.Formula(populatedPlacesSource, 'pop_max', {
operation: carto.operation.AVG
});
The averagePopulation
dataview triggers a dataChanged
event every time a new average has been calculated.
The dataChanged
event allows you to get results of the aggregate function and use it in many ways.
1
2
3
4
5
6
7
8
9
averagePopulation.on('dataChanged', data => {
refreshAveragePopulationWidget(data.result);
});
function refreshAveragePopulationWidget(avgPopulation) {
const widgetDom = document.querySelector('#avgPopulationWidget');
const averagePopulationDom = widgetDom.querySelector('.js-average-population');
averagePopulationDom.innerText = Math.floor(avgPopulation);
}
This snippet refreshes the averaged population widget every time a new average is available (e.g., when a new country is selected).
To get a full working dataview, add it to your client:
1
client.addDataview(averagePopulation);
For more information on using the CARTO.js library, take a look at the support page.
The CARTO.js library may issue an error or warning when something goes wrong. You should check for warnings in particular if you notice that something is missing. It’s also a good idea to check for warnings before launching a new application. Note that the warnings may not be immediately apparent because they appear in the HTTP header. For more information, see the guide to errors messages.
This guide is just an overview of how to use CARTO.js to overlay data and create widgets. View the Examples section for specific features of CARTO.js in action.