ETOOBUSY 🚀 minimal blogging for the impatient
Area of a triangle
TL;DR
I was thinking about calculating the area of a triangle…
… for reasons that go beyond this post, and I obviously started from the basic formula we were all teached in school: base times height divided by two. So with reference to the following picture:
we have that segment ¯AB is the base b and the height with respect to it is h. In this case, then, we have that area S is:
S=b⋅h2Easy, right? Now let’s assume that you are given a triangle by its coordinates in the cartesian plane XY:
In this case, we are given the three points:
A=(Ax,Ay)B=(Bx,By)C=(Cx,Cy)How to calculate the area in this case? Well…
First of all, let’s switch to vectors
It’s easy to see that vectors →v and →w actually are an arrowized version of the two sides ¯AB and ¯AC respectively. This means that wherever we place these two vectors applied to a point in the plane, it will be the same triangle moved around and the area will be the same.
Long story short… we will work with these two vectors:
→v=(vx,vy)=(Bx−Ax,By−Ay)→w=(wx,wy)=(Cx−Ax,Cy−Ay)How to calculate the area, then?
Let’s just get back to the origins…
The base b is just the length of vector →v, which we will represent like this:
b=|v|=√v2x+v2yNow the corresponding height h can be calculated like this:
h=|w|⋅sinθ=√w2x+w2y⋅sinθSo… the area S will be:
S=b⋅h2=|v|⋅|w|⋅sinθ2So what’s with this angle?!?
It turns out that you can calculate the scalar product of the two vectors in a pretty straightforward way, and it is indeed related to the cosine of the angle θ:
→v⋅→w=vx⋅wx+vy⋅wy=|v|⋅|w|⋅cosθwhich means:
cosθ=→v⋅→w|v|⋅|w|Now we just have to remember Pythagora’s theorem:
sin2θ+cos2θ=1sin2θ=1−cos2θsin2θ=1−(→v⋅→w)2|v|2⋅|w|2sin2θ=|v|2⋅|w|2−(→v⋅→w)2|v|2⋅|w|2We will concentrate on the positive value for the sine (so that we get positive areas), so:
sinθ=√|v|2⋅|w|2−(→v⋅→w)2|v|⋅|w|Let’s multiply by the denominator on both sides… and divide by two as well:
|v|⋅|w|⋅sinθ2=√|v|2⋅|w|2−(→v⋅→w)22Now wait! The left hand side is our area S, so…
S=√|v|2⋅|w|2−(→v⋅→w)22S=√(v2x+v2y)⋅(w2x+w2y)−(vx⋅wx+vy⋅wy)22Did you notice?
The scalar(dot) product of a generic vector →v with itself ends up being the square of its length:
→v⋅→v=|v|2so our area can also be expressed as:
S=√(→v⋅→v)⋅(→w⋅→w)−(→v⋅→w)⋅(→v⋅→w)2Nifty, uh?!?
It’s easier with some code
After this long ride, let’s just take a look at some code. We assume
that our points are represented by arrays (references) with X
coordinate at index 0
and Y coordinate at index 1
;
sub triangle_area {
my ($A, $B, $C) = @_;
my ($v_x, $v_y) = map {$B->[$_] - $A->[$_]} 0 .. 1;
my ($w_x, $w_y) = map {$C->[$_] - $A->[$_]} 0 .. 1;
my $vv = $v_x * $v_x + $v_y * $v_y;
my $ww = $w_x * $w_x + $w_y * $w_y;
my $vw = $v_x * $w_x + $v_y * $w_y;
return sqrt($vv * $ww - $vw * $vw) / 2;
}
And I guess we’re done for today!