I have sequences of points forming arcs(?). I would like to deduce the best fit circular (or even ellipsoid) curve for these points. Each arc has a relatively consistent change of angle across its length (that is partly how I isolate them).
An algorithm would be great (especially if explained so I can understand it), but since this is probably known territory, pointers to answers would also be good. If all else fails some better search terms would be appreciated.
EDIT: I am not confident in using matrix transformations, and certainly not confident in coding solutions described in them..... a solution without matrices would be much appreciated.
(I am fluent in c/java/kotlin languages so solutions in something like that would be easiest for me, but I am happy to work from any language or pseudocode).
Thanks in advance
Thanks to Renat for his solution - it works a treat. I am a little miffed that I do not understand the algorithm, but there is a reference and I can live with the ignorance for now.
For anyone needing the code translated to kotlin:
class Circle(val x: Int, val y: Int, val radius: Int) {
companion object {
/**
* Find the best fit circle for a collection of points.
* With many thanks to Renat:
* https://stackoverflow.com/questions/74493481/deduce-center-of-circle-from-portion-of-circumference
*/
fun fit(points: List<Point>): Circle {
val sx = points.sumOf { it.x.toDouble() }
val sy = points.sumOf { it.y.toDouble() }
val sx2 = points.sumOf { it.x.toDouble() * it.x }
val sy2 = points.sumOf { it.y.toDouble() * it.y }
val sxy = points.sumOf { it.x.toDouble() * it.y }
val sx3 = points.sumOf { it.x.toDouble() * it.x * it.x }
val sy3 = points.sumOf { it.y.toDouble() * it.y * it.y }
val sx2y = points.sumOf { it.x.toDouble() * it.x * it.y }
val sxy2 = points.sumOf { it.x.toDouble() * it.y * it.y }
val n = points.size;
val s11 = n * sxy - sx * sy
val s20 = n * sx2 - sx * sx
val s02 = n * sy2 - sy * sy
val s30 = n * sx3 - sx2 * sx
val s03 = n * sy3 - sy * sy2
val s21 = n * sx2y - sx2 * sy
val s12 = n * sxy2 - sx * sy2
val a = ((s30 + s12)*s02 - (s03 + s21)*s11) / (2*( s20 * s02 - s11 * s11));
val b = ((s03 + s21)*s20 - (s30 + s12)*s11) / (2*( s20 * s02 - s11 * s11));
val c = (sx2 + sy2 - 2*a*sx - 2*b*sy) / n;
val radius = Math.sqrt(c + a*a + b*b);
return Circle(a.roundToInt(), b.roundToInt(), radius.roundToInt())
}
}
}
Ok, so it's a Fitting a circle (or ellipse) problem. Which is solvable in linear time.
For code below I used answer from this question from Math.stackexchange, which references Régressions coniques, quadriques. Régressions linéaires et apparentées, circulaire, sphérique, pp 12-13, which uses a method of least squares to minimize the sum
(press 'Run code snipppet', and draw with mouse)
And if it's needed to draw a circle by 3 points, there is a formula from Wikipedia:
in Kotlin (link to sandbox):