IntersectionArcs = {
const CIRCLE = Symbol('CIRCLE');
const PI2 = Math.PI * 2;
return {
CIRCLE,
find: points => {
const segments = findIntersectionArcs(points);
return points.map((p, i) => {
const s = segments[i];
let a = s.indexOf(CIRCLE) > -1 ? CIRCLE : mergeArcs(s, p);
if(a !== CIRCLE && !a.length && s.length) a = CIRCLE;
return a;
});
},
invert: arcs => {
if(arcs === CIRCLE) return [];
if(!arcs.length) return CIRCLE;
return invertArcs(arcs);
}
};
function invertArcs(arcs) {
const
inverted = [],
l = arcs.length;
let a, i;
if(arcs.length) {
for(i = 0; i < l; i++) {
a = [ arcs[i][1], arcs[ (i + 1) % l ][0] ];
if(a[0] > a[1]) a[1] += PI2;
inverted.push(a);
}
}
return inverted;
}
function mergeArcs(arcs) {
const
mod = (a, b) => ((a % b) + b) % b,
stack = [],
merged = [];
let
i = arcs.length,
depth = 0,
o = null,
d,
a1;
if(!arcs.length) return merged;
while(i--) {
d = (arcs[i][1] - arcs[i][0]);
a1 = mod(arcs[i][0], PI2);
stack.push([a1, 1]);
stack.push([a1 + d, -1]);
}
stack.sort((a, b) => a[0] - b[0] || b[1] - a[1]);
for(i = 0; i < stack.length; i++) {
if(depth === 0) {
o = stack[i][0];
}
depth += stack[i][1];
if(depth === 0) {
if(stack[i][0] - o >= PI2) return [];
merged.push([o, stack[i][0]]);
o = null;
}
}
while(merged.length > 1) {
i = merged[merged.length - 1];
o = mod(i[1], PI2);
if(i[0] <= o || o <= merged[0][0]) break;
i[1] += Math.max(0, merged[0][1] - o);
merged.shift();
}
return merged;
}
function findIntersectionArcs(points, CIRCLE) {
const copy = points.slice(), segments = {}
let i = points.length, j, p, arcs;
while(i--) segments[i] = [];
i = 0;
while((p = copy.shift()) && (j = copy.length)) {
while(j--) {
arcs = calcIntersection(p.x, p.y, p.r, copy[j].x, copy[j].y, copy[j].r, CIRCLE);
if (arcs[0] || arcs[0] === CIRCLE) segments[i].push(arcs[0]);
if (arcs[1] || arcs[1] === CIRCLE) segments[i + j + 1].push(arcs[1]);
}
i++;
}
return segments;
}
function calcIntersection(x, y, r, x2, y2, r2) {
const dx = x - x2;
const dy = y - y2;
const d = Math.sqrt(dx * dx + dy * dy);
if(r + r2 < d) return [null, null];
const ad = Math.atan2(dy, dx);
if(!d || d < Math.abs(r - r2)) {
return r > r2
? [null, CIRCLE]
: [CIRCLE, null];
}
const dh = (d * d - r2 * r2 + r * r) / (2 * d);
const h = Math.sqrt(r * r - dh * dh);
const ah = Math.atan2(h, dh);
const ah2 = Math.atan2(h, d - dh);
return [
[ad - ah + Math.PI, ad + ah + Math.PI],
[ad - ah2, ad + ah2 ]
];
}
}