Skip to content Skip to sidebar Skip to footer

Mapbox - Cluster Zooming

Is it possible to recreate the click to zoom on clustering like Craigslist Mapview does with MapBox? When you click, it zooms to the area those location dots are contained in. Here

Solution 1:

As @MeltedPenguin said. You can do it without SuperCluster. I search for several answers and finally did my own solution using coffeescript (you can convert it back to JS with tools like http://js2.coffee/):

@clusterRadius = 30@map.on 'click', (e) =>
          features = @map.queryRenderedFeatures(e.point, { layers: ['markers_layer'] });
          if features && features.length > 0if features[0].properties.cluster
              cluster = features[0].properties

              allMarkers = @map.queryRenderedFeatures(layers:['markers_layer_dot']);
              self = @ #just a way to use 'this' un a function, its more verbose then =>    #Get all Points of a Specific Cluster
              pointsInCluster = allMarkers.filter((mk) ->
                pointPixels = self.map.project(mk.geometry.coordinates) #get the point pixel#Get the distance between the Click Point and the Point we are evaluating from the Matrix of All point
                pixelDistance = Math.sqrt((e.point.x - (pointPixels.x)) ** 2 + (e.point.y - (pointPixels.y)) ** 2)

                #If the distant is greater then the disance that define a cluster,  then the point si in the cluster# add it to the boundaries
                Math.abs(pixelDistance) <= self.clusterRadius
              )

              #build the bounding box with the selected points coordinates
              bounds = new (mapboxgl.LngLatBounds)
              pointsInCluster.forEach (feature) ->
                bounds.extend feature.geometry.coordinates
                return#Move the map to fit the Bounding Box (BBox)@map.fitBounds bounds, {padding:45, maxZoom:16}

            else
              window.open('/en/ad/' + features[0].properties.propertyId)

On my page I have 2 layers based on the same source of data but with different attributes. One that define all dots (without clusters) and another one which define dots and clusters. For my display I use the "markers_layer" with clusters, and for calculate distance and stuff I use the other, as a DB of dots.

SOURCE:

@map.addSource "markers_source_wo_cluster",
    type: "geojson"data:
      type: "FeatureCollection"features: []
    cluster: false
    clusterMaxZoom: 10clusterRadius: @clusterRadius@map.addSource "markers_source",
    type: "geojson"data:
      type: "FeatureCollection"features: []
    cluster: true
    clusterMaxZoom: 60clusterRadius: @clusterRadius

LAYER:

##============================================================#### Add marker layer (Layer for QueryRender all dot without cluster)##============================================================##
@map.addLayer
  id: 'markers_layer_dot'source: 'markers_source_wo_cluster'type: "circle"
  paint:
    "circle-radius": 0 #This are 1 pixel dot for ref only##============================================================#### Add marker layer##============================================================##
@map.addLayer
  id: 'markers_layer'source: 'markers_source'type: 'symbol'
  layout:
    'icon-allow-overlap': true'icon-image':'pin_map''icon-size':
      stops: [[0,0.4], [40,0.4]]

Solution 2:

I don't think that you can do it in pure Mapbox, at least not easily.

But for those cluster specific usages there is Supercluster (an official Mapbox geospatial point clustering library) which has exactly what you want:

getClusterExpansionZoom(clusterId)

Returns the zoom on which the cluster expands into several children (useful for "click to zoom" feature) given the cluster's cluster_id.

Edit: actually you could do it without Supercluster:

  1. Using this JsFiddle example you can retrieve the points of the cluster you clicked.

    map.on('click', function(e) {
        const cluster = map.queryRenderedFeatures(e.point, { layers: ["cluster"] });
    
        if (cluster[0]) {
        // features: from the added source that are clusteredconst pointsInCluster = features.filter(f => {
            const pointPixels = map.project(f.geometry.coordinates)
          const pixelDistance = Math.sqrt(
            Math.pow(e.point.x - pointPixels.x, 2) + 
            Math.pow(e.point.y - pointPixels.y, 2) 
          );
          returnMath.abs(pixelDistance) <= clusterRadius;
        });
        console.log(cluster, pointsInCluster);
      }
    });
    
  2. Then you can create a mapboxgl.LngLatBounds and extend it with all those points.

  3. You will obtain a LngLatBounds wrapping all your points so you can just call fitBounds on it and you are good to go.

Solution 3:

I solved it like this https://github.com/mapbox/mapbox-gl-js/issues/9707

const handleClusterClick = React.useCallback(
    (event: LayerMouseEvent, sourceId: string) => {
      if (event && mapRef.current) {
        const properties = getFeaturePropertiesFromMapEvent(event);
        const coordinates = event.lngLat.toArray() as [number, number];

        // skip cluster logic, clicked no pointif (properties?.type && coordinates) {
          handlePointClick(event);
          return;
        }

        const feature = event?.features?.[0];
        const source = mapRef.current.getSource(sourceId);

        if (
          feature &&
          feature.properties !== null &&
          // @ts-expect-error typingstypeof source.getClusterExpansionZoom === "function"
        ) {
          source
            // @ts-expect-error typings
            .getClusterExpansionZoom(
              feature.properties.cluster_id,
              (err: Error, expansionZoom: number) => {
                if (!err && mapRef.current) {
                  mapRef.current.flyTo({
                    // @ts-expect-error typings
                    center: feature.geometry.coordinates,
                    zoom: expansionZoom,
                    maxDuration: MAX_FLY_TO_DURATION_MS,
                  });
                }
              },
            );
        } else {
          mapRef.current.flyTo({
            maxDuration: MAX_FLY_TO_DURATION_MS,
            center: event.lngLat,
            zoom: mapRef.current.getZoom() + 3, // This is bad UX, requires multiple clicks
          });
        }
      }
    },
    [handlePointClick],
  );

Post a Comment for "Mapbox - Cluster Zooming"