I am already implemented Graham scan, but i see that the bottleneck of my program is the sorting (80% of the time). I want to improve in it, now I am doing the following:
std::sort(intersections.begin() + 1, intersections.end(), [&minElement](Point const& a, Point const& b)
{return angle (minElement - a, XAxis) < angle (minElement - b,XAxis);});
Which gives me the exact angle, but it's not cheap because my angle function looks like the following:
float angle (const Point& v1, const Point& v2) {
return dot (v1, v2) / (v1.Length () * v2.Length ());
}
In the Length function I have to do a square root, which is one of the most expensive operations. But this way I get a good ordering.
I tried ordering the array by Slope, dot, ccw, and even only removing sqrt from my compare, but none of that provides me the same ordering. Can you give me any advice?
When you're sorting the points by their relative angles, you don't need to know the exact angle the two points make. Rather, you just need to know whether one point is to the left or to the right of the other.
Image, for example, you want to compare two points (x1, y1) and (x2, y2), assuming that the bottommost point is at (xp, yp). Look at the two vectors v1 = (x1 - xp, y1 - yp) and v2 = (x2 - xp, y2 - yp). To determine whether v1 is to the left or to the right of v2, which means you want to look at the sign of the angle made going from v1 to v2. If it's positive, then v2 is on the left of v1, and if it's negative, then v1 is on the left of v2.
The 2D cross product has the nice property that
where θ is the angle made by going from v1 to v2. This means that θ > 0 if v1 is to the right of v2 and vice-versa, which is nice because that lets you compare which one goes where purely by taking a cross product!
In other words:
The 2D cross product formula is given by
Where, here, Δx1 represents x1 - xp, etc.
So you could compute the above quantity, then look at its sign to determine how the two points relate to one another. No square roots needed!