In my last article, I only covered sphere vs. sphere collisions because they are the simplest to compute. Spheres are nice and all, but there comes a time when more complex shapes are needed. One popular algorithm for testing collisions is the Gilbert–Johnson–Keerthi algorithm, or GJK for short. With it we can detect collisions between any two convex polygons.
The GJK algorithm is very useful and widely used, but no good visualization or concise explanations exist for some reason. A few years ago, I listened and relistened to a video by Casey Muratori that explains the algorithm in great detail and goes through some smart insights that give a good mental image of how it works. Yet I have found no full interactive visualizations. Let’s jump into it!
Difference between spheres and polygons
Testing for a collision between spheres is easy because there are only two points in the system. This leaves us with a single vector that we can compare against the sum of their radii to determine if there is a collision.

With polygons we cannot make such simplifications. They are made from multiple vertices, removing any apparent way of finding their distance and clear radius property to compare against. We need a smarter way of testing for a collision.
Like we subtracted the points in the sphere system, let’s see what happens if we subtract the vertices of the polygons.

Subtracting two polygons with the same number of vertices is straightforward, but if we want to support various polygons, we need to subtract each vertex from every vertex on the other polygon. Because there are multiple vertices, we are not left with a single vector, but many that form another polygon. This results in a cloud of A*B number vertices that we need to process further to select the outer convex hull from.
This outer hull is known as the Minkowski difference. It represents the distance between every point of the two polygons. We are going to use it to turn two polygons into one that we can analyze to detect a collision. The key is that if the origin is inside the difference, there must have been two points that subtracted to 0; meaning there is overlap somewhere.
Move around the B polygon to get an idea of how this works. - This works to various degrees on mobile 🙁
Abstracting shapes into supporting points
The Minkowski difference is nice for visualization, but far too expensive to compute in real time; we need a way to simplify it.
The GJK algorithm is only concerned with the outer hull of our cloud of vertices, so it would give a substantial speed up if we could cut down on the time spent finding them. Let’s think about what puts a vertex on the hull. If we look closer, notice that those vertices have the most extreme components. They got to their locations from subtraction between two other vertices, so for one to be the most extreme, it must have come from the most extreme vertices on the source polygons. If we define ‘most extreme’ as the furthest in some direction, we can play with the math to get this speed increase.
Finding the furthest vertex is done by iterating over the set of vertices and finding the one with the largest dot product in a direction. Let \vec{D} be the direction and A-B be the cloud of vertices.
\max\{\vec{D}\cdot{(A-B)}\}Computing A-B took A*B number of steps; making this function an O(n^2) operation. Luckily for us, we can distribute and never have to compute the full difference.
If we distribute the dot product and max function we’re left with this:
\max\{(\vec{D}\cdot{A})-(\vec{D}\cdot{B})\} \max\{\vec{D}\cdot{A}\}-\max\{(-\vec{D})\cdot{B}\}Now all we need is A+B steps; turning our quadratic time function into a linear one.
We need to reverse the direction for A when we distribute max because we want to retain the max value. We want the lest extreme vertex from B to subtract from the most extreme vertex from A.

These vertices are referred to as supporting points, and give a view into the Minkowski difference without ever calculating more than we need.
Let’s look at the implementation -- I’m going to continue to use the Collider structs from the last article for consistency, but will only include the new pieces from this article.
We’ll start by adding a function that finds the support point in a given direction. Let’s call it FindFurthestPoint. If we have other special types of colliders like spheres, capsules, or planes, we can override this function allowing them to be used with GJK as well.
struct Collider { virtual vector3 FindFurthestPoint( vector3 direction) const = 0; };
Next, we’ll make a MeshCollider with a list of vertices to act as our polygon. FindFurthestPoint needs to loop over each vertex and compare the distance along the direction. We’ll keep track of the max vertex & distance to compare. Once we have iterated over all the points, we’ll return the max point.
struct MeshCollider : Collider { private: std::vector<vector3> m_vertices; public: vector3 FindFurthestPoint( vector3 direction) const override { vector3 maxPoint; float maxDistance = -FLT_MAX; for (vector3 vertex : m_vertices) { float distance = vertex.dot(direction); if (distance > maxDistance) { maxDistance = distance; maxPoint = vertex; } } return maxPoint; } };
We can roll all of this into a function called Support that will take two colliders and a direction and return the vertex on the Minkowski difference.
vector3 Support( const Collider* colliderA, const Collider* colliderB, vector3 direction) { return colliderA->FindFurthestPoint( direction) - colliderB->FindFurthestPoint(-direction); }
With these functions, we have abstracted away not only any convex polygon, but any collider type that implements FindFurthestPoint into a single function that we can use in the algorithm.
GJK: Surrounding the origin
The goal of the GJK algorithm is to determine if the origin is within the Minkowski difference. This would be easy, but we’ve thrown out the complete difference for the sake of performance. We only have the Support function that gives us one vertex at a time. We need to iteratively search for and build up what’s referred to as a simplex around the origin.
A simplex is defined as a shape that has N+1 number of vertices with N being the number of dimensions. Practically, this represents the simplest shape that can ‘select’ a region in space. For example, in 2D a triangle is the simplest shape that can select an area containing a specific point. These shapes have simple tests that we can use to determine which vertex, edge, or face is closest to the origin. Depending on which feature is closest, we’ll remove, add, or swap points to make the simplex closer to the origin. If we find that the closest feature is already the closest possible, but the origin is not inside, we know there is no collision. Otherwise, if we find the origin inside the simplex we know there has been a collision.
We get the vertices for the simplex from the Support function, so we need to find the direction to the origin from the closest feature. Searching towards the origin allows the algorithm to converge quickly. Let’s look an example. We’ll start with an arbitrary vertex then add or remove vertices every iteration until we surround the origin or find it’s impossible.
We can see that there are two cases that we need to deal with: a line and triangle. We need one more case in the form of a tetrahedron to select a volume if we want 3D collision detection.
To represent the simplex, let’s make a wrapper struct around an std::array. This will allow us to keep track of the number of points, while keeping the memory on the stack for quick access.
struct Simplex { private: std::array<vector3, 4> m_points; unsigned m_size; public: Simplex() : m_points({ 0, 0, 0, 0 }) , m_size(0) {} Simplex& operator=(std::initializer_list<vector3> list) { for (auto v = list.begin(); v != list.end(); v++) { m_points[std::distance(list.begin(), v)] = *v; } m_size = list.size(); return *this; } void push_front(vector3 point) { m_points = { point, m_points[0], m_points[1], m_points[2] }; m_size = std::min(m_size + 1, 4u); } vector3& operator[](unsigned i) { return m_points[i]; } unsigned size() const { return m_size; } auto begin() const { return m_points.begin(); } auto end() const { return m_points.end() - (4 - m_size); } };
We need at least one vertex to start, so we’ll manually add it. The search direction for the first vertex doesn’t matter, but you may get less iterations with a smarter choice. I’m going to use unit x (1, 0, 0) for no particular reason.
bool GJK( const Collider* colliderA, const Collider* colliderB) { // Get initial support point in any direction vector3 support = Support(colliderA, colliderB, vector3::unit_x);
Now that we have one point, we can add it to the simplex and set the search direction towards the origin.
// Simplex is an array of points, max count is 4 Simplex points; points.push_front(support); // New direction is towards the origin vector3 direction = -support;
In a loop, we’ll add another point. The exit condition is that this new point is not in front of the search direction. This would exit if the direction finds a vertex that was already the furthest one along it.
while (true) { support = Support(colliderA, colliderB, direction); if (support.dot(direction) <= 0) { return false; // no collision } points.push_front(support);
Now that we have a line, we’ll feed it into a function that updates the simplex and search direction. It’ll return true or false to signify a collision.
if (NextSimplex(points, direction)) { return true; } } }
That’s all for the main loop. It’s dead simple in the world of algorithms, but the real work is in the NextSimplex function. We need a series of different checks for each shape of simplex to see what the new simplex should be and what direction we’ll search in next.
The NextSimplex function will act as a dispatcher to three other functions, one for each shape.
bool NextSimplex( Simplex& points, vector3& direction) { switch (points.size()) { case 2: return Line (points, direction); case 3: return Triangle (points, direction); case 4: return Tetrahedron(points, direction); } // never should be here return false; }
We can add one more helper function to help lessen the headache from these next functions.
bool SameDirection( const vector3& direction, const vector3& ao) { return direction.dot(ao) > 0; }
We’ll start with the line case. There are three possible regions that the origin could be in, but realistically only two. We started with point B, and searched in the direction of A, which means that the origin cannot be in the red region. This leaves us with one check between the vector AB and AO. If AO is inside the green region, we move on. If AO is in the blue region, we’ll come back to the line case, but B will be replaced.
bool Line( Simplex& points, vector3& direction) { vector3 a = points[0]; vector3 b = points[1]; vector3 ab = b - a; vector3 ao = - a; if (SameDirection(ab, ao)) { direction = ab.cross(ao).cross(ab); } else { points = { a }; direction = ao; } return false; }

In this case, AO is in the same direction as AB, so we know it’s in the green region. We’ll set the search direction pointing towards the origin and move on. In 2D, you would not need to use cross products, but in 3D the origin could be anywhere in a cylinder around the line, so we need them to get the correct direction.
The triangle case has seven regions, but again we can cull out some impossibilities. Yellow, red, and purple cannot have the origin because the new point we added was A, meaning that the origin cannot be in the direction of the BC face. That leaves us with four regions we need to check.
If the origin is outside the triangle on the AC face, we’ll check if it’s also in the direction of AC. If it is, then we’ll remove B from the simplex and move on, if not, we’ll do a line case between AB. If the origin was not in the direction of the AC face, we’ll check the AB face. If it’s there, we’ll do the same line case between AB. Finally, if both checks fail, we know it must be inside the triangle. In 2D we would be done and could return true, but in 3D we need to check if the origin is above or below the triangle and move on.
bool Triangle( Simplex& points, vector3& direction) { vector3 a = points[0]; vector3 b = points[1]; vector3 c = points[2]; vector3 ab = b - a; vector3 ac = c - a; vector3 ao = - a; vector3 abc = ab.cross(ac); if (SameDirection(abc.cross(ac), ao)) { if (SameDirection(ac, ao)) { points = { a, c }; direction = ac.cross(ao).cross(ac); } else { return Line(points = { a, b }, direction); } } else { if (SameDirection(ab.cross(abc), ao)) { return Line(points = { a, b }, direction); } else { if (SameDirection(abc, ao)) { direction = abc; } else { points = { a, c, b }; direction = -abc; } } } return false; }

The tetrahedron case is the most complex, but almost entirely made up of triangle cases. We don’t need to test for the origin below the tetrahedron for the same reason as before. We only need to determine which face, if any, the origin is in the direction of. If there is one, we’ll go back to the triangle case with that face as the simplex, but if not, we know it must be inside the tetrahedron and we’ll return true.
bool Tetrahedron( Simplex& points, vector3& direction) { vector3 a = points[0]; vector3 b = points[1]; vector3 c = points[2]; vector3 d = points[3]; vector3 ab = b - a; vector3 ac = c - a; vector3 ad = d - a; vector3 ao = - a; vector3 abc = ab.cross(ac); vector3 acd = ac.cross(ad); vector3 adb = ad.cross(ab); if (SameDirection(abc, ao)) { return Triangle(points = { a, b, c }, direction); } if (SameDirection(acd, ao)) { return Triangle(points = { a, c, d }, direction); } if (SameDirection(adb, ao)) { return Triangle(points = { a, d, b }, direction); } return true; }

With that final case, we have completed the GJK algorithm. As you can see it is not that complex looking at it from a geometric point of view. This algorithm only gives you a yes/no answer about a collision, so you cannot respond to it. In the next article I will cover an algorithm that uses the simplex and similar principles to find the collision normal then maybe get into rotational physics. Thanks for reading!
Here is a demo that will let you play around with the algorithm and let you inspect each iteration, here's the full version if you want a better look…
Comments
17 replies
Alioune Diouf
Hi, really interesting ! i wanted to know if with this approach you can also determine the min distance beetween the two shapes?
Iain
Yes! I haven’t implemented this, but I think if you end up without a collision, you would find the closest point on the current simplex. There are simple algos for finding the closest point on a line segment / triangle / tetrahedron.
ビット コイン カジノ
I couldn’t resist commenting. Exceptionally well written!
Iain
Thanks! Glad it was a good read 🙂
Samu
Thank you, you helped me a lot! But I have an extra question: Capsule collisison detection is hard to implement? Because, I think that would be the most efficient concerning both computational cost and efficiency.
Iain
I’m not sure if you mean that using GJK vs the regular capsule collisions would be more or less efficient. Most of the primitive shapes like that have explicit equations. I have some of them implemented in this file. There is a Sphere vs a Capsule.
ShoesForClues
These videos have been really fascinating! Especially with the interactive demos. Here’s my implementation which I wrote in plain Lua. https://dl.dropboxusercontent.com/s/g2qtr7gxeq8dref/jQntR2TVaB.mp4
Iain
That looks really clean, good job! Now you gotta make them bounce off each other :p)
fireboy
An outstanding share! I’ve just forwarded this onto
a coworker who was conducting a little research on this.
And he actually bought me breakfast due to the fact that I stumbled upon it for him…
lol. So let me reword this…. Thank YOU for the meal!!
But yeah, thanx for spending some time to discuss this topic here on your web page.
emekoi
i was wondering, does this work out of the box with 2d? because i noticed that there was no way for this algorithm to return true for the 1d and 2d simplex cases.
Iain
In the last
if
statement, you would remove the one checking for if the origin is above or below the triangle (if (SameDirection(abc, ao))
), and justreturn true
.matan
hi why i getting here a collision https://ibb.co/zJtqdhP
the points is to far from each other and i m getting infinite loop
on the epa MeshCollider and SphereCollider the last if
https://github.com/matan45/gjktest/blob/main/testopengl/testopengl.cpp
Iain
I would give EPA a max iteration count as well for a start. The real solution is to treat round edges properly, you would incorporate that in the
if (abs(sDistance - minDistance) > 0.001f)
statement I’m 85% sure 🙂 let me know if that helps outM3832
This is such a great resource! I recently decided to learn some 3D programming and am now at the point where I really need some collision detection, and internet quickly told me that GJK or SAT was the way to go. However, just like you said at the beginning of this page, it was really hard finding any good resource to learn from…
Until now! Lucky for me you made this! Thank you so much! And I’m excited for the follow-up article about the collision normals. However, this article is all I need to start implementing some triggers.
Iain
Thanks! That’s the main reason why I made these 🙂 No one wanted to step up to task!!
JR
Hi, well honestly u do not disappoint. This has got to be the best explanation and interactive example I have seen on 2D collision. Someone can forgive my ignorance now 🙂
How would this work for 3D?
Iain
The examples I made were only in 2D for the sake of everyone’s sanity but the code is already written for 3D! note the vector3 type 🙂
The algorithm is identical in 2D, the only difference is that you don’t need the last case where the simplex becomes a tetrahedron. (and you wouldn’t need those cross products when finding the new directions)