Kepler.gl
An example of Kepler map config JSON: https://github.com/uber-web/kepler.gl-data/blob/master/earthquakes/config.json
Pros vs Cons
- Pros
- Simple integration with built-in components (e.g. SidePanel, Layer, Map)
- Cons
- Not easy to customize
Kepler builtin components
SidePanel - SidePanelFactory
Show the left side panel
TODO - snapshot here
Source code: https://github.com/keplergl/kepler.gl/blob/v1.1.11/src/components/side-panel.js
Left side panel
By setting readOnly
as false
, we could show left side panel.
this.props.addDataToMap({
options: {
readOnly: false,
},
});
Layers
Arc layer colors base on value of another
const arcLayer = layers.find((layer) => layer.type === "arc");
this.props.layerVisualChannelConfigChange(arcLayer, {
colorField: {
name: "apple_size",
type: "integer",
},
colorScale: "quantize",
});
Show H3 layer
The name should be something like “hex_id”, if name is “h3_hash”, it will not show as H3 layer automatically.
fields: [
{ name: 'hex_id', format: '', type: 'string' }
Show or hide layers
import * as actions from 'kepler.gl/actions';
const layer = rootState.keplerGl.mapId.visState.layers[0]
this.props.dispatch(
actions.layerConfigChange(layer, {
isVisible: true,
}),
);
GeoJSON polygon layer
const mapConfig = {
version: "v1",
config: {
visState: {
layers: [
{
id: "polygon-layer-id",
type: "geojson",
config: {
dataId: "polygon-dataset-id",
label: "A sample polygon layer",
// color is for fill color only
color: [255, 233, 188], // #ffe9bc
highlightColor: [0, 0, 255], // #0000ff
columns: {
geojson: "_geojson", // csv column for geojson
},
isVisible: false,
visConfig: {
/* stroke */
stroked: true,
strokeColor: [193, 86, 0], // #c15600
strokeOpacity: 0.8,
thickness: 2, // border line width
/* fill */
filled: true,
opacity: 0.1,
colorRange: {
// name: 'ColorBrewer YlGn-6',
// type: 'sequential',
// category: 'ColorBrewer',
colors: ["#ffffff", "#f5120a", "#fae900", "#95D195", "#438F45"],
},
strokeColorRange: {
// name: 'ColorBrewer YlGn-6',
// type: 'sequential',
// category: 'ColorBrewer',
colors: ["#ffffff", "#f5120a", "#fae900", "#95D195", "#438F45"],
},
},
},
visualChannels: {
/**
* fill color default value
* ```
* colorField: null,
* colorScale: 'quantile',
* ```
* use config.visConfig.colorRange to control the color range for fill color
*/
colorField: {
name: "student_count", // use this CSV column to indicate polygon fill color
type: "real",
},
colorScale: "quantize",
/**
* stroke color default value
* ```
* strokeColorField: null,
* strokeColorScale: 'quantile',
* ```
* use config.visConfig.strokeColorRange to control the color range for stroke color
*/
strokeColorField: {
name: "teacher_count", // use this CSV column to indicate the polygon border line color
type: "integer",
},
strokeColorScale: "quantize",
/**
* stroke width default value
* ```
* sizeField: null,
* sizeScale: 'linear',
* ```
*/
// sizeField: {
// name: 'rabbit_count',
// type: 'integer',
// },
// sizeScale: 'quantize',
// heightField: null,
// heightScale: 'linear',
// radiusField: null,
// radiusScale: 'linear',
},
},
],
},
},
};
Map
Zoom to a bbox
solution 1
import * as turf from "@turf/turf";
import { fitBounds } from "kepler.gl/actions";
const bbox = turf.bbox(turf.point([longitude, latitude])); // [103.785, 1.435, 103.785, 1.435]
this.props.dispatch(fitBounds(bbox));
solution 2: zoom to a position with zoom level
import { fitBounds } from "kepler.gl/actions";
dispatch(actions.updateMap({ latitude: 1, longitude: 103, zoom: 15 }));
Load new data and keep current map state
solution 1 - getConfigToSave or save
- https://github.com/keplergl/kepler.gl/blob/master/docs/api-reference/advanced-usages/saving-loading-w-schema.md#load-map
- https://github.com/uber-common/vis-academy/blob/kepler.gl/src/demos/kepler.gl/3-load-config/src/app.js
- http://vis.academy/#/kepler.gl/3-load-config
- https://github.com/keplergl/kepler.gl/issues/176
class App extends React.Component {
// This method is used as reference to show how to export the current kepler.gl instance configuration
// Once exported the configuration can be imported using parseSavedConfig or load method from KeplerGlSchema
getMapConfig = () => {
// retrieve kepler.gl store
const { keplerGl } = this.props;
// retrieve current kepler.gl instance store
const { [this.props.id]: map } = keplerGl;
// create the config object
return KeplerGlSchema.KeplerGlSchema.getConfigToSave(map);
};
updateMap = () => {
// read the current configuration
const config = this.getMapConfig(); // config.version="v1", config.config.mapState={...}
this.props.addDataToMap({
datasets: {
info: {
label: "Test Data",
id: "test_data",
},
data: {
fields: [{ name: "id", format: "", type: "string" }],
rows: [["123"], ["456"]],
},
},
options: {
centerMap: false, // Set to false, otherwise map to fitBounds (zoom to data bbox) automatically after data loaded.
readOnly: false,
},
config,
});
};
}
solution 2 - receiveMapConfig
actions.receiveMapConfig
- https://docs.kepler.gl/docs/api-reference/actions/actions#receivemapconfig- https://github.com/keplergl/kepler.gl/issues/849
code example, but not test:
import {receiveMapConfig} from 'kepler.gl/actions';
import KeplerGlSchema from 'kepler.gl/schemas';
const parsedConfig = KeplerGlSchema.parseSavedConfig(config);
this.props.dispatch(receiveMapConfig(parsedConfig));
solution 3 - keepExistingConfig
- https://github.com/keplergl/kepler.gl/blob/master/docs/api-reference/actions/actions.md#adddatatomap
- https://github.com/keplergl/kepler.gl/issues/849
code example:
data.options.keepExistingConfig = true;
// after enable `keepExistingConfig`, should remove config, otherwise we will have duplicated filters after calling `addDataToMap`
delete data.config;
addDataToMap(data);
why kepler.gl lock to a specific deck.gl version?
See thisi PR: https://github.com/keplergl/kepler.gl/pull/1602 ([Bug] lock deck.gl to 8.2.0 #1602) )
Load data from URL
https://kepler.gl/demo?mapUrl=https://gist.githubusercontent.com/xx7y7xx/50d7d888e01471ae9ec978a3057c9ddc/raw/aa0b132c76b8bb7bc592ccbdbfdca96ee61800f0/a.csv
Add new filter
import { useDispatch } from "react-redux";
import * as actions from "kepler.gl/actions";
const dispatch = useDispatch();
dispatch(actions.addFilter("data_id"));
dispatch(actions.setFilter(4, "name", "column_name"));
dispatch(actions.setFilter(4, "value", ["foo", "bar"]));
Init a new project
$ npx create-react-app keplergl-demo --template redux
$ npm i kepler.gl styled-components assert
Modify webpack config
resolve: {
fallback: {
assert: require.resolve('assert'),
url: false,
querystring: false
}
Start kepler.gl
$ rm -rf node_modules/kepler.gl/node_modules/react-redux ; npm start
Note: This is to fix react-redux conflict error: Uncaught Error: Could not find “store” in the context of “Connect(Container)”.
Field definitions
{
"datasets": {},
"config": {
"visState": {
"filters": [
{
"id": "students_count",
"dataId": "students_count",
"name": "Students Count",
"type": "range",
"enlarged": false,
"value": [0, 100]
}
],
"layers": []
}
}
}
// src/constants/default-settings.js
export const ALL_FIELD_TYPES = keyMirror({
boolean: null,
date: null,
geojson: null,
integer: null,
real: null,
string: null,
timestamp: null,
point: null
});
Get mapbox from kepler.gl
<KeplerGl
getMapboxRef={(mapRef) => {
mapbox = mapRef?.getMap();
// List all mapbox layers in kepler.gl
console.log("All mapbox layers:", mapbox.getStyle().layers);
}}
/>
Get deckgl from kepler.gl
<KeplerGl
onDeckInitialized={(deck /*Deck*/, gl /*WebGL2RenderingContext*/) => {
// List all deck.gl layers in kepler.gl
console.log("All deck.gl layers", deck.layerManager.layers);
}}
/>
Tooltip
path: keplerGl.<mapId>.visState.interactionConfig.tooltip.config.fieldsToShow.<dataset_id>
{
"name": "order_count",
"format": ","
}
','
will format 123456
to 123,456
.
Kepler.gl uses d3-format
to format decimal. Check d3-format
for the expression of the format. See Kepler.gl source code: https://github.com/keplergl/kepler.gl/blob/v2.5.5/src/utils/data-utils.js#L365
Actions
addDataToMap
import * as actions from "kepler.gl/actions";
const dispatch = useDispatch();
dispatch(
actions.addDataToMap({
datasets: [
{
info: { label: "Test Data", id: "test_data" },
data: [["foo", 1, 103]],
},
],
options: {
/**
* When first init a map, will center map to all data
* When filter changed, then update map with centerMap=false
*/
centerMap: false, // default is true in original kepler gl
readOnly: false,
// whether to keep exiting map data and associated layer filter interaction config default: false
// when enable this, then remove config below, otherwise will cause duplicate layers
keepExistingConfig: true,
},
})
);
LAYER_VIS_CONFIG_CHANGE: layerVisConfigChange
import * as actions from "kepler.gl/actions";
const dispatch = useDispatch();
const oldLayer = _.get(reduxRootState, `keplerGl.${mapId}.visState.layers`)[0];
dispatch(
actions.layerVisConfigChange(
oldLayer,
/*newVisConfig:*/ {
colorRange: {
name: "Uber Viz Diverging 0.5",
type: "diverging",
category: "Uber",
colors: ["#00939C", "#A2D4D7", "#EFBEAE", "#C22E00"],
},
}
)
);
LAYER_VISUAL_CHANNEL_CHANGE: layerVisualChannelConfigChange
To change base color field to the first field.
To change the color scale to quantize
.
dispatch(
actions.layerVisualChannelConfigChange(
oldLayer,
{
colorField: _.get(
reduxRootState,
`keplerGl.${mapId}.visState.datasets['${dataSetId}'].fields`
)[0], // `[0]` indicates the first field/column
colorScale: "quantize",
},
/*channel:*/ "color"
)
);
Examples
- GeoJSON - https://kepler.gl/demo?mapUrl=https://gist.githubusercontent.com/xx7y7xx/2c26754503984878b5c8c184055a4e63/raw/44e5bac4110a45fdd5b6e3ee007a240bc7d8466a/kepler-gl-geojson.csv