はじめに
今回からは、
data:image/s3,"s3://crabby-images/4e06f/4e06fda6b51fcf93c42300b6fc8f1adb4562646b" alt="図1 Blogopolisと多角形 図1 Blogopolisと多角形"
今回は線分を表すクラスを作成し、
線分クラス
では早速、
public class LineSegment {
public double x1;
public double y1;
public double x2;
public double y2;
public LineSegment(double x1, double y1, double x2, double y2) {
this.x1 = x1;
this.y1 = y1;
this.x2 = x2;
this.y2 = y2;
}
@Override
public String toString() {
return "(" + x1 + ", " + y1 + ") - (" + x2 + ", " + y2 + ")";
}
}
さて、
data:image/s3,"s3://crabby-images/2d475/2d4750a3b91851da21223200960e36b297ead101" alt="図2 線分の延長 図2 線分の延長"
public Line toLine() {
return Line.fromPoints(x1, y1, x2, y2);
}
線分と直線の交差判定
2つの直線は、
なお、
data:image/s3,"s3://crabby-images/9c4d4/9c4d4db9d3575a17e52631ef82422813fff2fc8b" alt="図3 線分と直線の交差 図3 線分と直線の交差"
以下の直線の方程式を考えます。
data:image/s3,"s3://crabby-images/050a3/050a3da56c5669d297a59bf1fc5662cc62e89e1d" alt="サンプル方程式(1) サンプル方程式(1)"
この式の等号を不等号に変えることで、
data:image/s3,"s3://crabby-images/f0374/f037424eba8c96e157481d81d1951ba54f7cc4b8" alt="サンプル方程式(2)(3) サンプル方程式(2)(3)"
data:image/s3,"s3://crabby-images/9d014/9d0149b44573da60a6dd6166b8b9fd7f5c473896" alt="図4 不等式と半平面 図4 不等式と半平面"
図4を見ると、
これを実装してみましょう。LineSegmentクラスに、
public boolean intersects(Line l) {
double t1 = l.a * x1 + l.b * y1 + l.c; // 端点1の座標を直線の式に代入
double t2 = l.a * x2 + l.b * y2 + l.c; // 端点2の座標を直線の式に代入
return (t1 = 0) || (t1 >= 0 && t2
上のコードの不等式判定は、
public boolean intersects(Line l) {
double t1 = l.a * x1 + l.b * y1 + l.c;
double t2 = l.a * x2 + l.b * y2 + l.c;
return t1 * t2
線分同士の交差判定
- ※
- 以下で解説しているアルゴリズムには、
特別な状況で正しく動作しない問題がありました。詳細は 「第7回 (臨時回) 線分の交差判定再訪 )」を参照してください。
次に、
図5のように、
data:image/s3,"s3://crabby-images/fa7ea/fa7ea99ca1dd19c954e6f31875d17547e3c5e364" alt="図5 線分同士の交差 図5 線分同士の交差"
一方、
以上を踏まえて、
public boolean intersects(LineSegment s) {
return intersects(s.toLine()) && s.intersects(toLine());
}
線分と直線、線分同士の交点座標
線分と直線、
この方針に基づいて、
public Point2D getIntersectionPoint(Line l) {
if (!intersects(l)) {
return null; // 交差しない場合はnullを返す
}
return l.getIntersectionPoint(toLine());
}
public Point2D getIntersectionPoint(LineSegment s) {
if (!intersects(s)) {
return null; // 交差しない場合はnullを返す
}
return s.toLine().getIntersectionPoint(toLine());
}
動作確認
今回実装した線分の交差判定をグラフィカルに動作確認できるよう、
デモプログラムを起動すると、
まとめと次回予告
今回は、
今回作成したプログラムとデモ用のSwingアプリケーションのソースコードは、
今回作成したプログラムのソースコードがダウンロードできます。
- 第2回ソースコードファイル
(gihyo-geometry-part2. zip/ Zip圧縮/約15KB)
次回からは、