7

我有一个由一组地理点列表定义的区域,我需要知道坐标是否在该区域内

public class Region{
    List<Coordinate> boundary;

}

public class Coordinate{

    private double latitude;
    private double longitude;

}

public static boolean isInsideRegion(Region region, Coordinate coordinate){


}

4

2 回答 2

11

您可以从计算几何问题集中应用多边形算法中的点。

Paul Bourke 用 C 语言编写了四种算法,您可以在此处查看代码。在Processing Forum中有一个对 Java 的改编,以防万一你不能使用 Java7:

public class RegionUtil {

    boolean coordinateInRegion(Region region, Coordinate coord) {
        int i, j;
        boolean isInside = false;
        //create an array of coordinates from the region boundary list
        Coordinate[] verts = (Coordinate)region.getBoundary().toArray(new Coordinate[region.size()]);
        int sides = verts.length;
        for (i = 0, j = sides - 1; i < sides; j = i++) {
            //verifying if your coordinate is inside your region
            if (
                (
                 (
                  (verts[i].getLongitude() <= coord.getLongitude()) && (coord.getLongitude() < verts[j].getLongitude())
                 ) || (
                  (verts[j].getLongitude() <= coord.getLongitude()) && (coord.getLongitude() < verts[i].getLongitude())
                 )
                ) &&
                (coord.getLatitude() < (verts[j].getLatitude() - verts[i].getLatitude()) * (coord.getLongitude() - verts[i].getLongitude()) / (verts[j].getLongitude() - verts[i].getLongitude()) + verts[i].getLatitude())
               ) {
                isInside = !isInside;
            }
        }
        return isInside;
    }
}
于 2012-08-23T00:33:25.687 回答
5

用于Path2D构造区域边界形状。然后,创建一个Area使用Path2D,您可以contains快速查询以确定您的点是否包含在该区域中。:-)

/* assuming a non-zero winding rule */
final Path2D boundary = new Path2D.Double();
/* initialize the boundary using moveTo, lineTo, quadTo, etc. */
final Area area = new Area(boundary);
...
/* test for whether a point is inside */
if (area.contains(...)) {
  ...
}

注意:几乎没有理由为Java 几何类提供的内容滚动您自己的类Region和类。Coordinate我建议你放弃Coordinate(这在技术上是一个误称,因为它实际上是一对经纬度坐标)而支持Point2D.


请注意,有一个Polygon,尽管它是针对图形的实际使用和过去的遗物而定制的。它仅支持int坐标,这在使用地理点时可能对您没有任何好处!

于 2012-08-23T00:22:14.863 回答