maplibre-gl
Version:
BSD licensed community fork of mapbox-gl, a WebGL interactive maps library
373 lines (315 loc) • 15.1 kB
text/typescript
import {getJSON} from '../util/ajax';
import {RequestPerformance} from '../util/performance';
import {GeoJSONWrapper} from '@maplibre/vt-pbf';
import {EXTENT} from '../data/extent';
import {GeoJSONVT, type GeoJSONVTOptions} from '@maplibre/geojson-vt';
import {createExpression, type FilterSpecification} from '@maplibre/maplibre-gl-style-spec';
import {isAbortError} from '../util/abort_error';
import {toVirtualVectorTile} from './vector_tile_overzoomed';
import {WorkerTile} from './worker_tile';
import {WorkerTileState, type ParsingState} from './worker_tile_state';
import {extend} from '../util/util';
import type {GeoJSONSourceDiff} from './geojson_source_diff';
import type {WorkerSource, WorkerTileParameters, TileParameters, WorkerTileResult} from './worker_source';
import type {LoadVectorTileResult} from './vector_tile_worker_source';
import type {RequestParameters} from '../util/ajax';
import type {ClusterIDAndSource, GeoJSONWorkerSourceLoadDataResult, RemoveSourceParams} from '../util/actor_messages';
import type {IActor} from '../util/actor';
import type {StyleLayerIndex} from '../style/style_layer_index';
/**
* The geojson worker options that can be passed to the worker
*/
export type GeoJSONWorkerOptions = {
source?: string;
geojsonVtOptions?: GeoJSONVTOptions;
clusterProperties?: Record<string, [unknown, unknown]>;
filter?: FilterSpecification;
collectResourceTiming?: boolean;
};
/**
* Parameters needed to load GeoJSON to the worker - must specify either a `request`, `data` or `dataDiff`.
*/
export type LoadGeoJSONParameters = GeoJSONWorkerOptions & {
type: 'geojson';
/**
* Request parameters including a URL to fetch GeoJSON data.
*/
request?: RequestParameters;
/**
* GeoJSON data to set as the source's data.
*/
data?: GeoJSON.GeoJSON;
/**
* GeoJSONSourceDiff to apply to the existing GeoJSON source data.
*/
dataDiff?: GeoJSONSourceDiff;
/**
* Update the supercluster using the latest worker cluster options.
*/
updateCluster?: boolean;
};
/**
* The {@link WorkerSource} implementation that supports {@link GeoJSONSource}.
* This class is designed to be easily reused to support custom source types
* for data formats that can be parsed/converted into an in-memory GeoJSON
* representation. To do so, create it with
* `new GeoJSONWorkerSource(actor, layerIndex, customLoadGeoJSONFunction)`.
* For a full example, see [mapbox-gl-topojson](https://github.com/developmentseed/mapbox-gl-topojson).
*/
export class GeoJSONWorkerSource implements WorkerSource {
actor: IActor;
layerIndex: StyleLayerIndex;
availableImages: Array<string>;
tileState: WorkerTileState;
_pendingRequest: AbortController;
_geoJSONIndex: GeoJSONVT;
_createGeoJSONIndex: typeof createGeoJSONIndex;
constructor(actor: IActor, layerIndex: StyleLayerIndex, availableImages: Array<string>, createGeoJSONIndexFunc: typeof createGeoJSONIndex = createGeoJSONIndex) {
this.actor = actor;
this.layerIndex = layerIndex;
this.availableImages = availableImages;
this.tileState = new WorkerTileState();
this._createGeoJSONIndex = createGeoJSONIndexFunc;
}
/**
* Retrieves and sends loaded vector tiles to the main thread.
*/
loadVectorTile(params: WorkerTileParameters): LoadVectorTileResult | null {
if (!this._geoJSONIndex) throw new Error('Unable to parse the data into a cluster or geojson');
const {z, x, y} = params.tileID.canonical;
const geoJSONTile = this._geoJSONIndex.getTile(z, x, y);
if (!geoJSONTile) return null;
const geojsonWrapper = new GeoJSONWrapper(geoJSONTile.features, {version: 2, extent: EXTENT});
return toVirtualVectorTile(geojsonWrapper);
}
/**
* Implements {@link WorkerSource.loadTile}.
*/
async loadTile(params: WorkerTileParameters): Promise<WorkerTileResult | null> {
const {uid} = params;
const workerTile = new WorkerTile(params);
workerTile.abort = new AbortController();
try {
const loadResult = this.loadVectorTile(params);
if (!loadResult) return null;
const {vectorTile, rawData} = loadResult;
workerTile.vectorTile = vectorTile;
this.tileState.markLoaded(uid, workerTile);
const parseState = {rawData};
this.tileState.setParsing(uid, parseState); // Keep data so reloadTile can access if parse is canceled.
try {
return await this._parseWorkerTile(workerTile, params, parseState);
} finally {
this.tileState.clearParsing(uid);
}
} catch (err) {
workerTile.status = 'done';
this.tileState.markLoaded(uid, workerTile);
throw err;
}
}
private async _reloadLoadedTile(params: WorkerTileParameters): Promise<WorkerTileResult> {
const uid = params.uid;
const workerTile = this.tileState.getLoaded(uid);
if (!workerTile) throw new Error('Should not be trying to reload a tile that was never loaded or has been removed');
workerTile.showCollisionBoxes = params.showCollisionBoxes;
if (workerTile.status === 'parsing') {
// If we are cancelling the original parse, make sure to pass the rawData from the original parse.
const parseState = this.tileState.consumeParsing(uid);
return await this._parseWorkerTile(workerTile, params, parseState);
}
// If there was no vector tile data on the initial load, don't try and reparse the tile.
if (workerTile.status === 'done' && workerTile.vectorTile) {
return await this._parseWorkerTile(workerTile, params);
}
}
async _parseWorkerTile(workerTile: WorkerTile, params: WorkerTileParameters, parseState?: ParsingState): Promise<WorkerTileResult> {
let result = await workerTile.parse(workerTile.vectorTile, this.layerIndex, this.availableImages, this.actor, params.subdivisionGranularity);
if (parseState) {
const {rawData} = parseState;
// Transferring a copy of rawTileData because the worker needs to retain its copy.
result = extend({rawTileData: rawData.slice(0), encoding: 'mvt'}, result);
}
return result;
}
/**
* Implements {@link WorkerSource.abortTile}.
*/
async abortTile(params: TileParameters): Promise<void> {
this.tileState.abort(params.uid);
}
/**
* Implements {@link WorkerSource.removeTile}.
*/
async removeTile(params: TileParameters): Promise<void> {
this.tileState.removeLoaded(params.uid);
}
/**
* Fetches (if appropriate), parses and indexes geojson data into tiles. This
* preparatory method must be called before {@link GeoJSONWorkerSource.loadTile}
* can correctly serve up tiles. The first call to this method must contain a valid
* {@link params.data}, {@link params.request} or {@link params.dataDiff}. Subsequent
* calls may omit these parameters to reprocess the existing data (such as to update
* clustering options).
*
* Defers to {@link GeoJSONWorkerSource.loadAndProcessGeoJSON} for the pre-processing.
*
* When a `loadData` request comes in while a previous one is being processed,
* the previous one is aborted.
*
* @param params - the parameters
* @returns a promise that resolves when the data is loaded and parsed into a GeoJSON object
*/
async loadData(params: LoadGeoJSONParameters): Promise<GeoJSONWorkerSourceLoadDataResult> {
this._pendingRequest?.abort();
const timing = this._startRequestTiming(params);
this._pendingRequest = new AbortController();
try {
await this.loadAndProcessGeoJSON(params, this._pendingRequest);
delete this._pendingRequest;
this.tileState.clearLoaded();
// Sending a large GeoJSON payload from the worker to the main thread is slow so only do if necessary.
// Send data only if it was loaded from a URL, otherwise the main thread already has a copy of this data.
const result: GeoJSONWorkerSourceLoadDataResult = {};
if (params.request) result.data = params.data;
this._finishRequestTiming(timing, params, result);
return result;
} catch (err) {
delete this._pendingRequest;
if (!isAbortError(err)) throw err;
return {abandoned: true};
}
}
_startRequestTiming(params: LoadGeoJSONParameters): RequestPerformance | undefined {
if (!params.request?.collectResourceTiming) return;
return new RequestPerformance(params.request.url);
}
_finishRequestTiming(timing: RequestPerformance, params: LoadGeoJSONParameters, result: GeoJSONWorkerSourceLoadDataResult): void {
const timingData = timing?.finish();
if (!timingData) return;
// it's necessary to eval the result of getEntriesByName() here via parse/stringify
// late evaluation in the main thread causes TypeError: illegal invocation
result.resourceTiming = {[params.source]: JSON.parse(JSON.stringify(timingData))};
}
/**
* Implements {@link WorkerSource.reloadTile}.
*
* If the tile is loaded, reload by re-parsing the already available tile data.
* Otherwise, such as after a setData() call, we load the tile fresh.
*
* @param params - the parameters
* @returns A promise that resolves when the tile is reloaded
*/
reloadTile(params: WorkerTileParameters): Promise<WorkerTileResult> {
const tile = this.tileState.getLoaded(params.uid);
if (tile) {
return this._reloadLoadedTile(params);
}
return this.loadTile(params);
}
/**
* Fetch, parse and process GeoJSON according to the given parameters.
* Defers to {@link GeoJSONWorkerSource._loadGeoJSONFromString} for the fetching and parsing.
*
* @param params - the parameters
* @param abortController - the abort controller that allows aborting this operation
* @returns a promise that is resolved with the processes GeoJSON
*/
async loadAndProcessGeoJSON(params: LoadGeoJSONParameters, abortController: AbortController): Promise<GeoJSON.GeoJSON> {
if (params.request) {
params.data = (await getJSON<GeoJSON.GeoJSON>(params.request, abortController)).data;
}
if (params.data) {
params.data = this._filterGeoJSON(params.data, params.filter);
this._geoJSONIndex = this._createGeoJSONIndex(params.data, params);
return;
}
if (params.dataDiff) {
this._geoJSONIndex ??= this._createGeoJSONIndex({type: 'FeatureCollection', features: []}, params);
this._geoJSONIndex.updateData(params.dataDiff, this._getFilterPredicate(params.filter));
return;
}
if (params.updateCluster) {
this._geoJSONIndex.updateClusterOptions(params.geojsonVtOptions.cluster, getSuperclusterOptions(params));
}
if (this._geoJSONIndex == null) {
throw new Error(`Input data given to '${params.source}' is not a valid GeoJSON object.`);
}
}
/**
* Applies a filter to a GeoJSON object.
*/
_filterGeoJSON(data: GeoJSON.GeoJSON, filter: FilterSpecification): GeoJSON.GeoJSON {
if (data.type !== 'FeatureCollection') return data;
const predicate = this._getFilterPredicate(filter);
if (!predicate) return data;
return {type: 'FeatureCollection', features: data.features.filter(feature => predicate(feature))};
}
/**
* Gets a predicate function that can be used to filter GeoJSON features.
*/
_getFilterPredicate(filter: FilterSpecification): (feature: GeoJSON.Feature) => boolean {
if (typeof filter !== 'boolean' && !filter?.length) return undefined;
const compiled = createExpression(filter, {type: 'boolean', 'property-type': 'data-driven', overridable: false, transition: false} as any);
if (compiled.result === 'error') {
throw new Error(compiled.value.map(err => `${err.key}: ${err.message}`).join(', '));
}
const predicate = (feature: GeoJSON.Feature) => compiled.value.evaluate({zoom: 0}, feature as any);
return predicate;
}
async removeSource(_params: RemoveSourceParams): Promise<void> {
this._pendingRequest?.abort();
}
getClusterExpansionZoom(params: ClusterIDAndSource): number {
return this._geoJSONIndex.getClusterExpansionZoom(params.clusterId);
}
getClusterChildren(params: ClusterIDAndSource): Array<GeoJSON.Feature> {
return this._geoJSONIndex.getClusterChildren(params.clusterId);
}
getClusterLeaves(params: {
clusterId: number;
limit: number;
offset: number;
}): Array<GeoJSON.Feature> {
return this._geoJSONIndex.getClusterLeaves(params.clusterId, params.limit, params.offset);
}
}
export function createGeoJSONIndex(data: GeoJSON.GeoJSON, params: LoadGeoJSONParameters): GeoJSONVT {
const options = extend(params.geojsonVtOptions || {}, {
updateable: true,
clusterOptions: getSuperclusterOptions(params),
});
return new GeoJSONVT(data, options);
}
function getSuperclusterOptions({geojsonVtOptions, clusterProperties}: LoadGeoJSONParameters) {
if (!clusterProperties || !geojsonVtOptions.clusterOptions) return geojsonVtOptions.clusterOptions;
const mapExpressions = {};
const reduceExpressions = {};
const globals = {accumulated: null, zoom: 0};
const feature = {properties: null};
const propertyNames = Object.keys(clusterProperties);
for (const key of propertyNames) {
const [operator, mapExpression] = clusterProperties[key];
const mapExpressionParsed = createExpression(mapExpression);
const reduceExpressionParsed = createExpression(
typeof operator === 'string' ? [operator, ['accumulated'], ['get', key]] : operator);
mapExpressions[key] = mapExpressionParsed.value;
reduceExpressions[key] = reduceExpressionParsed.value;
}
geojsonVtOptions.clusterOptions.map = (pointProperties) => {
feature.properties = pointProperties;
const properties = {};
for (const key of propertyNames) {
properties[key] = mapExpressions[key].evaluate(globals, feature);
}
return properties;
};
geojsonVtOptions.clusterOptions.reduce = (accumulated, clusterProperties) => {
feature.properties = clusterProperties;
for (const key of propertyNames) {
globals.accumulated = accumulated[key];
accumulated[key] = reduceExpressions[key].evaluate(globals, feature);
}
};
return geojsonVtOptions.clusterOptions;
}