我很困惑地得知Java closePath
的{{1}}方法实际上并没有正确地关闭路径。以下代码:
Path2D.Float
生成此输出:
Path2D.Float p = new Path2D.Float();
p.moveTo(3, 3);
p.lineTo(10, 3);
p.lineTo(8, 5);
p.closePath();
PathIterator it = p.getPathIterator(null);
float lastx = 0;
float lasty = 0;
boolean first = true;
while (it.isDone() == false) {
float[] coordinates = new float[2];
int type = it.currentSegment(coordinates);
if (first) {
first = false;
} else {
System.out.println("Segment from "+lastx+", "+lasty+" to "+coordinates[0]+", "+coordinates[1]);
}
lastx = coordinates[0];
lasty = coordinates[1];
it.next();
}
但是,人们希望Segment from 3.0, 3.0 to 10.0, 3.0
Segment from 10.0, 3.0 to 8.0, 5.0
Segment from 8.0, 5.0 to 0.0, 0.0
关闭坐标closePath
的路径,正如文档中所述:
通过将直线绘制回最后一个moveTo 的坐标来关闭当前子路径。如果路径已经关闭,则此方法无效。 (https://docs.oracle.com/javase/8/docs/api/java/awt/geom/Path2D.html#closePath--)
将3, 3
替换为closePath
到起始坐标会产生所需的细分,但最后一段的细分类型不等于lineTo
:
(https://docs.oracle.com/javase/8/docs/api/java/awt/geom/PathIterator.html)
SEG_CLOSE
再次附加另一个Type: 0 // SEG_MOVETO
Type: 1 // SEG_LINETO
Segment from 3.0, 3.0 to 10.0, 3.0
Type: 1
Segment from 10.0, 3.0 to 8.0, 5.0
Type: 1
Segment from 8.0, 5.0 to 3.0, 3.0
来电会产生错误的结果:
closePath
如果这不是一个错误,任何人都可以复制这个,或解释我错过了什么吗?
其他信息: 操作系统:Mac OS X 10.10.5 JDK:jdk1.8.0_92
亲切的问候
答案 0 :(得分:1)
当你定义一个Path2D
时,它实际上存储了一个未解释的方法调用列表,这些方法调用首先用于定义路径,因此closePath()
不会没有&#39} ;做任何几何逻辑。它记录了closePath()
被调用,但没有在路径的内部点数组中存储任何其他点,因为这不是必需的;迭代路径段的代码将能够记住路径的起始位置。
同样,PathIterator.currentSegment
表示" SEG_CLOSE
不返回任何积分" (因为closePath()
没有被任何点调用)。由于它没有返回任何点,因此您打印出用coordinates
数组初始化的默认零。
如果您出于某种目的手动迭代路径,则需要单独处理每个段类型,因为它们具有不同数量的关联点。您可以这样打印出路径:
float moveX = 0, moveY = 0;
for (PathIterator it = path.getPathIterator(null); !it.isDone(); it.next()) {
float[] c = new float[6];
int type = it.currentSegment(c);
switch (type) {
case PathIterator.SEG_MOVETO:
System.out.println("moveTo(" + c[0] + ", " + c[1] + ")");
moveX = c[0]; moveY = c[1];
break;
case PathIterator.SEG_LINETO:
System.out.println("lineTo(" + c[0] + ", " + c[1] + ")");
break;
case PathIterator.SEG_QUADTO:
System.out.println("quadTo(" + c[0] + ", " + c[1] + ", " + c[2] + ", " + c[3] + ")");
break;
case PathIterator.SEG_CUBICTO:
System.out.println("cubicTo(" + c[0] + ", " + c[1] + ", " + c[2] + ", " + c[3] + ", " + c[4] + ", " + c[5] + ")");
break;
case PathIterator.SEG_CLOSE:
System.out.println("closePath() (back to " + moveX + ", " + moveY + ")");
break;
}
}
如果您发送由Graphics2D
绘制的路径,则不必担心这一点;渲染器将正确处理它。同样地,路径的所有命中测试方法都可以正常工作,they iterate the path与您在上面看到的基本方法相同。