3

我想使用 Java 的 Area 类 (java.awt.geom.Area) 对各种多边形进行减法和相交运算。

在许多这些情况下,减法运算可能会将源区域分成两部分。在这些情况下,我需要返回两个 Area 对象,一个用于减法运算创建的每个结果连续部分。

在阅读了关于 Area 类的 JavaDocs 之后,我似乎没有找到任何方法来返回 Area 的连续部分。事实上,我什至不确定 Area 如何处理这种情况。

如何获得由 Area 的减法或交集方法创建的所有结果连续区域?

谢谢,-科迪

4

1 回答 1

5

正如我在评论中所说。遍历轮廓路径,获取绕组并确定线段起点。当您点击PathIterator.SEG_MOVETO构造 ajava.awt.Path2D.Float并将点添加到它直到您点击PathIterator.SEG_CLOSE.

这是我为您演示的示例

   public static List<Area> getAreas(Area area) {
    PathIterator iter = area.getPathIterator(null);
    List<Area> areas = new ArrayList<Area>();
    Path2D.Float poly = new Path2D.Float();
    Point2D.Float start = null;
    while(!iter.isDone()) {
      float point[] = new float[2]; //x,y
      int type = iter.currentSegment(point); 
      if(type == PathIterator.SEG_MOVETO) {
           poly.moveTo(point[0], point[1]);
      } else if(type == PathIterator.SEG_CLOSE) {
           areas.add(new Area(poly));
           poly.reset();
      } else {
        poly.lineTo(point[0],point[1]);
      } 
      iter.next();
    }
    return areas;
   }

   public static void main(String[] args) {
    Area a = new Area(new Polygon(new int[]{0,1,2}, new int[]{2,0,2}, 3));
    Area b = new Area(new Polygon(new int[]{0,2,4}, new int[]{0,2,0}, 3));
    b.subtract(a);

    for(Area ar : getAreas(b)) {
     PathIterator it = ar.getPathIterator(null);
     System.out.println("New Area");
     while(!it.isDone()) {
      float vals[] = new float[2];
      int type = it.currentSegment(vals);
      System.out.print(" " + "[" + vals[0] + "," + vals[1] +"]");
      it.next();
     }
     System.out.println();
    }
   }
于 2012-09-14T10:23:32.717 回答