3.6 The Boids!#

Estimated time to complete this notebook: 45 minutes.

⚠️ Warning: Advanced Topic! ⚠️

Our earlier discussion of NumPy was very theoretical, but let’s go through a practical example, and see how powerful NumPy can be.

Note this is more a showcase of what you can do with numpy than an exhaustive notebook to work through

3.6.1 Flocking#

The aggregate motion of a flock of birds, a herd of land animals, or a school of fish is a beautiful and familiar part of the natural world… The aggregate motion of the simulated flock is created by a distributed behavioral model much like that at work in a natural flock; the birds choose their own course. Each simulated bird is implemented as an independent actor that navigates according to its local perception of the dynamic environment, the laws of simulated physics that rule its motion, and a set of behaviors programmed into it… The aggregate motion of the simulated flock is the result of the dense interaction of the relatively simple behaviors of the individual simulated birds.

– Craig W. Reynolds, “Flocks, Herds, and Schools: A Distributed Behavioral Model”, Computer Graphics 21 4 1987, pp 25-34

We will demonstrate an algorithm to simulate flocking behaviour in numpy. The simulation consists of a set of individual bird-like objects that we will call ‘boids’ following the nomenclature of the original paper for more details.

  • Collision Avoidance: avoid collisions with nearby flockmates

  • Velocity Matching: attempt to match velocity with nearby flockmates

  • Flock Centering: attempt to stay close to nearby flockmates

3.6.2 Setting up the Boids#

Our boids will each have an x velocity and a y velocity, and an x position and a y position.

We’ll build this up in NumPy notation, and eventually, have an animated simulation of our flying boids.

import numpy as np

Let’s start with simple flying in a straight line.

Our positions, for each of our N boids, will be an array, shape \(2 \times N\), with the x positions in the first row, and y positions in the second row.

boid_count = 10

We’ll want to be able to seed our Boids in a random position.

We’d better define the edges of our simulation area:

limits = np.array([2000, 2000])
positions = np.random.rand(2, boid_count) * limits[:, np.newaxis]
positions
array([[ 303.90064393,  664.60111293,  191.51941629,  335.08409894,
        1082.57579826, 1717.12979525,   42.84007453,   94.73641705,
        1640.93381724,  651.37813412],
       [ 102.37919314, 1294.73997492,  790.69353039, 1692.02104224,
         133.98830151,  411.24754448,  559.26408761,  810.14335615,
         797.31446541,  820.26636722]])
positions.shape
(2, 10)

We used broadcasting with np.newaxis to apply our upper limit to each boid. rand gives us a random number between 0 and 1. We multiply by our limits to get a number up to that limit.

limits[:, np.newaxis]
array([[2000],
       [2000]])
limits[:, np.newaxis].shape
(2, 1)
np.random.rand(2, boid_count).shape
(2, 10)

So we multiply a \(2\times1\) array by a \(2 \times 10\) array – and get a \(2\times 10\) array.

Let’s put that in a function:

def new_flock(count, lower_limits, upper_limits):
    width = upper_limits - lower_limits
    return lower_limits[:, np.newaxis] + np.random.rand(2, count) * width[:, np.newaxis]

For example, let’s assume that we want our initial positions to vary between 100 and 200 in the x axis, and 900 and 1100 in the y axis. We can generate random positions within these constraints with:

positions = new_flock(boid_count, np.array([100, 900]), np.array([200, 1100]))

But each boid will also need a starting velocity. Let’s make these random too:

We can reuse the new_flock function defined above, since we’re again essentially just generating random numbers from given limits. This saves us some code, but keep in mind that using a function for something other than what its name indicates can become confusing!

Here, we will let the initial x velocities range over \([0, 10]\) and the y velocities over \([-20, 20]\).

velocities = new_flock(boid_count, np.array([0, -20]), np.array([10, 20]))
velocities
array([[  2.54891354,   1.59093464,   7.37269528,   1.92421025,
          0.73631967,   5.03515584,   4.7585377 ,   2.13932889,
          5.64938754,   5.02321455],
       [  9.85606145,  -5.4732767 ,  -4.88841169,   1.05308892,
          9.19657035,  -5.39300761, -15.90586663,  -6.23324677,
         -3.15213676, -11.73206116]])

3.6.3 Flying in a Straight Line#

Now we see the real amazingness of NumPy: if we want to move our whole flock according to

\(\delta_x = \delta_t \cdot \frac{dv}{dt}\)

we just do:

positions += velocities

3.6.4 Matplotlib Animations#

So now we can animate our Boids using the matplotlib animation tools All we have to do is import the relevant libraries:

from matplotlib import animation
from matplotlib import pyplot as plt

Then, we make a static plot, showing our first frame:

# create a simple plot
# initial x position in [100, 200], initial y position in [900, 1100]
# initial x velocity in [0, 10], initial y velocity in [-20, 20]
positions = new_flock(100, np.array([100, 900]), np.array([200, 1100]))
velocities = new_flock(100, np.array([0, -20]), np.array([10, 20]))

figure = plt.figure()
axes = plt.axes(xlim=(0, limits[0]), ylim=(0, limits[1]))
scatter = axes.scatter(
    positions[0, :], positions[1, :], marker="o", edgecolor="k", lw=0.5
)
scatter
<matplotlib.collections.PathCollection at 0x7f9ca456a2b0>
../_images/03_06_boids_37_1.png

Then, we define a function which updates the figure for each timestep

def update_boids(positions, velocities):
    positions += velocities


def animate(frame):
    update_boids(positions, velocities)
    scatter.set_offsets(positions.transpose())

Call FuncAnimation, and specify how many frames we want:

anim = animation.FuncAnimation(figure, animate, frames=50, interval=50)

Save out the figure:

positions = new_flock(100, np.array([100, 900]), np.array([200, 1100]))
velocities = new_flock(100, np.array([0, -20]), np.array([10, 20]))
anim.save("boids_1.gif")

And download the saved animation.

You can even view the results directly in the notebook.

from IPython.display import HTML

positions = new_flock(100, np.array([100, 900]), np.array([200, 1100]))
velocities = new_flock(100, np.array([0, -20]), np.array([10, 20]))
HTML(anim.to_jshtml())