Created
October 9, 2015 20:10
-
-
Save gordonwoodhull/50eb65d2f048789f9558 to your computer and use it in GitHub Desktop.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// Adapted from http://stackoverflow.com/questions/563198/how-do-you-detect-where-two-line-segments-intersect/1968345#1968345 | |
var eps = 0.0000001; | |
function between(a, b, c) { | |
return a-eps <= b && b <= c+eps; | |
} | |
function segment_intersection(x1,y1,x2,y2, x3,y3,x4,y4) { | |
var x=((x1*y2-y1*x2)*(x3-x4)-(x1-x2)*(x3*y4-y3*x4)) / | |
((x1-x2)*(y3-y4)-(y1-y2)*(x3-x4)); | |
var y=((x1*y2-y1*x2)*(y3-y4)-(y1-y2)*(x3*y4-y3*x4)) / | |
((x1-x2)*(y3-y4)-(y1-y2)*(x3-x4)); | |
if (isNaN(x)||isNaN(y)) { | |
return false; | |
} else { | |
if (x1>=x2) { | |
if (!between(x2, x, x1)) {return false;} | |
} else { | |
if (!between(x1, x, x2)) {return false;} | |
} | |
if (y1>=y2) { | |
if (!between(y2, y, y1)) {return false;} | |
} else { | |
if (!between(y1, y, y2)) {return false;} | |
} | |
if (x3>=x4) { | |
if (!between(x4, x, x3)) {return false;} | |
} else { | |
if (!between(x3, x, x4)) {return false;} | |
} | |
if (y3>=y4) { | |
if (!between(y4, y, y3)) {return false;} | |
} else { | |
if (!between(y3, y, y4)) {return false;} | |
} | |
} | |
return {x: x, y: y}; | |
} |
@YesIDont If I understand you correctly I think you're looking for something like this?
circleInterception(circleCenter: Point, circleRadius: number): Point[]{
const v1 = new Point(this.point2.x - this.point1.x, this.point2.y - this.point1.y)
const v2 = new Point(this.point1.x - circleCenter.x, this.point1.y - circleCenter.y)
const b = (v1.x * v2.x + v1.y * v2.y) * -2
const c = (v1.x * v1.x + v1.y * v1.y) * 2
const d = Math.sqrt(b * b - 2 * c * (v2.x * v2.x + v2.y * v2.y - circleRadius * circleRadius))
if(isNaN(d)) return [] // no intercept
const u1 = (b - d) / c // unit distance of line endpoints
const u2 = (b + d) / c
const points: Point[] = []
if(u1 <= 1 && u1 >= 0) points.push(new Point(this.point1.x + v1.x * u1, this.point1.y + v1.y * u1))
if(u2 <= 1 && u2 >= 0) points.push(new Point(this.point1.x + v1.x * u2, this.point1.y + v1.y * u2))
return points
}
(defined on a Line class so that's what this is referring to)
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
A master peace! Thank you so much! Would you happen to have something similar for segment - circle intersection?