如何在openlayers 4.x中获取多边形内的所有点?

时间:2018-09-25 13:08:12

标签: openlayers

我想使用Openlayers 4.x集成一个功能,就是我想获取地图上多边形内的所有点。目前,我可以获取多边形本身的所有坐标。

但是我希望所有坐标或点都在多边形内。如果我进一步解释,那意味着我希望地图上的所有点或坐标都被多边形区域包围。

非常感谢。

3 个答案:

答案 0 :(得分:1)

vectorSource.forEachFeatureIntersectingExtent()polygonGeom.getExtent()一起使用。这将为您提供大多数扩展的捷径。之后,您将需要自己实现切入点(为此有许多在线资源)或使用诸如https://github.com/bjornharrtell/jsts之类的库。 OpenLayers仅提供与范围的几何相交。

答案 1 :(得分:1)

我经常将turf.js库与openlayers一起专门用于此类任务。我的大多数几何都在geojson中是nativley,因此turf.js非常适合。如果您有geojson FeatureCollection。您可以迭代.features数组(甚至只是[x, y]点的任何数组)并检查每个数组是否在多边形内。如果有帮助的话,我可以做个小提琴。

// In this example I'm looking for all features
// that have AT LEAST ONE point within  
// the world extent (WGS84)
const polygon = turf.bboxPolygon([-180, -90, 180, 90])
myGeoJson.features.forEach(function(feature){
    const points = turf.explode(feature);
    const pointsWithin = turf.pointsWithinPolygon(points, polygon);
    if(pointsWithin.features && pointsWithin.features.length){
        // feature has AT LEAST ONE point inside the polygon
        // I can see what points by iterating the
        // pointsWithin.features array
    }else{
        // feature has ZERO points inside the polgyon
    }
});

http://turfjs.org/docs#pointsWithinPolygon

答案 2 :(得分:1)

在@willsters答案的基础上,如果已经确定了候选对象,而您仅在寻找forEachFeatureIntersectingExtent的点(几何是范围),则可以沿相反的方向使用以查看这些点是否与多边形的几何相交。

var candidates = [];
source.forEachFeatureIntersectingExtent(myPolygon.getGeometry().getExtent(),function(feature){
    if (feature.getGeometry().get('type') == 'Point') {
        candidates.push(feature);
    }
});

var selected = [];
candidates.forEach(function(candidate){
    source.forEachFeatureIntersectingExtent(candidate.getGeometry().getExtent(),function(feature){
        if (feature === myPolygon) {
            selected.push(candidate);
        }
    });
});

对于单个坐标点,我认为也可以一步完成:

var selected = [];
source.forEachFeatureIntersectingExtent(myPolygon.getGeometry().getExtent(),function(feature){
    if (feature.getGeometry().get('type') == 'Point' &&
        myPolygon.getGeometry().intersectsCoordinate(feature.getGeometry().get('coordinates')) {
            candidates.push(selected);
    }
});

关于将像元划分为像元,将为包含多边形的10x10网格的每个像元生成pinpush点。如果只有单元格的一部分与多边形相交,则单元格中心处的推针可能会在几何体之外。

var extent = myPolygon.getGeometry().getExtent();
for (var i=extent[0]; i<extent[2]; i+=(extent[2]-extent[0])/10) {
    for (var j=extent[1]; j<extent[3]; j+=(extent[3]-extent[1])/10) {
        var cellExtent = [i,j,i+(extent[2]-extent[0])/10),j+(extent[3]-extent[1])/10];
        source.forEachFeatureIntersectingExtent(cellExtent,function(feature){
            if (feature === myPolygon) {
               var pinPush = new ol.feature(new ol.geom.Point(ol.extent.getCenter(cellExtent)));
               source.addFeature(pinPush); 
            }
        });
    }
}