R语言 加载geojson时按缩放级别更新Map框图层

zc0qhyus  于 2022-12-06  发布在  其他
关注(0)|答案(1)|浏览(107)

this教程非常相似,我想创建一个MapBoxMap,在缩小级别显示区域(在我的数据中标记为Pcode),但一旦缩放,它就切换到地区级别(标记为Name)。理想情况下,这两个图层将是单个geojson shapefile的一部分,尽管它可以从外部源(https://raw.githubusercontent.com/Laurent-Smeets-GSS-Account/geojsons/main/geojsons_files/Districts_261_simplified.json)加载。我的问题是
1.我怎样才能以这样一种可能的方式格式化geojson(在R中)?(也许有必要将地区多边形合并成新的区域多边形,并保存一个单独的geojson文件,这些区域在另一个缩放级别加载?)
1.我如何将数据加载到Mapbox中,使其在某个缩放级别上切换?
我使用this example来加载代码

mapboxgl.accessToken = 'MY TOKEN';
    // Create a new map.
    const map = new mapboxgl.Map({
        container: 'map',
        // Choose from Mapbox's core styles, or make your own style with Mapbox Studio
        style: 'mapbox://styles/mapbox/streets-v12',
        center: [-100.04, 38.907],
        zoom: 3
    });

    map.on('load', () => {
        // Add a source for the state polygons.
        map.addSource('states', {
            'type': 'geojson',
            'data': 'https://raw.githubusercontent.com/Laurent-Smeets-GSS-Account/geojsons/main/geojsons_files/Districts_261_simplified.json'
        });

        // Add a layer showing the state polygons.
        map.addLayer({
            'id': 'states-layer',
            'type': 'fill',
            'source': 'states',
            'paint': {
                'fill-color': 'rgba(200, 100, 240, 0.4)',
                'fill-outline-color': 'rgba(200, 100, 240, 1)'
            }
        });

        // When a click event occurs on a feature in the states layer,
        // open a popup at the location of the click, with description
        // HTML from the click event's properties.
        map.on('click', 'states-layer', (e) => {
            new mapboxgl.Popup()
                .setLngLat(e.lngLat)
                .setHTML(e.features[0].properties.Name)
                .addTo(map);
        });

        // Change the cursor to a pointer when
        // the mouse is over the states layer.
        map.on('mouseenter', 'states-layer', () => {
            map.getCanvas().style.cursor = 'pointer';
        });

        // Change the cursor back to a pointer
        // when it leaves the states layer.
        map.on('mouseleave', 'states-layer', () => {
            map.getCanvas().style.cursor = '';
        });
    });
xn1cxnb4

xn1cxnb41#

1.您可以将这两组功能组合到一个GeoJSON FeatureCollection中,但要确保添加一些可过滤的属性,例如:

...
{
  type: 'Feature',
  geometry: {...},
  properties: {
    type: 'district'
  }
}
...

1.加载数据时,添加一个源和两个图层。每个图层都应具有filter属性,以便仅在该图层中显示特定类型的要素。确保在首次加载Map时将其中一个图层的可见性设置为无。

map.addLayer({
  ...,
  layout: {
    visibility: 'none'
  },
  filter: ['==', 'type', 'district']        
});

map.addLayer({
  ...,
  filter: ['==', 'type', 'pcode']        
});

然后,您可以遵循您发布的相同示例,并切换缩放的可见性。

相关问题