noc-book-2/content/04_particles.html
2024-03-05 20:18:11 +00:00

1284 lines
No EOL
84 KiB
HTML
Raw Blame History

This file contains invisible Unicode characters

This file contains invisible Unicode characters that are indistinguishable to humans but may be processed differently by a computer. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

<section data-type="chapter" id="section-particles">
<h1 id="chapter-4-particle-systems">Chapter 4. Particle Systems</h1>
<div class="chapter-opening-quote">
<blockquote data-type="epigraph">
<p>That is wise. Were I to invoke logic, however,</p>
<p>logic clearly dictates that the needs of the</p>
<p>many outweigh the needs of the few.</p>
<div class="chapter-opening-quote-source">
<p>—Spock</p>
</div>
</blockquote>
</div>
<div class="chapter-opening-figure">
<figure>
<img src="images/04_particles/04_particles_1.png" alt="">
<figcaption></figcaption>
</figure>
<h3 id="positron-photo-by-carl-d-anderson">Positron (photo by Carl D. Anderson)</h3>
<p>This early 20th-century photograph from a cloud chamber offers a glimpse into the world of subatomic particles, capturing the first ever observed positron. Cloud chambers are devices that make visible the paths of charged particles as they move through a supersaturated vapor.</p>
</div>
<p>In 1982, Lucasfilm researcher William T. Reeves was working on <em>Star Trek II: The Wrath of Khan</em>. Much of the movie revolves around the Genesis Device, a torpedo that, when shot at a barren, lifeless planet, has the ability to reorganize matter and create a habitable world for colonization. During the sequence, a wall of fire ripples over the planet while its being “terraformed.” The term <strong>particle system</strong>, an incredibly common and useful technique in computer graphics, was coined in the creation of this particular effect. As Reeves put it:</p>
<blockquote data-type="epigraph">
<p><em>A particle system is a collection of many, many minute particles that together represent a fuzzy object. Over a period of time, particles are generated into a system, move and change from within the system, and die from the system.</em></p>
</blockquote>
<p>Since the early 1980s, particle systems have been used in countless video games, animations, digital art pieces, and installations to model various irregular types of natural phenomena, such as fire, smoke, waterfalls, fog, grass, bubbles, and so on.</p>
<p>This chapter is dedicated to looking at strategies for coding a particle system and managing the associated data. How do you organize your code? Where do you store information related to individual particles versus information related to the system as a whole? The examples Ill cover will use simple dots for the particles and apply only the most basic behaviors. However, these characteristics shouldnt limit your imagination. Just because particle systems tend to look sparkly, fly forward, or fall with gravity doesnt mean that yours should have those characteristics too. By building on this chapters framework and adding more creative ways to render the particles and compute their behavior, you can achieve a variety of effects.</p>
<p>In other words, the focus of this chapter is on <em>how</em> to keep track of a system of many elements. What those elements do and how they look is entirely up to you.</p>
<h2 id="why-particle-systems-matter">Why Particle Systems Matter</h2>
<p>A particle system is a collection of independent objects, often represented by dots or other simple shapes. But why does this matter? Certainly, the prospect of modeling some of the phenomena listed (waterfalls!) is attractive and potentially useful. More broadly, though, as you start developing more sophisticated simulations, youre likely to find yourself working with systems of <em>many</em> things—balls bouncing, birds flocking, ecosystems evolving, all sorts of things in plural. The particle system strategies discussed here will help you in all those situations.</p>
<p>In fact, just about every chapter from this one on includes sketches incorporating lists of objects, and thats basically what a particle system is. Yes, Ive already dipped my toe in the array waters in some of the previous chapters examples. But now its time to go where no array has gone before (in this book, anyway).</p>
<p>First, I want to accommodate flexible quantities of elements. Some examples may have zero things, sometimes one thing, sometimes ten things, and sometimes ten thousand things. Second, I want to take a more sophisticated, object-oriented approach. In addition to writing a class to describe a single particle, I want to write a class that describes the whole collection of particles—the particle system itself. The goal here is to be able to write a sketch that looks like this:</p>
<pre class="codesplit" data-code-language="javascript">// Ah, isnt this main program so simple and lovely?
let system;
function setup() {
createCanvas(640, 360);
system = new ParticleSystem();
}
function draw() {
background(255);
system.run();
}</pre>
<p>No single particle is referenced in this code, and yet the result will be full of particles flying all over the canvas. This works because the details are hidden inside the <code>ParticleSystem</code> class, which holds references to lots of instances of the <code>Particle</code> class. Getting used to this technique of writing sketches with multiple classes, including classes that keep lists of instances of other classes, will prove useful as you get to later chapters in this book.</p>
<p>Finally, working with particle systems is also an opportunity to tackle two other OOP techniques: inheritance and polymorphism. With the examples youve seen up until now, Ive always used an array of a single type of object, like an array of movers or an array of oscillators. With inheritance and polymorphism, Ill demonstrate a convenient way to use a single list to store objects of different types. This way, a particle system need not be a system of only one kind of particle.</p>
<h2 id="a-single-particle">A Single Particle</h2>
<p>Before I can get rolling on coding the particle system, I need to write a class to describe a single particle. The good news: Ive done this already! The <code>Mover</code> class from <a href="/forces#section-forces">Chapter 2</a> serves as the perfect template. A particle is an independent body that moves about the canvas, so just like a mover, it has <code>position</code>, <code>velocity</code>, and <code>acceleration</code> variables; a constructor to initialize those variables; and methods to <code>show()</code> itself and <code>update()</code> its position.</p>
<div class="avoid-break">
<pre class="codesplit" data-code-language="javascript">class Particle {
// A <code>Particle</code> object is just another name for a mover. It has position, velocity, and acceleration.
constructor(x, y) {
this.position = createVector(x, y);
this.acceleration = createVector();
this.velocity = createVector();
}
update() {
this.velocity.add(this.acceleration);
this.position.add(this.velocity);
this.acceleration.mult(0);
}
show() {
stroke(0);
fill(175);
circle(this.position.x, this.position.y, 8);
}
}</pre>
</div>
<p>This is about as simple as a particle can get. From here, I could take the particle in several directions. I could add the <code>applyForce()</code> method to affect the particles behavior (Ill do precisely this in a future example). I could also add variables to describe color and shape, or load a <code>p5.Image</code> to draw the particle in a more interesting way. For now, however, Ill focus on adding just one additional detail:<br><strong>life span</strong>.</p>
<p>Some particle systems involve an <strong>emitter</strong> that serves as the source of the particles. The emitter controls the initial settings for the particles: position, velocity, and more. It might emit a single burst of particles, a continuous stream of particles, or some variation thereof. The new feature here is that particles born at the emitter cant live forever. If they did, the p5.js sketch would eventually grind to a halt as the particles add up to an unwieldy number over time. As new particles are born, old particles need to be removed, creating the illusion of an infinite stream of particles without hurting the performance of the sketch.</p>
<p>There are many ways to decide when a particle is ready to be removed. For example, it could “die” when it comes into contact with another object or when it leaves the frame of the canvas. For now, Ill choose to give particles a <code>lifespan</code> variable that acts like a timer. It will start at 255 and count down to 0 as the sketch progresses, at which point the particle will be considered dead. Heres the added code in the <code>Particle</code> class:</p>
<pre class="codesplit" data-code-language="javascript">class Particle {
constructor(x, y) {
this.position = createVector(x, y);
this.acceleration = createVector();
this.velocity = createVector();
// A new variable to keep track of how long the particle has been “alive.” It starts at 255 and counts down to 0.
<strong>this.lifespan = 255;</strong>
}
update() {
this.velocity.add(this.acceleration);
this.position.add(this.velocity);
// Life span decreases.
<strong>this.lifespan -= 2.0;</strong>
}
show() {
//{!2} Since the life ranges from 255 to 0, it can also be used for alpha.
<strong>stroke(0, this.lifespan);</strong>
<strong>fill(175, this.lifespan);</strong>
circle(this.position.x, this.position.y, 8);
}
}</pre>
<p>With <code>lifespan</code> ranging from 255 to 0, it can conveniently double as the alpha transparency for the circle representing the particle. This way, when the particle is dead, it will have literally faded away.</p>
<p>With the addition of the <code>lifespan</code> property, Ill need one more method, one that can be queried (for a true or false answer) to determine whether the particle is alive or dead. This will come in handy when I write a separate class to manage the list of particles. Writing this method is pretty easy: I just need to check whether the value of <code>lifespan</code> is less than 0. If it is, return <code>true</code>; otherwise, return <code>false</code>:</p>
<pre class="codesplit" data-code-language="javascript"> isDead() {
// Is the particle still alive?
if (this.lifespan &#x3C; 0.0) {
return true;
} else {
return false;
}
}</pre>
<p>Even more simply, I can just return the result of the Boolean expression!</p>
<pre class="codesplit" data-code-language="javascript"> isDead() {
// Is the particle still alive?
return (this.lifespan &#x3C; 0.0);
}</pre>
<p>Before I get to the next step of making many particles, its worth taking a moment to confirm that the particle works correctly. For that, Ill create a sketch featuring a single <code>Particle</code> object at a time. Heres the full code, with a few small additions: giving the particle a random initial velocity, as well as adding <code>applyForce()</code> to simulate gravity.</p>
<div data-type="example">
<h3 id="example-41-a-single-particle">Example 4.1: A Single Particle</h3>
<figure>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/1gpoE1dtG" data-example-path="examples/04_particles/4_1_single_particle"><img src="examples/04_particles/4_1_single_particle/screenshot.png"></div>
<figcaption></figcaption>
</figure>
</div>
<pre class="codesplit" data-code-language="javascript">let particle;
function setup() {
createCanvas(640, 360);
particle = new Particle(width / 2, 20);
}
function draw() {
background(255);
// Operate the single particle.
particle.update();
particle.show();
// Apply a gravity force.
let gravity = createVector(0, 0.1);
particle.applyForce(gravity);
// Check the particles state and make a new particle.
if (particle.isDead()) {
particle = new Particle(width / 2, 20);
console.log("Particle dead!");
}
}
class Particle {
constructor(x,y) {
this.position = createVector(x, y);
//{!1} For demonstration purposes, the particle has a random velocity.
this.velocity = createVector(random(-1, 1), random(-2, 0));
this.acceleration = createVector(0, 0);
this.lifespan = 255.0;
}
update() {
this.velocity.add(this.acceleration);
this.position.add(this.velocity);
this.lifespan -= 2.0;
this.acceleration.mult(0);
}
show() {
stroke(0, this.lifespan);
fill(0, this.lifespan);
circle(this.position.x, this.position.y, 8);
}
// Keep the same physics model as in previous chapters.
applyForce(force) {
this.acceleration.add(force);
}
// Is the particle alive or dead?
isDead() {
return (this.lifespan &#x3C; 0.0);
}
}</pre>
<p>This example creates only one particle at a time for the sake of simplicity and testing. Each time the particle reaches the end of its life span, the <code>particle</code> variable is overwritten with a new instance of the <code>Particle</code> class. This effectively replaces the previous <code>Particle</code> object. Its important to understand that the previous <code>Particle</code> object isnt so much deleted as it is no longer accessible or used within the code. The sketch essentially forgets the old particle and starts anew with the freshly created one.</p>
<div data-type="exercise">
<h3 id="exercise-41">Exercise 4.1</h3>
<p>Create a <code>run()</code> method in the <code>Particle</code> class that handles <code>update()</code>, <code>show()</code>, and <code>applyForce()</code>. What are the pros and cons of this approach?</p>
</div>
<div data-type="exercise">
<h3 id="exercise-42">Exercise 4.2</h3>
<p>Add angular velocity (rotation) to the particle, and design a particle that isnt a circle so its rotation is visible.</p>
</div>
<h2 id="an-array-of-particles">An Array of Particles</h2>
<p>Now that I have a class to describe a single particle, its time for the next big step: How can I keep track of many particles, without knowing in advance exactly how many I might have at any given time? The answer is the JavaScript array, a data structure that stores an arbitrarily long list of values. In JavaScript, an array is actually an object created from the <code>Array</code> class, and so it comes with many built-in methods. These methods supply all the functionality I need for maintaining a list of <code>Particle</code> objects, including adding particles, removing particles, or otherwise manipulating them. For a refresher on arrays, see <a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array">the JavaScript array documentation on the MDN Web Docs website</a>.</p>
<p>As I bring arrays into the picture, Ill use a solution to Exercise 4.1 and assume a <code>Particle.run()</code> method that manages all of an individual particles functionality. While this approach also has some cons, it will keep the subsequent code examples more concise. To begin, Ill use a <code>for</code> loop in <code>setup()</code> to populate an array with particles, then use another <code>for</code> loop in <code>draw()</code> to run each particle:</p>
<pre class="codesplit" data-code-language="javascript">let total = 10;
// Start with an empty array.
let particles = [];
function setup() {
// This is what youre probably used to—accessing elements on the array via an index and brackets: <code>[i]</code>.
for (let i = 0; i &#x3C; total; i++) {
particles[i] = new Particle(width / 2, height / 2);
}
}
function draw() {
for (let i = 0; i &#x3C; particles.length; i++) {
let particle = particles[i];
particle.run();
}
}</pre>
<p>The <code>for</code> loop in <code>draw()</code> demonstrates how to call a method on every element of an array by accessing each index. I initialize a variable <code>i</code> to <code>0</code> and increment it by <code>1</code>, accessing each element of the array until <code>i</code> hits <code>particles.length</code> and so reaches the end. As it happens, there are a few other ways to do the same thing. This is something that I both love and hate about coding in JavaScript—it has so many styles and options to consider. On the one hand, this makes JavaScript a highly flexible and adaptable language, but on the other hand, the abundance of choices can be overwhelming and lead to a lot of confusion when learning.</p>
<p>Lets take a ride on the loop-de-loop roller coaster of choices for iterating over an array:</p>
<ul>
<li>The traditional <code>for</code> loop, as just demonstrated. This is probably what youre most used to, and it follows a similar syntax as other programming languages like Java and C.</li>
<li>The <code>for...in</code> loop. This kind of loop allows you to iterate over all the properties of an object. Its not particularly useful for arrays, so I wont cover it here.</li>
<li>The <code>forEach()</code> loop. This is a great one, and I encourage you to explore it! Its an example of a higher-order function, something Ill explain later in this chapter.</li>
<li>The <code>for...of</code> loop. This is the technique Ill expand upon next. It provides a clean and concise syntax compared to the traditional <code>for</code> loop when working with arrays of objects.</li>
</ul>
<p>Heres how the <code>for...of</code> loop looks:</p>
<pre class="codesplit" data-code-language="javascript">function draw() {
for (let particle of particles) {
particle.run();
}
}</pre>
<p>To translate this code, say <em>each</em> instead of <em>let</em>, and <em>in</em> instead of <em>of</em>. Putting it together, you get, “For each particle in particles, update and display that particle.”</p>
<p>Simple, elegant, concise, lovely. But before you get too excited about <code>for...of</code> loops, take a moment and breathe, because I have some bad news: they wont work in every situation. Yes, I love <code>for...of</code> loops, and Ill use them in some of the upcoming examples to iterate over the items in an array, but not just yet. Ultimately, I want to create a continuous stream of particles, with one new particle added to the array each cycle through <code>draw()</code> and old particles removed from the array as they die. As youll soon see, this is where the <code>for...of</code> loop lets me down.</p>
<p>Creating a new particle every frame is easy: I can just call the <code>Array</code> classs <code>push()</code> method during <code>draw()</code> to add a new <code>Particle</code> object to the end of the array. This eliminates the need to create any particles during <code>setup()</code>:</p>
<pre class="codesplit" data-code-language="javascript">let particles = [];
function setup() {
createCanvas(640, 360);
}
function draw() {
background(255);
// A new <code>Particle</code> object is added to the array every cycle through <code>draw()</code>.
particles.push(new Particle(width / 2, 20));
for (let i = 0; i &#x3C; particles.length; i++) {
particles[i].run();
}
}</pre>
<p>Run this code for a few minutes and youll start to see the frame rate slow further and further until the program grinds to a halt. (My tests yielded horrific performance after 15 minutes.) The issue, of course, is that Im adding more and more particles without removing any.</p>
<p>To fix this, I can use the <code>splice()</code> method to get rid of particles as they die. It removes one or more elements from an array starting from a given index. And this is why I cant use a <code>for...of</code> loop here; <code>splice()</code> needs a reference to the index of the particle being removed, but <code>for...of</code> loops dont provide such a reference. Im stuck using a regular <code>for</code> loop instead:</p>
<pre class="codesplit" data-code-language="javascript"> for (let i = 0; i &#x3C; particles.length; i++) {
//{!1} Improve readability by assigning the array element to a variable.
let particle = particles[i];
particle.run();
if (particle.isDead()) {
// Remove particle at index <code>i</code>.
particles.splice(i, 1);
}
}</pre>
<p>Although this code will run just fine and never grind to a halt, Ive opened up a medium-sized can of worms by trying to manipulate the contents of an array while iterating through that very same array. This is just asking for trouble. Take, for example, the following code:</p>
<pre class="codesplit" data-code-language="javascript"> for (let i = 0; i &#x3C; particles.length; i++) {
let particle = particles[i];
particle.run();
// Add a new particle to the list while iterating.
particles.push(new Particle(width / 2, 20));
}</pre>
<p>This is a somewhat extreme scenario (with flawed logic), but it proves the point. For each particle in the list, this code adds a new particle to the list, and so the <code>length</code> of the array increases. This will result in an infinite loop, as I can never increment past the size of the array!</p>
<p>While removing elements from the array during a loop doesnt cause the sketch to crash (as it would with adding), the problem is perhaps more insidious in that it leaves no evidence. To discover the flaw, I must first establish an important fact: when an element is removed from an array with <code>splice()</code>, all subsequent elements are shifted to the left. Figure 4.1 shows what happens when particle C (index 2) is removed. Particles A and B keep the same index, while particles D and E shift from 3 and 4 to 2 and 3, respectively.</p>
<figure>
<img src="images/04_particles/04_particles_2.png" alt="Figure 4.1: When an element is removed from an array, the subsequent elements shift to the left to fill the empty spot.">
<figcaption>Figure 4.1: When an element is removed from an array, the subsequent elements shift to the left to fill the empty spot.</figcaption>
</figure>
<p>Consider what happens as counter <code>i</code> iterates over the elements of this array:</p>
<table>
<thead>
<tr>
<th><code><strong>i</strong></code></th>
<th>Particle</th>
<th>Action</th>
</tr>
</thead>
<tbody>
<tr>
<td>0</td>
<td>Particle A</td>
<td>Dont delete!</td>
</tr>
<tr>
<td>1</td>
<td>Particle B</td>
<td>Dont delete!</td>
</tr>
<tr>
<td>2</td>
<td>Particle C</td>
<td>Delete! Slide particles D and E over from slots 3 and 4 to 2 and 3.</td>
</tr>
<tr>
<td>3</td>
<td>Particle E</td>
<td>Dont delete!</td>
</tr>
</tbody>
</table>
<p>Notice the problem? Particle D is never checked! When C is deleted from slot 2, D moves into slot 2 in its place, but <code>i</code> has already moved on to slot 3. In practice, this may not be a total disaster, since particle D will get checked the next time around through <code>draw()</code>. Still, the expectation is that the code should iterate through every single element of the array. Skipping an element is unacceptable!</p>
<p>This problem has two solutions. The first is to iterate through the array backward. Since elements slide from right to left as other elements are removed, skipping an element becomes impossible. Heres how the code looks:</p>
<pre class="codesplit" data-code-language="javascript"> //{!1} Loop through the list backward.
<strong>for (let i = particles.length - 1; i >= 0; i--) {</strong>
let particle = particles[i];
particle.run();
if (particle.isDead()) {
particles.splice(i, 1);
}
}</pre>
<p>A second solution is to use a <strong>higher-order function</strong>. This is a function that receives another function as an argument (or provides a function as its return value). JavaScript arrays use many higher-order functions. For example, a common one is <code>sort()</code>, which takes as its argument a function that defines how to compare two elements of the array and then sorts the array according to that comparison.</p>
<p>With the array of particles, I can use <code>filter()</code>. This higher-order function takes a function specifying some kind of condition as an argument, checks each item in an array for that condition, and returns only the item(s) for which the given condition is true (excluding those items that return false):</p>
<pre class="codesplit" data-code-language="javascript"> particles = particles.filter(function(particle) {
// Keep particles that are not dead!
return !particle.isDead();
});</pre>
<p>This is more commonly written using JavaScripts arrow notation. To learn more, you can watch my Coding Train tutorial on <a href="https://thecodingtrain.com/hof">higher-order functions and arrow notation</a>.</p>
<pre class="codesplit" data-code-language="javascript"> particles = particles.filter(particle => !particle.isDead());</pre>
<p>For the purposes of this book, Im going to stick with the <code>splice()</code> method, but I encourage you to explore writing your code with higher-order functions and arrow notation.</p>
<div data-type="example">
<h3 id="example-42-an-array-of-particles">Example 4.2: An Array of Particles</h3>
<figure>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/-xTbGZMim" data-example-path="examples/04_particles/4_2_array_particles"><img src="examples/04_particles/4_2_array_particles/screenshot.png"></div>
<figcaption></figcaption>
</figure>
</div>
<pre class="codesplit" data-code-language="javascript">let particles = [];
function setup() {
createCanvas(640, 240);
}
function draw() {
background(255);
particles.push(new Particle(width / 2, 20));
//{!1} Loop through the array backward for deletion.
for (let i = particles.length - 1; i >= 0; i--) {
let particle = particles[i];
particle.run();
if (particle.isDead()) {
particles.splice(i, 1);
}
}
}</pre>
<p>You might be wondering why, instead of checking each particle individually, I dont just remove the oldest particle after a certain period of time (determined by checking the <code>frameCount</code> or array length). In this example, where the particles die in the same order in which theyre born, that approach would actually work. I could even use a different array method called <code>shift()</code>, which automatically removes the first element of an array. However, in many particle systems, other conditions or interactions may cause “younger” particles to die sooner than “older” particles. Checking <code>isDead()</code> in combination with <code>splice()</code> is a nice, comprehensive solution that offers flexibility in managing particles across a variety of scenarios.</p>
<h2 id="a-particle-emitter">A Particle Emitter</h2>
<p>Ive conquered the array and used it to manage a list of <code>Particle</code> objects, with the ability to add and delete particles at will. I could stop here and rest on my laurels, but I can and should take an additional step: writing a class describing the list of <code>Particle</code> objects itself. At the start of this chapter, I used a speculative class name <code>ParticleSystem</code> to represent the overall collection of particles. However, a more fitting term for the functionality of emitting particles is <code>Emitter</code>, which Ill use from now on.</p>
<p>The <code>Emitter</code> class will allow me to clean up the <code>draw()</code> function, removing the bulky logic of looping through all the particles. As an added bonus, it will also open up the possibility of having multiple particle emitters.</p>
<p>Recall that one of the goals I set at the beginning of this chapter was to write <code>setup()</code> and <code>draw()</code> without referencing any individual particles. In laying out that goal, I teased the possibility of a beautifully simple main sketch file. Here it is again, only now with the <code>Emitter</code> naming convention.</p>
<div class="avoid-break">
<pre class="codesplit" data-code-language="javascript">// Just one particle emitter!
let emitter;
function setup() {
createCanvas(640, 360);
emitter = new Emitter();
}
function draw() {
background(255);
emitter.run();
}</pre>
</div>
<p>To get to this point, look at each piece of <code>setup()</code> and <code>draw()</code> from Example 4.2 and think about how it can fit into the <code>Emitter</code> class instead. Nothing about the behavior of the code should change—the only difference is how its organized:</p>
<table>
<tbody>
<tr>
<td><strong>Array in </strong><code><strong>setup()</strong></code><strong> and </strong><code><strong>draw()</strong></code></td>
<td><strong>Array in the </strong><code><strong>Emitter</strong></code><strong> Class</strong></td>
</tr>
<tr>
<td>
<pre><code>
<strong>let particles = [];</strong>
function setup() {
createCanvas(640, 240);
}
function draw() {
<strong>particles.push(new Particle());
</strong>
<strong>let length = particles.length - 1;</strong>
<strong>for (let i = length; i >= 0; i--) {
let particles = particles[i];
particle.run();
if (particle.isDead()) {
particles.splice(i, 1);
}
}</strong>
}
</code></pre>
</td>
<td>
<pre><code>class Emitter {
constructor() {
<strong>this.particles = [];</strong>
}
addParticle() {
<strong>this.particles.push(new Particle());</strong>
}
run() {
<strong> let length = this.particles.length - 1;
</strong> <strong>for (let i = length; i >= 0; i--) {</strong><strong>
let particle = this.particles[i];
particle.run();
if (particle.isDead()) {
this.particles.splice(i, 1);
}
}</strong>
}
}</code></pre>
</td>
</tr>
</tbody>
</table>
<p>I could also add new features to the particle system itself. For example, it might be useful for the <code>Emitter</code> class to keep track of an origin point where particles are born. The origin point could be initialized in the constructor.</p>
<div data-type="example">
<h3 id="example-43-a-single-particle-emitter">Example 4.3: A Single Particle Emitter</h3>
<figure>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/WkX_YtT7xN" data-example-path="examples/04_particles/4_3_particle_emitter"><img src="examples/04_particles/4_3_particle_emitter/screenshot.png"></div>
<figcaption></figcaption>
</figure>
</div>
<pre class="codesplit" data-code-language="javascript">class Emitter {
constructor(x, y) {
//{!1} This particular particle system implementation includes an origin point where each particle begins.
<strong>this.origin = createVector(x, y);</strong>
this.particles = [];
}
addParticle() {
//{!1} The origin is passed to each particle when its added to the array.
<strong>this.particles.push(new Particle(origin.x, origin.y));</strong>
}
}</pre>
<p>The example emitter is a static source of particles, which is a nice way to begin working with particle systems. However, thats not how it has to be. The emitter could have its own behaviors: experiencing physics, oscillating, reacting to user input, or exhibiting any other kind of motion demonstrated in previous chapters. The particles could then emanate from various positions over time, creating trails or other, more complex and intriguing patterns.</p>
<div data-type="exercise">
<h3 id="exercise-43">Exercise 4.3</h3>
<p>What if the emitter moves? Can you emit particles from the mouse position, or use the concepts of velocity and acceleration to move the system autonomously?</p>
</div>
<div data-type="exercise">
<h3 id="exercise-44">Exercise 4.4</h3>
<p>Building off <a href="/oscillation#section-oscillation">Chapter 3</a>s <em>Asteroids</em> example, use a particle system to emit particles from the ships thrusters whenever a thrust force is applied. The particles initial velocity should be related to the ships current direction.</p>
</div>
<h2 id="a-system-of-emitters">A System of Emitters</h2>
<p>So far, Ive described an individual particle and organized its code into a <code>Particle</code> class. Ive also described a system of particles and organized the code into an <code>Emitter</code> class. This particle system is nothing more than a collection of independent <code>Particle</code> objects. But as an instance of the <code>Emitter</code> class, isnt a particle system itself an object? If thats the case (and it is), theres no reason I couldnt also build a collection of many particle emitters: a system of systems!</p>
<p>I could take this line of thinking even further, locking myself in a basement for days and sketching out a diagram of a system of systems of systems of systems of systems of systems . . . until I get this whole system thing out of my, well, system. After all, I could describe the world in a similar way: an organ is a system of cells, a human body is a system of organs, a neighborhood is a system of human bodies, a city is a system of neighborhoods, and so on and so forth. Im not ready to go quite that far just yet, but it would still be useful to look at how to write a sketch that keeps track of many particle systems, each of which keeps track of many particles.</p>
<p>Consider this scenario: you start with a blank screen (Figure 4.2). </p>
<figure>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/tYplPGTcR" data-example-path="examples/04_particles/4_4_multiple_emitters_0"><img src="examples/04_particles/4_4_multiple_emitters_0/screenshot.png"></div>
<figcaption>Figure 4.2: Starting with a blank screen</figcaption>
</figure>
<p>You click the mouse and generate a particle system at the mouses position (Figure 4.3).</p>
<figure>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/GEO-ZFcf_" data-example-path="examples/04_particles/4_4_emitters_1"><img src="examples/04_particles/4_4_emitters_1/screenshot.png"></div>
<figcaption>Figure 4.3: Adding a particle system</figcaption>
</figure>
<p>You keep clicking the mouse. Each time, another particle system springs up where you clicked (Figure 4.4).</p>
<figure>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/_196ApjwA" data-example-path="examples/04_particles/4_4_emitters_2"><img src="examples/04_particles/4_4_emitters_2/screenshot.png"></div>
<figcaption>Figure 4.4: Adding more particle systems</figcaption>
</figure>
<p>How to do this? In Example 4.3, I stored a single reference to an <code>Emitter</code> object in the variable <code>emitter</code>:</p>
<pre class="codesplit" data-code-language="javascript">let emitter;
function setup() {
createCanvas(640, 240);
emitter = new Emitter(width / 2, 20);
}
function draw() {
background(255);
emitter.addParticle();
emitter.run();
}</pre>
<p>Now Ill call the variable <code>emitters</code>, plural, and make it an array so I can keep track of multiple <code>Emitter</code> objects. When the sketch begins, the array is empty.</p>
<div data-type="example">
<h3 id="example-44-a-system-of-systems">Example 4.4: A System of Systems</h3>
<figure>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/s_Y3-Mmo7" data-example-path="examples/04_particles/4_4_multiple_emitters"><img src="examples/04_particles/4_4_multiple_emitters/screenshot.png"></div>
<figcaption>Clicking the mouse adds a new emitter.</figcaption>
</figure>
</div>
<pre class="codesplit" data-code-language="javascript">// This time, the type of thing youre putting in the array is a particle emitter itself!
let emitters = [];
function setup() {
createCanvas(640, 240);
}</pre>
<p>Whenever the mouse is clicked, a new <code>Emitter</code> object is created and placed into the array:</p>
<pre class="codesplit" data-code-language="javascript">function mousePressed() {
emitters.push(new Emitter(mouseX, mouseY));
}</pre>
<p>Then, in <code>draw()</code>, instead of referencing a single <code>Emitter</code> object, I now iterate over all the emitters and call <code>run()</code> on each of them:</p>
<pre class="codesplit" data-code-language="javascript">function draw() {
background(255);
// No emitters are removed, so a <code>for...of</code> loop can work here!
for (let emitter of emitters) {
emitter.run();
emitter.addParticle();
}
}</pre>
<p>Notice that Im back to using a <code>for...of</code> loop since no elements are being removed from the <code>emitters</code> array.</p>
<div data-type="exercise">
<h3 id="exercise-45">Exercise 4.5</h3>
<p>Rewrite Example 4.4 so each particle system doesnt live forever. Set a limit on the number of particles an individual system can generate. Then, when a particle system is empty (has no particles left), remove it from the <code>emitters</code> array.</p>
</div>
<div data-type="exercise">
<h3 id="exercise-46">Exercise 4.6</h3>
<p>Create a simulation of an object shattering into many pieces. How can you turn one large shape into many small particles? Can you create several large shapes on the screen that each shatter when clicked?</p>
</div>
<h2 id="inheritance-and-polymorphism">Inheritance and Polymorphism</h2>
<p>Up to now, all the particles in my systems have been identical, with the same basic appearance and behaviors. Who says this has to be the case? By harnessing two fundamental OOP principles, inheritance and polymorphism, I can create particle systems with significantly more variety and interest.</p>
<p>Perhaps youve encountered these two terms in your programming life before this book. For example, my beginner text, <em>Learning Processing</em>, has close to an entire chapter (Chapter 22) dedicated to them. Still, perhaps youve learned about inheritance and polymorphism only in the abstract and never had a reason to really use them. If thats true, youve come to the right place. Without these techniques, your ability to program diverse particles and particle systems is extremely limited. (In <a href="/physics-libraries#section-physics-libraries">Chapter 6</a>, Ill also demonstrate how understanding these topics will help you use physics libraries.)</p>
<p>Imagine its a Saturday morning. Youve just gone out for a lovely jog, had a delicious bowl of cereal, and are sitting quietly at your computer with a cup of warm chamomile tea. Its your old friend so-and-sos birthday, and youve decided youd like to make a greeting card with p5.js. How about simulating some confetti? Purple confetti, pink confetti, star-shaped confetti, square confetti, fast confetti, fluttery confetti—all kinds of confetti, all with different appearances and different behaviors, exploding onto the screen all at once.</p>
<p>What you have is clearly a particle system: a collection of individual pieces (particles) of confetti. You might be able to cleverly redesign the <code>Particle</code> class to have variables that store color, shape, behavior, and more. To create a variety of particles, you might initialize those variables with random values. But what if some of your particles are drastically different? It could become very messy to have all sorts of code for different ways of being a particle in the same class. Another option might be to do the following:</p>
<pre class="codesplit" data-code-language="javascript">class HappyConfetti {
}
class FunConfetti {
}
class WackyConfetti {
}</pre>
<p>This is a nice solution: create three classes to describe the different kinds of confetti that are part of your particle system. The <code>Emitter</code> constructor could then have some code to pick randomly from the three classes when filling the array (note that this probabilistic method is the same one I employed in the random walk examples in Chapter 0):</p>
<div class="snip-below">
<pre class="codesplit" data-code-language="javascript">class Emitter {
constructor(num) {
this.particles = [];
for (let i = 0; i &#x3C; num; i++) {
let r = random(1);
// Randomly pick a kind of particle.
if (r &#x3C; 0.33) {
this.particles.push(new HappyConfetti());
} else if (r &#x3C; 0.67) {
this.particles.push(new FunConfetti());
} else {
this.particles.push(new WackyConfetti());
}
}
}</pre>
</div>
<p>Let me pause for a moment. Youve done nothing wrong. All you wanted to do was wish your friend a happy birthday and enjoy writing some code. But while the reasoning behind this approach is quite sound, theres a problem: Arent you going to be copying and pasting a lot of code between the confetti classes?</p>
<p>Yes, you probably will. Even though the kinds of particles are different enough to merit breaking them into separate classes, theyll likely share a ton of code. For example, theyll all have vectors to keep track of position, velocity, and acceleration; an <code>update()</code> function that implements the motion algorithm; and more.</p>
<p>This is where <strong>inheritance</strong> comes in. Inheritance allows you to write a class that takes on (<em>inherits</em>) variables and methods from another class, while also implementing its own custom features. You might also be wondering whether adding all those types of confetti to a single <code>particles</code> array actually works. After all, I dont typically mix different kinds of objects in one array, as it could get confusing. How will the code in the <code>Emitter</code> class know which particle is which kind of confetti? Wouldnt separate arrays be easier to manage?</p>
<pre class="codesplit" data-code-language="javascript"> constructor() {
this.happyParticles = [];
this.funParticles = [];
this.wackyParticles = [];
}</pre>
<p>In fact, separating the particles into different arrays is inconvenient; a single array for all the particles in the system would be far more practical. Fortunately, the ability to mix objects of different types in one array is an inherent feature of JavaScript, and <strong>polymorphism</strong><strong><em> </em></strong>allows the mixed objects to be operated on as if they were of the same type. I can populate an array with different kinds of particles, and each particle will still maintain its unique behaviors and characteristics as defined in its respective class.</p>
<p>In this section, Ill illustrate inheritance and polymorphism in more detail, and then Ill create a particle system that incorporates these concepts.</p>
<h3 id="inheritance-basics">Inheritance Basics</h3>
<p>To demonstrate how inheritance works, Ill take an example from the world of animals: dogs, cats, monkeys, pandas, wombats, sea nettles, you name it. Ill start by coding a <code>Dog</code> class. A <code>Dog</code> object will have an <code>age</code> variable (an integer), as well as <code>eat()</code>, <code>sleep()</code>, and <code>bark()</code> methods:</p>
<pre class="codesplit" data-code-language="javascript">class Dog {
constructor() {
this.age = 0;
}
eat() {
print("Yum!");
}
sleep() {
print("Zzzzzz");
}
bark() {
print("WOOF");
}
}</pre>
<p>Now Ill make a cat:</p>
<pre class="codesplit" data-code-language="javascript">class Cat {
// Dogs and cats have many of the same variables (age) and methods (eat, sleep).
constructor() {
this.age = 0;
}
eat() {
print("Yum!");
}
sleep() {
print("Zzzzzz");
}
// Cats have no <code>bark()</code>, but instead a unique function for meowing.
meow() {
print("MEOW!");
}
}</pre>
<p>As I move on to rewriting the same code for fish, horses, koalas, and lemurs, this process will become rather tedious. A better solution is to develop a generic <code>Animal</code> class that can describe any type of animal. All animals eat and sleep, after all. I could then say this:</p>
<ul>
<li>A dog is an animal and has all the properties of animals and can do all the things animals do. Also, a dog can bark.</li>
<li>A cat is an animal and has all the properties of animals and can do all the things animals do. Also, a cat can meow.</li>
</ul>
<p>Inheritance makes this possible, allowing <code>Dog</code> and <code>Cat</code> to be designated as children (<strong>subclasses</strong>) of the <code>Animal</code> class. Children automatically inherit all variables and methods from the parent (<strong>superclass</strong>), but they can also include methods and variables not found in the parent. Like a phylogenetic tree of life, inheritance follows a tree structure (see Figure 4.5): dogs inherit from mammals, which inherit from animals, and so on.</p>
<figure>
<img src="images/04_particles/04_particles_3.png" alt="Figure 4.5: An inheritance tree">
<figcaption>Figure 4.5: An inheritance tree</figcaption>
</figure>
<p>Heres how the syntax of inheritance works:</p>
<pre class="codesplit" data-code-language="javascript">//{!1} The <code>Animal</code> class is the parent (or superclass).
class Animal {
constructor() {
// <code>Dog</code> and <code>Cat</code> inherit the variable <code>age</code>.
this.age = 0;
}
//{!7} <code>Dog</code> and <code>Cat</code> inherit the functions <code>eat()</code> and <code>sleep()</code>.
eat() {
print("Yum!");
}
sleep() {
print("Zzzzzz");
}
}
//{!1} The <code>Dog</code> class is the child (or subclass), indicated by the code <code>extends Animal</code>.
<strong>class Dog extends Animal {</strong>
constructor() {
// <code>super()</code> executes code found in the parent class.
<strong>super();</strong>
}
// <code>bark()</code> is defined in the child class, since it isnt part of the parent class.
bark() {
print("WOOF!");
}
}
class Cat extends Animal {
constructor() {
super();
}
meow() {
print("MEOW!");
}
}</pre>
<p>This code uses two new JavaScript features. First, notice the <code>extends</code> keyword, which specifies a parent for the class being defined. A subclass can extend only one superclass. However, classes can extend classes that extend other classes; for example, <code>Dog extends Animal</code>, <code>Terrier extends Dog</code>. Everything is inherited all the way down the line from <code>Animal</code> to <code>Terrier</code>.</p>
<p>Second, notice the call to <code>super()</code> in the <code>Dog</code> and <code>Cat</code> constructors. This calls the constructor in the parent class. In other words, whatever you do in the parent constructor, do so in the child constructor as well. In this case, it isnt necessary, but <code>super()</code> can also receive arguments if a parent constructor is defined that takes matching arguments.</p>
<p>You can expand a subclass to include additional methods beyond those contained in the superclass. Here Ive added the <code>bark()</code> method to <code>Dog</code> and the <code>meow()</code> method to <code>Cat</code>. You can also include additional code, besides the call to <code>super()</code>, in a subclasss constructor to give that subclass extra variables. For example, lets assume that in addition to <code>age</code>, a <code>Dog</code> object should have a <code>haircolor</code> variable. The class would now look like this:</p>
<pre class="codesplit" data-code-language="javascript">class Dog extends Animal {
constructor() {
super();
// A child class can introduce new variables not included in the parent.
this.haircolor = color(210, 105, 30);
}
bark() {
print("WOOF!");
}
}</pre>
<p>Note that the parent constructor is first called via <code>super()</code>, which sets <code>age</code> to <code>0</code>, and then <code>haircolor</code> is set inside the <code>Dog</code> constructor.</p>
<p>If a <code>Dog</code> object eats differently than a generic <code>Animal</code> object, the parent method can be <em>overridden</em> by creating a different definition for the method inside the subclass:</p>
<pre class="codesplit" data-code-language="javascript">class Dog extends Animal {
constructor() {
super();
this.haircolor = color(210, 105, 30);
}
// A child can override a parent method if necessary.
eat() {
// A dogs specific eating characteristics
print("Woof! Woof! Slurp.")
}
bark() {
print("WOOF!");
}
}</pre>
<p>But what if a dog eats mostly the same way as a generic animal, just with some extra functionality? A subclass can both run the code from its parent classs method and incorporate custom code:</p>
<pre class="codesplit" data-code-language="javascript">class Dog extends Animal {
constructor() {
super();
this.haircolor = color(210, 105, 30);
}
eat() {
// Call <code>eat()</code> from <code>Animal</code>. A child can execute a function from the parent.
<strong>super.eat();</strong>
// Additional code for a <code>Dog</code> objects specific eating characteristics.
<strong>print("Woof!!!");</strong>
}
bark() {
print("WOOF!");
}
}</pre>
<p>Similar to calling <code>super()</code> in the constructor, calling <code>super.eat()</code> inside the <code>Dog</code> classs <code>eat()</code> method results in calling the <code>Animal</code> classs <code>eat()</code> method. Then the subclasss method definition can continue with any additional, custom code.</p>
<h3 id="polymorphism-basics">Polymorphism Basics</h3>
<p>Youve used inheritance to create a bunch of animal subclasses. Now try to imagine how your code would manage this diverse animal kingdom with dogs, cats, turtles, and kiwis all frolicking about:</p>
<pre class="codesplit" data-code-language="javascript">// Separate arrays for each animal
let dogs = [];
let cats = [];
let turtles = [];
let kiwis = [];
for (let i = 0; i &#x3C; 10; i++) {
dogs.push(new Dog());
}
for (let i = 0; i &#x3C; 15; i++) {
cats.push(new Cat());
}
for (let i = 0; i &#x3C; 6; i++) {
turtles.push(new Turtle());
}
for (let i = 0; i &#x3C; 98; i++) {
kiwis.push(new Kiwi());
}</pre>
<p>As the day begins, the animals are all pretty hungry and looking to eat. Its (enhanced!) looping time:</p>
<pre class="codesplit" data-code-language="javascript">// Separate loops for each animal
for (let dog of dogs) {
dog.eat();
}
for (let cat of cats) {
cat.eat();
}
for (let turtle of turtles) {
turtle.eat();
}
for (kiwi of kiwis) {
kiwi.eat();
}</pre>
<p>This works, but as the world expands to include many more animal species, youll be stuck writing a lot of individual loops. Is this really necessary? After all, the creatures are all animals, and they all like to eat. Why not have just one array and fill it with all kinds of animals?</p>
<pre class="codesplit" data-code-language="javascript">// Just one array for all the animals!
let kingdom = [];
for (let i = 0; i &#x3C; 10; i++) {
kingdom.push(new Dog());
}
for (let i = 0; i &#x3C; 15; i++) {
kingdom.push(new Cat());
}
for (let i = 0; i &#x3C; 6; i++) {
kingdom.push(new Turtle());
}
for (let i = 0; i &#x3C; 98; i++) {
kingdom.push(new Kiwi());
}
// One loop for all the animals!
for (let animal of kingdom) {
animal.eat();
}</pre>
<p>This is polymorphism (from the Greek <em>polymorphos</em>,<em> </em>meaning “many forms”) in action. Although all the animals are grouped together in an array and processed in a single <code>for</code> loop, JavaScript can identify their true types and invoke the appropriate <code>eat()</code> method for each one. Its that simple!</p>
<h3 id="particles-with-inheritance-and-polymorphism">Particles with Inheritance and Polymorphism</h3>
<p>Now that Ive covered the theory and syntax behind inheritance and polymorphism, Im ready to write a working example of them in p5.js, based on my <code>Particle</code> class. First, take another look at a basic <code>Particle</code> implementation, adapted from Example 4.1:</p>
<pre class="codesplit" data-code-language="javascript">class Particle {
constructor(x, y) {
this.acceleration = createVector(0, 0);
this.velocity = createVector(random(-1, 1), random(-2, 0));
this.position = createVector(x, y);
this.lifespan = 255.0;
}
run() {
this.update();
this.show();
}
update() {
this.velocity.add(this.acceleration);
this.position.add(this.velocity);
this.lifespan -= 2.0;
this.acceleration.mult(0);
}
applyForce(force) {
this.acceleration.add(force);
}
isDead() {
return (this.lifespan &#x3C; 0);
}
show() {
fill(0, this.lifespan);
circle(this.position.x, this.position.y, 8);
}
}</pre>
<div class="avoid-break">
<p>The class has variables and methods that any participant in a particle system should have. Next, Ill create a <code>Confetti</code> subclass that extends <code>Particle</code>. It will use <code>super()</code> to execute the code from the parent classs constructor and will inherit most of the <code>Particle</code> classs methods as well. However, Ill give <code>Confetti</code> its own <code>show()</code> method, overriding that of its parent, so <code>Confetti</code> objects will be drawn as squares rather than circles:</p>
</div>
<pre class="codesplit" data-code-language="javascript">class Confetti extends Particle {
constructor(x, y) {
super(x, y);
/* I could add variables for only <code>Confetti</code> here. */
}
/* Other methods like <code>update()</code> are inherited from the parent. */
// Override the <code>show()</code> method.
show() {
rectMode(CENTER);
fill(0);
square(this.position.x, this.position.y, 12);
}
}</pre>
<p>Lets make this a bit more sophisticated. Say I want to have each <code>Confetti</code> particle rotate as it flies through the air. One option is to model angular velocity and acceleration, as described in <a href="/oscillation#section-oscillation">Chapter 3</a>. For ease, however, Ill implement something less formal.</p>
<p>I know a particle has an x-position somewhere between 0 and the width of the canvas. What if I said that when the particles x-position is 0, its rotation should be 0; when its x-position is equal to the width, its rotation should be equal to <span data-type="equation">4\pi</span>? Does this ring a bell? As discussed in Chapter 0, whenever a value has one range that you want to map to another range, you can use the <code>map()</code> function:</p>
<pre class="codesplit" data-code-language="javascript"> let angle = map(this.position.x, 0, width, 0, TWO_PI * 2);</pre>
<p>Heres how this code fits into the <code>show()</code> method:</p>
<pre class="codesplit" data-code-language="javascript"> show() {
let angle = map(this.position.x, 0, width, 0, TWO_PI * 2);
rectMode(CENTER);
fill(0, this.lifespan);
stroke(0, this.lifespan);
// To <code>rotate()</code> a shape in p5.js, transformations are necessary. For more, visit https://www.thecodingtrain.com/transformations.
push();
translate(this.position.x, this.position.y);
rotate(angle);
rectMode(CENTER);
square(0, 0, 12);
pop();
}</pre>
<p>The choice of <span data-type="equation">4\pi</span> might seem arbitrary, but its intentional—two full rotations add a significant degree of spin to the particle compared to just one.</p>
<div data-type="exercise">
<h3 id="exercise-47">Exercise 4.7</h3>
<p>Instead of using <code>map()</code> to calculate <code>angle</code>, try modeling angular velocity and acceleration.</p>
</div>
<p>Now that I have a <code>Confetti</code> subclass that extends the base <code>Particle</code> class, the next step is to also add <code>Confetti</code> objects to the array of particles defined in the <code>Emitter</code> class.</p>
<div data-type="example">
<h3 id="example-45-a-particle-system-with-inheritance-and-polymorphism">Example 4.5: A Particle System with Inheritance and Polymorphism</h3>
<figure>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/2ZlNJp2EW" data-example-path="examples/04_particles/noc_4_05_particle_system_inheritance_polymorphism"><img src="examples/04_particles/noc_4_05_particle_system_inheritance_polymorphism/screenshot.png"></div>
<figcaption></figcaption>
</figure>
</div>
<pre class="codesplit" data-code-language="javascript">class Emitter {
constructor(x, y) {
this.origin = createVector(x, y);
// One list, for anything that is a <code>Particle</code> or extends <code>Particle</code>
<strong>this.particles = [];</strong>
}
addParticle() {
let r = random(1);
// A 50% chance of adding each kind of particle
<strong>if (r &#x3C; 0.5) {
this.particles.push(new Particle(this.origin.x, this.origin.y));
} else {
this.particles.push(new Confetti(this.origin.x, this.origin.y));
}</strong>
}
run() {
for (let i = this.particles.length - 1; i >= 0; i--) {
let particle = this.particles[i];
particle.run();
if (particle.isDead()) {
this.particles.splice(i, 1);
}
}
}
}</pre>
<p>Can you spot how this example is also taking advantage of polymorphism? Its what allows the <code>Particle</code> and <code>Confetti</code> objects to commingle in the same <code>particles</code> array within the <code>Emitter</code> class. Thanks to the inheritance relationship, both can be considered the same type, <code>Particle</code>, and its safe to iterate through the array and call methods like <code>run()</code> and <code>isDead()</code> on each object. Together, inheritance and polymorphism enable a variety of particle types to be managed together in the one array, regardless of their original class.</p>
<div data-type="exercise">
<h3 id="exercise-48">Exercise 4.8</h3>
<p>Create a particle system with more than two kinds of particles. Try varying the behavior of the particles in addition to the design.</p>
</div>
<h2 id="particle-systems-with-forces">Particle Systems with Forces</h2>
<p>So far in this chapter, Ive focused on structuring code in an object-oriented way to manage a collection of particles. While I did keep the <code>applyForce()</code> function in my <code>Particle</code> class, I took a couple of shortcuts to keep the code simple. Now Ill add a <code>mass</code> property back in, changing the <code>constructor()</code> and <code>applyForce()</code> methods in the process (the rest of the class stays the same):</p>
<div class="snip-below">
<pre class="codesplit" data-code-language="javascript">class Particle {
constructor(x, y) {
this.position = createVector(x, y);
this.velocity = createVector(random(-1, 1),random(-2, 0));
//{!1} Now start with acceleration of <code>(0, 0)</code>.
this.acceleration = createVector(0, 0);
this.lifespan = 255.0;
// Add a mass property. Try varying mass for different, interesting results!
this.mass = 1;
}
applyForce(force) {
//{!2} Divide force by mass.
let f = force.copy();
f.div(this.mass);
this.acceleration.add(f);
}</pre>
</div>
<p>Now that the <code>Particle</code> class is complete, I have an important question to ask: Where should I call the <code>applyForce()</code> method? Where in the code is it appropriate to apply a force to a particle? In my view, theres no right or wrong answer; it really depends on the exact functionality and goals of a particular p5.js sketch. My quick-and-dirty solution in the previous examples was to create and apply a <code>gravity</code> force in the <code>run()</code> method of each particle:</p>
<div class="snip-below snip-above">
<pre class="codesplit" data-code-language="javascript"> run() {
//{!2} Create a hardcoded vector and apply it as a force.
let gravity = createVector(0, 0.05);
this.applyForce(gravity);
this.update();
this.show();
}</pre>
</div>
<p>Id like to now consider a broader, more generic solution that will allow different forces to be applied to individual particles in a system. For example, what if I were to apply a force globally every time through <code>draw()</code> to all particles globally?</p>
<pre class="codesplit" data-code-language="javascript">function draw() {
background(255);
/* Apply a force to all particles? */
emitter.addParticle();
emitter.run();
}</pre>
<p>Well, it seems theres a small problem. The <code>applyForce()</code> method is written inside the <code>Particle</code> class, but theres no reference to the individual particles themselves, only to <code>emitter</code>, the <code>Emitter</code> object. Since I want all particles to receive the force, however, I can pass the force to the emitter and let it manage all the individual particles:</p>
<pre class="codesplit" data-code-language="javascript">function draw() {
background(255);
let gravity = createVector(0, 0.1);
//{!1} Apply a force to the emitter.
emitter.applyForce(gravity);
emitter.addParticle();
emitter.run();
}</pre>
<p>Of course, if I call an <code>applyForce()</code> method on the <code>Emitter</code> object in <code>draw()</code>, I then have to define that method in the <code>Emitter</code> class. In English, that method needs to be able to receive a force as a <code>p5.Vector</code> and apply that force to all the particles. Heres the translation into code:</p>
<pre class="codesplit" data-code-language="javascript"> applyForce(force) {
for (let particle of this.particles) {
particle.applyForce(force);
}
}</pre>
<p>It almost seems silly to write this method. The code is essentially saying, “Apply a force to a particle system so that the system can apply that force to all the individual particles.” Although this may sound a bit roundabout, this approach is quite reasonable. After all, the emitter is in charge of managing the particles, so if you want to talk to the particles, youve got to talk to them through their manager. (Also, heres a chance to use an enhanced <code>for...of</code> loop, since no particles are being deleted!)</p>
<p>Heres the full example, including this change. (The code assumes the existence of the <code>Particle</code> class written earlier; theres no need to show it again, since nothing has changed.)</p>
<div data-type="example">
<h3 id="example-46-a-particle-system-with-forces">Example 4.6: A Particle System with Forces</h3>
<figure>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/uZ9CfjLHL" data-example-path="examples/04_particles/4_6_particle_system_forces"><img src="examples/04_particles/4_6_particle_system_forces/screenshot.png"></div>
<figcaption></figcaption>
</figure>
</div>
<pre class="codesplit" data-code-language="javascript">let emitter;
function setup() {
createCanvas(640, 240);
emitter = new Emitter(createVector(width / 2, 20));
}
function draw() {
background(255);
//{!2} Apply a force to all particles.
<strong>let gravity = createVector(0, 0.1);
emitter.applyForce(gravity);</strong>
emitter.addParticle();
emitter.run();
}
class Emitter {
constructor(x, y) {
this.origin = createVector(x, y);
this.particles = [];
}
addParticle() {
this.particles.push(new Particle(this.origin.x, this.origin.y));
}
applyForce(force) {
// Use a <code>for...of</code> loop to apply the force to all particles.
for (let particle of this.particles) {
particle.applyForce(force);
}
}
run() {
// You cant use the enhanced loop because youre checking for particles to delete.
for (let i = this.particles.length - 1; i >= 0; i--) {
let particle = this.particles[i];
particle.run();
if (particle.isDead()) {
this.particles.splice(i, 1);
}
}
}
}</pre>
<p>While this example demonstrates a hardcoded gravity force, its worth considering how other forces from previous chapters, such as wind or drag, could come into play. You could also experiment with varying how and when forces are applied. Instead of a force acting on particles continuously every frame, what if a force only kicked in under certain conditions or at specific moments? A lot of room remains here for creativity and interactivity in the way you design your particle systems!</p>
<h2 id="particle-systems-with-repellers">Particle Systems with Repellers</h2>
<p>What if I want to take my code one step further and add a <code>Repeller</code> object—the inverse of the <code>Attractor</code> object covered in Chapter 2—that pushes away any particles that get too close? This requires a bit more sophistication than uniformly applying the gravity force, because the force the repeller exerts on a particular particle is unique and must be calculated separately for each particle (see Figure 4.6).</p>
<figure>
<img src="images/04_particles/04_particles_4.png" alt="Figure 4.6: A gravity force where vectors are all identical (left) and a repeller force where all vectors point in different directions (right)">
<figcaption>Figure 4.6: A gravity force where vectors are all identical (left) and a repeller force where all vectors point in different directions (right)</figcaption>
</figure>
<p>To incorporate a new <code>Repeller</code> object into a particle system sketch, Im going to need two major additions to the code:</p>
<ul>
<li>A <code>Repeller</code> object (declared, initialized, and displayed)</li>
<li>A method that passes the <code>Repeller</code> object into the particle emitter so that the repeller can apply a force to each particle object</li>
</ul>
<pre class="codesplit" data-code-language="javascript">let emitter;
// New thing: we declare a <code>Repeller</code> object.
<strong>let repeller;</strong>
function setup() {
createCanvas(640, 240);
emitter = new Emitter(width / 2, 50);
// New thing: we initialize a <code>Repeller</code> object.
<strong>repeller = new Repeller(width / 2 - 20, height / 2);</strong>
}
function draw() {
background(255);
emitter.addParticle();
let gravity = createVector(0, 0.1);
emitter.applyForce(gravity);
//{!1} New thing: a method to apply a force from a repeller
<strong>emitter.applyRepeller(repeller);</strong>
emitter.run();
// New thing: display the <code>Repeller</code> object.
<strong>repeller.show();</strong>
}</pre>
<p>Creating a <code>Repeller</code> object is easy; its a duplicate of the <code>Attractor</code> class from Example 2.6. Since this chapter doesnt involve the concept of <code>mass</code>, Ill add a property called <code>power</code> to the <code>Repeller</code>. This property can be used to adjust the strength of the repellent force:</p>
<pre class="codesplit" data-code-language="javascript">class Repeller {
constructor(x, y) {
// A <code>Repeller</code> doesnt move, so you just need position.
this.position = createVector(x, y);
// Instead of mass, use the concept of power to scale the repellent force.
this.power = 150;
}
show() {
stroke(0);
fill(127);
circle(this.position.x, this.position.y, 32);
}
}</pre>
<p>The more difficult task is writing the <code>applyRepeller()</code> method. Instead of passing a <code>p5.Vector</code> object as an argument, as with <code>applyForce()</code>, I need to pass a <code>Repeller</code> object into <code>applyRepeller()</code> and ask that method to do the work of calculating the force between the repeller and each particle. Take a look at both of these methods side by side:</p>
<table>
<tbody>
<tr>
<td>
<pre><code>applyForce(force) {
for (let particle of this.particles) {
particle.applyForce(force);
}
}</code></pre>
</td>
<td>
<pre><code>applyRepeller(repeller) {
for (let particle of this.particles) {
let force = repeller.repel(particle);
particle.applyForce(force);
}
}</code></pre>
</td>
</tr>
</tbody>
</table>
<p>These nearly identical methods have only two differences. I mentioned one of them before: the argument to <code>applyRepeller()</code> is a <code>Repeller</code> object, not a <code>p5.Vector</code> object. The second difference is the more important one: I must calculate a custom <code>p5.Vector</code> force for each and every particle and apply that force. How is that force calculated? In a <code>Repeller</code> class method called <code>repel()</code>, it is calculated as the inverse of the <code>attract()</code> method from the <code>Attractor</code> class:</p>
<pre class="codesplit" data-code-language="javascript"> // All the same steps to calculate an attractive force, only pointing in the opposite direction
repel(particle) {
// Step 1: Get the force direction.
let force = p5.Vector.sub(this.position, particle.position);
// Step 2: Get and constrain the distance.
let distance = force.mag();
distance = constrain(distance, 5, 50);
// Step 3: Calculate the magnitude, using a power variable for G.
let strength = -1 * this.power / (distance * distance);
// Step 4: Make a vector out of the direction and magnitude.
force.setMag(strength);
return force;
}</pre>
<p>Notice that throughout this entire process of adding a repeller to the environment, I never once considered editing the <code>Particle</code> class itself. A particle doesnt have to know anything about the details of its environment; it simply needs to manage its position, velocity, and acceleration, as well as have the ability to receive an external force and act on it.</p>
<p>Im now ready to write this example in its entirety, again leaving out the <code>Particle</code> class, which hasnt changed.</p>
<div data-type="example">
<h3 id="example-47-a-particle-system-with-a-repeller">Example 4.7: A Particle System with a Repeller</h3>
<figure>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/H4TMayNak" data-example-path="examples/04_particles/example_4_7_particle_system_with_repeller"><img src="examples/04_particles/example_4_7_particle_system_with_repeller/screenshot.png"></div>
<figcaption></figcaption>
</figure>
</div>
<pre class="codesplit" data-code-language="javascript">// One particle emitter
let emitter;
// One repeller
let repeller;
function setup() {
createCanvas(640, 240);
emitter = new Emitter(width / 2, 20);
repeller = new Repeller(width / 2, 200);
}
function draw() {
background(255);
emitter.addParticle();
// Apply a universal gravity.
let gravity = createVector(0, 0.1);
emitter.applyForce(gravity);
//{!1} Apply the repeller.
emitter.applyRepeller(repeller);
emitter.run();
repeller.show();
}
//{!1} The emitter manages all the particles.
class Emitter {
constructor(x, y) {
this.origin = createVector(x, y);
this.particles = [];
}
addParticle() {
this.particles.push(new Particle(this.origin.x, this.origin.y));
}
applyForce(force) {
// Apply a force as a <code>p5.Vector</code>.
for (let particle of this.particles) {
particle.applyForce(force);
}
}
applyRepeller(repeller) {
// Calculate a force for each particle based on a repeller.
for (let particle of this.particles) {
let force = repeller.repel(particle);
particle.applyForce(force);
}
}
run() {
for (let i = this.particles.length - 1; i >= 0; i--) {
let particle = this.particles[i];
particle.run();
if (particle.isDead()) {
this.particles.splice(i, 1);
}
}
}
}
class Repeller {
constructor(x, y) {
this.position = createVector(x, y);
// How strong is the repeller?
this.power = 150;
}
show() {
stroke(0);
fill(127);
circle(this.position.x, this.position.y, 32);
}
repel(particle) {
// {!2}
let force = p5.Vector.sub(this.position, particle.position);
let distance = force.mag();
// {.continue.bottom-align} This is the same repel algorithm from Chapter 2: forces based on gravitational attraction.
distance = constrain(distance, 5, 50);
let strength = -1 * this.power / (distance * distance);
force.setMag(strength);
return force;
}
}</pre>
<p>Notice the addition of the <code>power</code> variable in the <code>Repeller</code> class, which controls the strength of the repulsion force exerted. This property becomes especially interesting when you have multiple attractors and repellers, each with different power values. For example, strong attractors and weak repellers might result in particles clustering around the attractors, while more powerful repellers might reveal patterns reminiscent of paths or channels between them. These are hints of whats to come in <a href="/autonomous-agents#section-autonomous-agents">Chapter 5</a>, where Ill further explore the concept of a complex system.</p>
<div data-type="exercise">
<h3 id="exercise-49">Exercise 4.9</h3>
<p>Expand Example 4.7 to include multiple repellers and attractors. How might you use inheritance and polymorphism to create separate <code>Repeller</code> and <code>Attractor</code> classes without duplicating code?</p>
</div>
<div data-type="exercise">
<h3 id="exercise-410">Exercise 4.10</h3>
<p>Create a particle system in which each particle responds to every other particle. (Ill explain how to do this in detail in <a href="/autonomous-agents#section-autonomous-agents">Chapter 5</a>.)</p>
</div>
<h2 id="image-textures-and-additive-blending">Image Textures and Additive Blending</h2>
<p>Even though this book is almost exclusively focused on behaviors and algorithms rather than computer graphics and design, I dont think I would be able to live with myself if I finished a discussion of particle systems without presenting an example of texturing each particle with an image. After all, the way you render a particle is a key piece of the puzzle in designing certain types of visual effects. For example, compare the two smoke simulations shown in Figure 4.7.</p>
<figure>
<div class="col-list">
<div>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/Cq4knsBaA" data-example-path="examples/04_particles/figure_4_8_circles"><img src="examples/04_particles/figure_4_8_circles/screenshot.png"></div>
</div>
<div>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/hr2PwuoId" data-example-path="examples/04_particles/figure_4_8_image"><img src="examples/04_particles/figure_4_8_image/screenshot.png"></div>
</div>
</div>
<figcaption>Figure 4.7: White circles (left) and fuzzy images with transparency (right) </figcaption>
</figure>
<p>Both images were generated from identical algorithms. The only difference is that each particle is drawn as a plain white circle in the image on the left, whereas each particle is drawn as a fuzzy blob in the image on the right. Figure 4.8 shows the two kinds of particle textures.</p>
<figure>
<img src="images/04_particles/04_particles_5.png" alt="Figure 4.8: Two image textures: an all-white circle (left) and a fuzzy circle that fades out toward the edges (right)">
<figcaption>Figure 4.8: Two image textures: an all-white circle (left) and a fuzzy circle that fades out toward the edges (right)</figcaption>
</figure>
<p>Using an image to texture your particles can give you a lot of bang for very little buck in terms of the realism of the visual effect. Before you write any code, however, you have to make your image texture. I recommend using the PNG format, as p5.js will retain the alpha channel (transparency) when drawing the image, which is needed for blending the texture as particles are layered on top of one another. You can create these textures in numerous ways: you can indeed make them programmatically within p5.js (I include an example on the books website), but you can also use other open source or commercial graphics editing tools.</p>
<p>Once youve made a PNG and deposited it in your sketchs <em>data</em> folder, you need only a few extra lines of code.</p>
<div data-type="example">
<h3 id="example-48-an-image-texture-particle-system">Example 4.8: An Image-Texture Particle System</h3>
<figure>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/9c_CPrg3Bp" data-example-path="examples/04_particles/example_4_8_image_texture_system_smoke"><img src="examples/04_particles/example_4_8_image_texture_system_smoke/screenshot.png"></div>
<figcaption></figcaption>
</figure>
</div>
<p>First, declare a variable to store the image:</p>
<pre class="codesplit" data-code-language="javascript">let img;</pre>
<div class="avoid-break">
<p>Then, load the image in <code>preload()</code>:</p>
<pre class="codesplit" data-code-language="javascript">function preload() {
// Load the PNG.
img = loadImage("texture.png");
}</pre>
</div>
<p>Next, when it comes time to draw the particle, use the <code>img</code> variable instead of drawing a circle or rectangle:</p>
<pre class="codesplit" data-code-language="javascript"> show() {
imageMode(CENTER);
//{!1} Note that <code>tint()</code> is the image equivalent of a shapes <code>fill()</code>.
tint(255, this.lifespan);
image(img, this.position.x, this.position.y);
}</pre>
<p>This smoke example is also a nice excuse to revisit the Gaussian distributions from <a href="/random#a-normal-distribution-of-random-numbers" class="page-reference">“A Normal Distribution of Random Numbers”</a>. Instead of launching the particles in a purely random direction, which produces a fountain-like effect, the result will appear more smokelike if the initial velocity vectors cluster mostly around a mean value, with a lower probability of outlying velocities. Using the <code>randomGaussian()</code> function, the particle velocities can be initialized as follows:</p>
<pre class="codesplit" data-code-language="javascript"> let vx = randomGaussian(0, 0.3);
let vy = randomGaussian(-1, 0.3);
this.velocity = createVector(vx, vy);</pre>
<p>Finally, in this example Ive applied a wind force to the smoke, mapped from the mouses horizontal position:</p>
<pre class="codesplit" data-code-language="javascript">function draw() {
background(0);
//{!2} The wind force direction is based on <code>mouseX</code>.
let dx = map(mouseX, 0, width, -0.2, 0.2);
let wind = createVector(dx, 0);
emitter.applyForce(wind);
emitter.run();
emitter.addParticle();
}</pre>
<p>In addition to designing the texture, you should consider its resolution. Rendering a large number of high-resolution textures can significantly impair performance, especially if the code has to resize them dynamically. The ideal scenario for optimal speed is to size the texture precisely to the resolution you intend to draw the particles in the canvas. If you want particles of varying sizes, then ideally you should create the texture at the maximum size of any particle.</p>
<div data-type="exercise">
<h3 id="exercise-411">Exercise 4.11</h3>
<p>Try creating other textures for different types of effects. Can you make your particle system look like fire instead of smoke?</p>
</div>
<div data-type="exercise">
<h3 id="exercise-412">Exercise 4.12</h3>
<p>Use an array of images and assign each <code>Particle</code> object a different image. Multiple particles will be drawing the same image, so make sure you dont call <code>loadImage()</code> any more than you need to. (Once for each image file is enough!)</p>
</div>
<p>Finally, its worth noting that many algorithms can be used to blend colors in computer graphics. These are often referred to as <strong>blend modes</strong>. Normally, when you draw something on top of something else in p5.js, you see only the top layer—this is the default “blend” behavior of not blending at all. Meanwhile, when pixels have alpha transparency values (as they do in the smoke example), p5.js automatically uses an alpha compositing algorithm that combines a percentage of the background pixels with the new foreground pixels, based on those alpha values themselves.</p>
<p>However, drawing with other blend modes is possible. For example, a much-loved technique for particle systems is <strong>additive blending</strong>. This mode was pioneered by Robert Hodgin in his classic particle system and forces exploration, <a href="https://roberthodgin.com/project/magnetosphere">Magnetosphere</a>, which later became the visualizer for early versions of iTunes, displaying sound-responsive, animated visuals.</p>
<p>Additive blending is a simple blend algorithm that adds the pixel values of one layer to another, capping all values at 255. This results in a space-age glow effect, with the colors getting brighter and brighter as more layers are added together.</p>
<div data-type="example">
<h3 id="example-49-additive-blending">Example 4.9: Additive Blending</h3>
<figure>
<div data-type="embed" data-p5-editor="https://editor.p5js.org/natureofcode/sketches/fUCtCcOtB" data-example-path="examples/04_particles/noc_4_08_particle_system_smoke_webgl"><img src="examples/04_particles/noc_4_08_particle_system_smoke_webgl/screenshot.png"></div>
<figcaption></figcaption>
</figure>
</div>
<p>Before you start drawing anything, set the blend mode by using <code>blendMode()</code>:</p>
<pre class="codesplit" data-code-language="javascript">function draw() {
// Use additive blending.
blendMode(ADD);
// Call <code>clear()</code>, since the background is added and doesnt cover what was previously drawn.
clear();
//{!1} The glowing effect of additive blending wont work with a white (or very bright) background.
background(0);
let dx = map(mouseX, 0, width, -0.2, 0.2);
let wind = createVector(dx, 0);
emitter.applyForce(wind);
emitter.run();
// Instead of adding just one particle per cycle, this example adds three to further layer the effect.
for (let i = 0; i &#x3C; 3; i++) {
emitter.addParticle();
}
}</pre>
<p>Additive blending and particle systems provide an opportunity to discuss renderers in computer graphics. A <strong>renderer</strong> is the part of the code thats responsible for drawing on the screen. The p5.js librarys default renderer, which youve so far been using without realizing it, is built on top of the standard 2D drawing and animation renderer included in modern web browsers. However, an additional rendering option called <code>WEBGL</code> is available. WebGL, which stands for <em>Web Graphics Library</em>, is a browser-based high-performance renderer for both 2D and 3D graphics. It utilizes additional features available from your computers graphics card. To enable it, add a third argument to <code>createCanvas()</code>:</p>
<pre class="codesplit" data-code-language="javascript">function setup() {
// Enable the WebGL renderer.
createCanvas(640, 240, WEBGL);
}</pre>
<p>Typically, the WebGL renderer is necessary only if youre drawing 3D shapes in your p5.js sketch. However, even for 2D sketches, the WebGL renderer can be useful in some cases—depending on your computers hardware and the specific details of your sketch, it can significantly improve drawing performance. A particle system (especially one with additive blending enabled) is exactly one of these scenarios where many more particles can be drawn without slowing the sketch in <code>WEBGL</code> mode. Keep in mind that <code>WEBGL</code> mode changes the origin point for drawing, making <code>(0,0)</code> the center of the canvas rather than the top-left corner. <code>WEBGL</code> mode also changes the way some functions behave, and it may alter the quality of the rendering. Additionally, some older devices or browsers dont support WebGL, though such instances are rare. You can learn more in the <a href="https://thecodingtrain.com/webgl">WebGL videos at the Coding Train website</a>.</p>
<div data-type="exercise">
<h3 id="exercise-413">Exercise 4.13</h3>
<p>In Example 4.9, three particles are added with a <code>for</code> loop each time through <code>draw()</code> to create a more layered effect. A better solution would be to modify the <code>addParticle()</code> method to accept an argument—for example, <code>addParticle(3)</code>, to determine the number of particles to add. Fill in the new method definition here. How might it default to one particle if no value is provided?</p>
<pre class="codesplit" data-code-language="javascript"> addParticle(<span class="blank">amount = 1</span>) {
<span class="blank">for (let i = 0; i &#x3C; amount; i++) {
</span> this.particles.push(new Particle(this.origin.x, this.origin.y));
<span class="blank">}</span>
}</pre>
<p></p>
</div>
<div data-type="exercise">
<h3 id="exercise-414">Exercise 4.14</h3>
<p>Use <code>tint()</code> in combination with additive blending to create a rainbow effect. What happens if you try blending with other modes, such as <code>SUBTRACT</code>, <code>LIGHTEST</code>, <code>DARKEST</code>, <code>DIFFERENCE</code>, <code>EXCLUSION</code>, or <code>MULTIPLY</code>?</p>
</div>
<div data-type="project">
<h3 id="the-ecosystem-project-5">The Ecosystem Project</h3>
<p>Take your creature from Chapter 3 and build a system of creatures. How do they interact with one another? Can you use inheritance and polymorphism to create a variety of creatures, derived from the same codebase? Develop a methodology for the way they compete for resources (for example, food). Can you track a creatures health much like a particles life span, removing creatures when appropriate? What rules can you incorporate to control the way creatures are born into the system?</p>
<p>Also, you might consider using a particle system in the design of a creature. What happens if an emitter is tied to the creatures position?</p>
<figure>
<img src="images/04_particles/04_particles_6.png" alt="">
<figcaption></figcaption>
</figure>
</div>
</section>