我创建了一个扩展awt.Polygon类的类。我正在尝试编写一个给出多边形的PathIterator和一个表示顶点的Point的方法,将该点添加到路径中的适当位置。
例如:给定点(1,5)的点为(0,0)(0,10)(10,10)(10,0)(正方形)的多边形 将使多边形(0,0)(1,5)(0,10)(10,10)(10,0)
提前致谢
答案 0 :(得分:3)
扩展@ normalocity的想法,这似乎是一种可能的方法。
附录:作为参考,此方法仅使用公共API,但其他变体也是可能的。
控制台:
MoveTo: [0.0, 0.0, 0.0, 0.0, 0.0, 0.0] LineTo: [0.0, 10.0, 0.0, 0.0, 0.0, 0.0] LineTo: [10.0, 10.0, 0.0, 0.0, 0.0, 0.0] LineTo: [10.0, 0.0, 0.0, 0.0, 0.0, 0.0] Close: [10.0, 0.0, 0.0, 0.0, 0.0, 0.0] MoveTo: [0.0, 0.0, 0.0, 0.0, 0.0, 0.0] LineTo: [1.0, 5.0, 0.0, 0.0, 0.0, 0.0] LineTo: [0.0, 10.0, 0.0, 0.0, 0.0, 0.0] LineTo: [10.0, 10.0, 0.0, 0.0, 0.0, 0.0] LineTo: [10.0, 0.0, 0.0, 0.0, 0.0, 0.0] Close: [10.0, 0.0, 0.0, 0.0, 0.0, 0.0]
代码:
import java.awt.Point;
import java.awt.Polygon;
import java.awt.geom.PathIterator;
import java.util.Arrays;
/** @see http://stackoverflow.com/questions/5877646 */
public class MyPoly extends Polygon {
public static void main(String[] args) {
final MyPoly square = new MyPoly();
square.addPoint(0, 0);
square.addPoint(0, 10);
square.addPoint(10, 10);
square.addPoint(10, 0);
System.out.println(square.toString());
MyPoly pentagon = square.insert(1, new Point(1, 5));
System.out.println(pentagon.toString());
}
/**
* Insert a point at the specified index
*
* @param index at which to insert the new point
* @param point the <code>Point</code> to insert
* @return a new <code>Polygon</code> with the new <code>Point</code>
*/
public MyPoly insert(int index, Point point) {
MyPoly mp = new MyPoly();
PathIterator pi = this.getPathIterator(null);
double[] coords = new double[6];
int i = 0;
while (!pi.isDone()) {
if (i == index) {
mp.addPoint(point.x, point.y);
} else {
if (pi.currentSegment(coords) != PathIterator.SEG_CLOSE) {
mp.addPoint((int) coords[0], (int) coords[1]);
}
pi.next();
}
i++;
}
return mp;
}
@Override
public String toString() {
PathIterator pi = this.getPathIterator(null);
double[] coords = new double[6];
StringBuilder sb = new StringBuilder();
while (!pi.isDone()) {
int kind = pi.currentSegment(coords);
switch (kind) {
case PathIterator.SEG_MOVETO:
sb.append("MoveTo: ");
break;
case PathIterator.SEG_LINETO:
sb.append("LineTo: ");
break;
case PathIterator.SEG_CLOSE:
sb.append("Close: ");
break;
default:
throw new IllegalArgumentException("Bad path segment");
}
sb.append(Arrays.toString(coords));
sb.append("\n");
pi.next();
}
return sb.toString();
}
}
答案 1 :(得分:1)
尝试使用“addPoint(x,y)”方法,除了编写自己的版本(或覆盖它),以便它允许您指定点在一系列点中的插入位置(例如,第一,第二,第三,等)。
因此,编写一个继承自java.awt.Polygon public class InsertablePolygon extends java.awt.Polygon
的类,并在其上定义一个方法,例如public void insertPoint(int index, Point additionalPoint)
。
在additionalPoint方法中,您应该可以直接访问存储信息的int[] xpoints
和int[] ypoints
数组。只需修改这些数组(或复制它们,插入你的点,然后替换它们),你应该很好。