Advertisement
  1. Code
  2. JavaScript

ActionScript 3.0 Optimization: A Practical Example

Scroll to top
Read Time: 29 min

Code optimization aims to maximize the performance of your Flash assets, while using as little of the system's resources - RAM and CPU - as possible. In this tutorial, starting off with a working but resource-hogging Flash app, we will gradually apply many optimization tweaks to its source code, finally ending up with a faster, leaner SWF.


Final Result Preview

Let's take a look at the final result we will be working towards:

Note that the "Memory Used" and "CPU Load" stats are based on all the SWFs you have open across all browser windows, including Flash banner ads and the like. This may make the SWF appear more resource intensive than it actually is.


Step 1: Understanding the Flash Movie

The Flash movie has two main elements: a particle simulation of fire, and a graph showing the animation's resource consumption over time. The graph's pink line tracks the total memory consumed by the movie in megabytes, and the green line plots CPU load as a percentage.

ActionScript objects take up most of the memory allocated to the Flash Player, and the more ActionScript objects a movie contains, the higher its memory consumption. In order to keep a program's memory consumption low, the Flash Player regularly does some garbage collection by sweeping through all ActionScript objects and releasing from memory those no longer in use.

A memory consumption graph normally reveals a hilly up-down pattern, dipping each time garbage collection is performed, then slowly rising as new objects are created. A graph line that's only going up points to a problem with garbage collection, as it means new objects are being added to memory, while none are being removed. If such a trend continues, the Flash player may eventually crash as it runs out of memory.

The CPU load is calculated by tracking the movie's frame rate. A Flash movie's frame rate is much like its heartbeat. With each beat, the Flash Player updates and renders all on-screen elements and also runs any required ActionScript tasks.

It is the frame rate that determines how much time Flash Player should spend on each beat, so a frame rate of 10 frames per second (fps) means at least 100 milliseconds per beat. If all the required tasks are performed within that time, then Flash Player will wait for the remaining time to pass before moving on to the next beat. On the other hand, if the required tasks in a particular beat are too CPU intensive to be completed within the given time frame, then the frame rate automatically slows down to allow for some extra time. Once the load lightens, the frame rate speeds up again, back to the set rate.

(The frame rate may also be automatically throttled down to 4fps by the Flash Player when the program's parent window looses focus or goes offscreen. This is done to conserve system resources whenever the user's attention is focused elsewhere.)

What this all means is that there are actually two kinds of frame rates: the one you originally set and hope your movie always runs at, and the one it actually runs at. We'll call the one set by you the target frame rate, and the one it actually runs at the actual frame rate.

The graph's CPU load is calculated as a ratio of actual to target frame rate. The formula used to calculate this is:

CPU load = ( target frame rate - actual frame rate ) / actual frame rate * 100

For example, if the target frame rate is set to 50fps but the movie actually runs at 25fps, the CPU load will be 50% - that is, ( 50 - 25 )/ 50 * 100.

Please note that this is not the actual percentage of system CPU resources used by the running movie, but rather a rough estimate of the actual value. For the optimization process outlined here, this estimate is a good enough metric for the task at hand. To get the actual CPU usage, use the tools provided by your operating system, e.g. the Task Manager in Windows. Looking at mine it right now, it shows the unoptimized movie is using 53% of CPU resources, while the movie's graph shows a CPU load of 41.7%.

a screenshot of Flames.swf after all the steps above have been applied.a screenshot of Flames.swf after all the steps above have been applied.a screenshot of Flames.swf after all the steps above have been applied.

PLEASE NOTE: All the movie screenshots in this tutorial were taken from the standalone version of Flash Player. The graph will most likely show different numbers on your system, depending on your operating system, browser, and Flash Player version. Having any other currently running Flash apps in different browser windows or flash players may also affect the memory use reported by some systems. When analyzing the perfomance of your program, always ensure that no other Flash programs are running as they may corrupt your metrics.

With the CPU load, expect it to shoot up to over 90% whenever the movie goes off screen - for example if you switch to another browser tab or scroll down the page. The lower frame rate that causes this will not be caused by CPU intensive tasks, but by Flash throttling down the frame rate whenever you look elsewhere. Whenever this happens, wait a few seconds for the CPU load graph to settle to its proper CPU load values after the normal frame rate kicks in.


Step 2: Does This Code Make My Flash Look Fat?

The movie's source code is shown below and contains just one class, named Flames, which is also the document class. The class contains a set of properties to keep track of the movie's memory and CPU load history, which is then used to draw a graph. The memory and CPU load statistics are calculated and updated in the Flames.getStats() method, and the graph is drawn by calling Flames.drawGraph() on each frame. To create the fire effect, the Flames.createParticles() method first generates hundreds of particles each second, which are stored in the fireParticles array. This array is then looped through by Flames.drawParticles() , which uses each particle's properties to create the effect.

Take some time to study the Flames class. Can you already spot any quick changes that will go a long way in optimizing the program?

1
 
2
3
package com.pjtops{
4
import flash.display.MovieClip;
5
import flash.events.Event;
6
import fl.motion.Color;
7
import flash.geom.Point;
8
import flash.geom.Rectangle;
9
import flash.text.TextField;
10
import flash.system.System;
11
import flash.utils.getTimer;
12
13
public class Flames extends MovieClip{
14
15
	private var memoryLog = new Array(); // stores System.totalMemory values for display in the graph

16
	private var memoryMax = 0; // the highest value of System.totalMemory recorded so far

17
	private var memoryMin = 0;	// the lowest value of System.totalMemory recorded so far	

18
	private var memoryColor; // the color used by text displaying memory info

19
	
20
	private var ticks = 0; // counts the number of times getStats() is called before the next frame rate value is set

21
	private var frameRate = 0;	//the original frame rate value as set in Adobe Flash	

22
	private var cpuLog = new Array(); // stores cpu values for display in the graph

23
	private var cpuMax = 0; // the highest cpu value recorded so far

24
	private var cpuMin = 0; // the lowest cpu value recorded so far	

25
	private var cpuColor;	// the color used by text displaying cpu	

26
	private var cpu; // the current calculated cpu use	

27
28
	private var lastUpdate = 0; // the last time the framerate was calculated

29
	private var sampleSize = 30; // the length of memoryLog & cpuLog

30
	private var graphHeight;
31
	private var graphWidth;
32
33
	private var fireParticles = new Array(); // stores all active flame particles

34
	private var fireMC = new MovieClip(); // the canvas for drawing the flames

35
	private var palette = new Array(); // stores all available colors for the flame particles

36
	private var anchors = new Array(); // stores horizontal points along fireMC which act like magnets to the particles

37
	private var frame; // the movieclips bounding box

38
	
39
	// class constructor. Set up all the events, timers and objects

40
	public function Flames() {	
41
		addChildAt( fireMC, 1 );
42
		frame = new Rectangle( 2, 2, stage.stageWidth - 2, stage.stageHeight - 2 );
43
		
44
		var colWidth = Math.floor( frame.width / 10 );
45
		for( var i = 0; i < 10; i++ ){
46
			anchors[i] = Math.floor( i * colWidth );
47
		}
48
		
49
		setPalette();
50
51
		memoryColor = memoryTF.textColor;
52
		cpuColor = cpuTF.textColor;
53
		graphHeight = graphMC.height;
54
		graphWidth = graphMC.width;
55
		
56
		frameRate = stage.frameRate;
57
		
58
		addEventListener( Event.ENTER_FRAME, drawParticles );
59
		addEventListener( Event.ENTER_FRAME, getStats );
60
		addEventListener( Event.ENTER_FRAME, drawGraph );
61
	}
62
	
63
	//creates a collection of colors for the flame particles, and stores them in palette

64
	private function setPalette(){
65
		var black = 0x000000;
66
		var blue = 0x0000FF;
67
		var red = 0xFF0000;
68
		var orange = 0xFF7F00;
69
		var yellow = 0xFFFF00;
70
		var white = 0xFFFFFF;		 		
71
		palette = palette.concat( getColorRange( black, blue, 10 ) );
72
		palette = palette.concat( getColorRange( blue, red, 30 ) );
73
		palette = palette.concat( getColorRange( red, orange, 20 ) );
74
		palette = palette.concat( getColorRange( orange, yellow, 20 ) );	
75
		palette = palette.concat( getColorRange( yellow, white, 20 ) );	
76
	}
77
	
78
	//returns a collection of colors, made from different mixes of color1 and color2

79
	private function getColorRange( color1, color2, steps){
80
		var output = new Array();			
81
		for( var i = 0; i < steps; i++ ){
82
			var progress = i / steps;
83
			var color = Color.interpolateColor( color1, color2, progress );
84
			output.push( color );			
85
		}			
86
		return output;		
87
	}
88
	
89
	// calculates statistics for the current state of the application, in terms of memory used and the cpu %

90
	private function getStats( event ){
91
		ticks++;
92
		var now = getTimer();
93
		
94
		if( now - lastUpdate < 1000 ){			
95
			return;
96
		}else {
97
			lastUpdate = now;
98
		}
99
		
100
		
101
		cpu = 100 - ticks / frameRate * 100; 
102
		cpuLog.push( cpu );
103
		ticks = 0;
104
		cpuTF.text = cpu.toFixed(1) + '%';
105
		if( cpu > cpuMax ){
106
			cpuMax = cpu;
107
			cpuMaxTF.text = cpuTF.text;			
108
		}
109
		if( cpu < cpuMin || cpuMin == 0 ){
110
			cpuMin = cpu;
111
			cpuMinTF.text = cpuTF.text;	
112
		}
113
				
114
		
115
		var memory = System.totalMemory / 1000000; 
116
		memoryLog.push( memory );
117
		memoryTF.text = String( memory.toFixed(1) ) + 'mb';
118
		if( memory > memoryMax ){
119
			memoryMax = memory;
120
			memoryMaxTF.text = memoryTF.text;			
121
		}
122
		if( memory < memoryMin || memoryMin == 0 ){
123
			memoryMin = memory;
124
			memoryMinTF.text = memoryTF.text;	
125
		}		
126
	}
127
	
128
	//render's a graph on screen, that shows trends in the applications frame rate and memory consumption

129
	private function drawGraph( event ){
130
		graphMC.graphics.clear();
131
		var ypoint, xpoint;
132
		var logSize = memoryLog.length; 
133
		
134
		if( logSize > sampleSize ){
135
			memoryLog.shift();
136
			cpuLog.shift();
137
			logSize = sampleSize;
138
		}
139
		var widthRatio = graphMC.width / logSize;	
140
		
141
		graphMC.graphics.lineStyle( 3, memoryColor, 0.9 );				
142
		var memoryRange = memoryMax - memoryMin;
143
		for( var i = 0; i < memoryLog.length; i++ ){
144
			ypoint = ( memoryLog[i] - memoryMin ) / memoryRange * graphHeight;
145
			xpoint = (i / sampleSize) * graphWidth; 
146
			if( i == 0 ){
147
				graphMC.graphics.moveTo(  xpoint, -ypoint ); 
148
				continue;
149
			}
150
			graphMC.graphics.lineTo( xpoint, -ypoint );			
151
		}
152
		
153
		graphMC.graphics.lineStyle( 3, cpuColor, 0.9 );			
154
		for( var j = 0; j < cpuLog.length; j++ ){
155
			ypoint = cpuLog[j] / 100 * graphHeight; 
156
			xpoint = ( j / sampleSize ) * graphWidth; 
157
			if( j == 0 ){
158
				graphMC.graphics.moveTo(  xpoint, -ypoint ); 
159
				continue;
160
			}
161
			graphMC.graphics.lineTo( xpoint, -ypoint );			
162
		}		
163
	}
164
	
165
	//renders each flame particle and updates it's values

166
	private function drawParticles( event ) {
167
		createParticles( 20 ); 
168
	
169
		fireMC.graphics.clear();
170
		for ( var i in fireParticles ) { 
171
			var particle = fireParticles[i]; 
172
			
173
			if (particle.life == 0 ) {
174
				delete( fireParticles[i] );
175
				continue;					
176
			}
177
			
178
			var size = Math.floor( particle.size * particle.life/100 ); 
179
			var color = palette[ particle.life ];
180
			var transperency = 0.3;								
181
			
182
			if( size < 3 ){
183
				size *= 3;
184
				color = 0x333333;
185
				particle.x += Math.random() * 8 - 4;
186
				particle.y -= 2;
187
				transperency = 0.2; 			
188
			}else {					
189
				particle.y = frame.bottom - ( 100 - particle.life );
190
				
191
				if( particle.life > 90 ){
192
					size *= 1.5;
193
				}else if( particle.life > 45){
194
					particle.x += Math.floor( Math.random() * 6 - 3 );						
195
					size *= 1.2;
196
				}else {				
197
					transperency = 0.1;
198
					size *= 0.3;
199
					particle.x += Math.floor( Math.random() * 4 - 2 );
200
				}			
201
			}				
202
			 
203
			fireMC.graphics.lineStyle( 5, color, 0.1 );
204
			fireMC.graphics.beginFill( color, transperency );
205
			fireMC.graphics.drawCircle( particle.x, particle.y, size );
206
			fireMC.graphics.endFill();			
207
			particle.life--;			
208
		}		
209
	}
210
211
	//generates flame particle objects

212
	private function createParticles( count ){
213
		var anchorPoint = 0;
214
		for(var i = 0; i < count; i++){
215
			var particle = new Object();
216
			particle.x = Math.floor( Math.random() * frame.width / 10 ) + anchors[anchorPoint];
217
			particle.y = frame.bottom;
218
			particle.life = 70 + Math.floor( Math.random() * 30 ); 
219
			particle.size = 5 + Math.floor( Math.random() * 10 ); 
220
			fireParticles.push( particle );	
221
			
222
			if(particle.size > 12){
223
				particle.size = 10;
224
			}
225
			particle.anchor = anchors[anchorPoint] + Math.floor( Math.random() * 5 );
226
			
227
			anchorPoint = (anchorPoint == 9)? 0 : anchorPoint + 1;
228
		}		
229
	}
230
	
231
}
232
}

It's a lot to take in, so don't worry - we'll go through the various improvements in the rest of this tutorial.


Step 3: Use Strong Typing by Assigning Data Types to All Variables

The first change we'll make to the class is to specify the data type of all declared variables, method parameters, and method return values.

For example, changing this

1
2
protected var memoryLog = new Array(); 
3
protected var memoryMax = 0; // yes, but what exactly are you?

to this.

1
2
protected var memoryLog:Array = new Array(); 
3
protected var memoryMax:Number = 0; // memoryMax the Number, much better!

Whenever declaring variables, always specify the data type, as this allows the Flash compiler to perform some extra optimizations when generating the SWF file. This alone can lead to big performance improvements, as we'll soon see with our example. Another added benefit of strong typing is that the compiler will catch and alert you of any data-type related bugs.


Step 4: Examine Results

a screenshot of Flames.swf after all the steps above have been applied.a screenshot of Flames.swf after all the steps above have been applied.a screenshot of Flames.swf after all the steps above have been applied.

This screen shot shows the new Flash movie, after applying strong typing. We can see that while it's had no effect on the current or maximum CPU load, the minimum value has dropped from 8.3% to 4.2%. The maximum memory consumed has gone down from 9MB to 8.7MB.

The slope of the graph's memory line has also changed, compared to the one shown in Step 2. It still has the same jagged pattern, but now drops and rises at a slower rate. This is a good thing, if you consider that the sudden drops in memory consumption are caused by Flash Player's garbage collection, which is usually triggered when allocated memory is about to run out. This garbage collection can be an expensive operation, since Flash Player has to traverse through all the objects, looking for those that are no longer needed but still taking up memory. The less often it has to do this, the better.


Step 5: Efficiently Store Numeric Data

Actionscript provides three numeric data types: Number , uint and int . Of the three types, Number consumes the most memory as it can store larger numeric values than the other two. It is also the only type able to store numbers with decimal fractions.

The Flames class has many numeric properties, all of which use the Number data type. As int and uint are more compact data types, we can save some memory by using them instead of Numbers in all situations where we don't need decimal fractions.

A good example is in loops and Array indexes, so for example we are going to change

1
2
for( var i:Number = 0; i < 10; i++ ){
3
	anchors[i] = Math.floor( i * colWidth );
4
}

into

1
2
for( var i:int = 0; i < 10; i++ ){
3
	anchors[i] = Math.floor( i * colWidth );
4
}

The properties cpu , cpuMax and memoryMax will remain Numbers, as they will most likely store fractional data, while memoryColor , cpuColor and ticks can be changed to uints, as they will always store positive, whole numbers.


Step 6: Minimize Method Calls

Method calls are expensive, especially calling a method from a different class. It gets worse if that class belongs to a different package, or is a static method. The best example here is the Math.floor() method, used throughout the Flames class to roundoff fractional numbers. This method call can be avoided by using uints instead of Numbers to store whole numbers.

1
2
// So instead of having:

3
anchors[i] = Math.floor( i * colWidth );
4
// we instead cast the value to a uint

5
anchors[i] = uint( i * colWidth );
6
7
8
// The same optimization can be performed by simply assigning the uint data type, for example changing

9
var size:uint = Math.floor( particle.size * particle.life/100 );
10
// into 

11
var size:uint = particle.size * particle.life/100;

In the example above, the call to Math.floor() is unnecessary, since Flash will automatically round off any fractional number value assigned to a uint.


Step 7: Multiplication Is Faster Than Division

Flash Player apparently finds multiplication easier than division, so we'll go through the Flames class and convert any division math into the equivalent multiplication math. The conversion formula involves getting the reciprocal of the number on the right side of the operation, and multiplying it with the number on the left. The reciprocal of a number is calculated by dividing 1 by that number.

1
2
var colWidth:uint = frame.width / 10; //division by ten

3
var colWidth:uint = frame.width * 0.1; //produces the same result as multiplication by 0.1

Lets take a quick look at the results of our recent optimization efforts. The CPU load has finally improved by dropping from 41.7% to 37.5%, but the memory consumption tells a different story. Maximum memory has risen to 9.4MB, the highest level yet, and the graph's sharp, saw-tooth edges shows that garbage collection is being run more often again. Some optimization techniques will have this inverse effect on memory and CPU load, improving one at the expense of the other. With memory consumption almost back to square one, a lot more work still needs to be done.

a screenshot of Flames.swf after all the steps above have been applied.a screenshot of Flames.swf after all the steps above have been applied.a screenshot of Flames.swf after all the steps above have been applied.

Step 8: Recycling Is Good for the Environment

You too can play your part in saving the environment. Recycle your objects when writing your AS3 code reduce the amount of energy consumed by your programs. Both the creation and destruction of new objects are expensive operations. If your program is constantly creating and destroying objects of the same type, big performance gains can be achieved by recycling those objects instead. Looking at the Flames class, we can see that a lot of particle objects are being created and destroyed every second:

1
2
private function drawParticles( event ):void {
3
	createParticles( 20 ); 
4
5
	fireMC.graphics.clear();
6
	for ( var i:* in fireParticles ) { 
7
		var particle:Object = fireParticles[i]; 
8
		
9
		if (particle.life == 0 ) {
10
			delete( fireParticles[i] );
11
			continue;					
12
		}

There are many ways to recycle objects, most involve creating a second variable to store unneeded objects instead of deleting them. Then when a new object of the same type is required, it is retrieved from the store instead of creating a new one. New objects are only created when the store is empty. We are going to do something similar with the particle objects of the Flames class.

First, we create a new array called inactiveFireParticles[] , which stores references to particles whose life property is zero (dead particles). In the drawParticles() method, instead of deleting a dead particle, we add it to the inactiveFireParticles[] array.

1
2
private function drawParticles( event ):void {
3
	createParticles( 20 ); 
4
5
	fireMC.graphics.clear();
6
	for ( var i:* in fireParticles ) { 
7
		var particle:Object = fireParticles[i]; 
8
		
9
		if( particle.life <= 0 ) {
10
			if( particle.life == 0 ){
11
				particle.life = -1;
12
				inactiveFireParticles.push( particle );
13
			}
14
			continue;					
15
		}

Next, we modify the createParticles() method to first check for any stored particles in the inactiveFireParticles[] array, and use them all before creating any new particles.

1
2
private function createParticles( count ):void{
3
	var anchorPoint = 0;
4
	for(var i:uint = 0; i < count; i++){
5
	
6
		var particle:Object;
7
		if( inactiveFireParticles.length > 0 ){ 
8
			particle = inactiveFireParticles.shift();
9
		}else {
10
			particle = new Object(); 
11
			fireParticles.push( particle );					
12
		}				
13
		
14
		particle.x = uint( Math.random() * frame.width * 0.1 ) + anchors[anchorPoint];
15
		particle.y = frame.bottom;
16
		particle.life = 70 + uint( Math.random() * 30 ); 
17
		particle.size = 5 + uint( Math.random() * 10 );
18
		
19
		if(particle.size > 12){
20
			particle.size = 10;
21
		}
22
		particle.anchor = anchors[anchorPoint] + uint( Math.random() * 5 );
23
		
24
		anchorPoint = (anchorPoint == 9)? 0 : anchorPoint + 1;
25
	}		
26
}

Step 9: Use Object and Array Literals Whenever Possible

When creating new objects or arrays, using the literal syntax is faster than using the new operator.

1
2
private var memoryLog:Array = new Array(); // array created using the new operator

3
private var memoryLog:Array = []; // array created using the faster array literal

4
5
particle = new Object(); // object created using the new operator

6
particle = {}; // object created using the faster object literal

Step 10: Avoid Using Dynamic Classes

Classes in ActionScript can either be sealed or dynamic. They're sealed by default, meaning the only properties and methods an object derived from it can have must have been defined in the class. With dynamic classes, new properties and methods can be added at runtime. Sealed classes are more efficient than dynamic classes, because some Flash Player performance optimizations can be done when all the possible functionality that a class can ever have are known beforehand.

Within the Flames class, the thousands of particles extend the built-in Object class, which is dynamic. Since no new properties need to be added to a particle at runtime, we'll save up more resources by creating a custom sealed class for the particles.

Here is the new Particle, which has been added to the same Flames.as file.

1
2
class Particle{
3
	public var x:uint;
4
	public var y:uint;
5
	public var life:int;
6
	public var size:Number;	
7
	public var anchor:uint;
8
}

The createParticles () method will also be adjusted, changing the line

1
2
var particle:Object;
3
particle = {};

to instead read:

1
2
var particle:Particle;
3
particle = new Particle();

Step 11: Use Sprites When You Don't Need the Timeline

Like the Object class, MovieClips are dynamic classes. The MovieClip class inherits from the Sprite class, and the main difference between the two is that MovieClip has a timeline. Since Sprites have all the functionality of MovieClips minus the timeline, use them whenever you need a DisplayObject that does not need the timeline. The Flames class extends the MovieClip but it does not use the timeline, as all its animation is controlled through ActionScript. The fire particles are drawn on fireMC , which is also a MovieClip that does not make use of its timeline.

We change both Flames and fireMC to extend Sprite instead, replacing:

1
2
import flash.display.MovieClip;
3
private var fireMC:MovieClip = new MovieClip(); 
4
public class Flames extends MovieClip{

with

1
2
import flash.display.Sprite;
3
private var fireMC:Sprite = new Sprite(); 
4
public class Flames extends Sprite{

Step 12: Use Shapes Instead of Sprites When You Don't Need Child Display Objects or Mouse Input

The Shape class is even lighter than the Sprite class, but it cannot support mouse events or contain child display objects. As the fireMC requires none of this functionality, we can safely turn it into a Shape.

1
2
import flash.display.Shape;
3
private var fireMC:Shape = new Shape();
a screenshot of Flames.swf after all the steps above have been applied.a screenshot of Flames.swf after all the steps above have been applied.a screenshot of Flames.swf after all the steps above have been applied.

The graph shows big improvements in memory consumption, with it dropping and remaining stable at 4.8MB. The saw-tooth edges have been replaced by an almost straight horizontal line, meaning garbage collection is now rarely run. But the CPU load has mostly gone back again to its original high level of 41.7%.


Step 13: Avoid Complex Calculations Inside Loops

They say over 50% of a program's time is spent running 10% of its code, and most of that 10% is most likely to be taken up by loops. Many loop optimization techniques involve placing as much of the CPU intensive operations outside the body of a loop. These operations include object creation, variable lookups and calculations.

1
2
for( var i = 0; i < memoryLog.length; i++ ){
3
	// loop body

4
}

The first loop in the drawGraph() method is shown above. The loop runs through every item of the memoryLog array, using each value to plot points on the graph. At the start of each run, it looks up the length of the memoryLog array and compares it with the loop counter. If the memoryLog array has 200 items, the loop runs 200 times, and performs this same lookup 200 times. Since the length of memoryLog does not change, the repeated lookups are wasteful and unnecessary. It's better to look up the value of memoryLog.length just once before the lookup begins and store it in a local variable, since accessing a local variable will be faster than accessing an object's property.

1
2
var memoryLogLength:uint = memoryLog.length;
3
for( var i = 0; i < memoryLogLength; i++ ){
4
	// loop body

5
}

In the Flames class, we adjust the two loops in the drawGraph() method as shown above.


Step 14: Place Conditional Statements Most Likely to Be True First

Consider the block of if..else conditionals below, derived from the drawParticles () method:

1
2
if( particle.life > 90 ){ // a range of 10 values, between 91 - 100

3
	size *= 1.5;
4
}else if( particle.life > 45){ // a range of 45 values, between 46 - 90

5
	particle.x += Math.random() * 6 - 3;						
6
	size *= 1.2;
7
}else {	// a range of 45 values, values between 0 - 45			

8
	transperency = 0.1;
9
	size *= 0.3;
10
	particle.x += Math.random() * 4 - 2;
11
}

A particle's life value can be any number between 0 and 100. The if clause tests whether the current particle's life is between 91 to 100, and if so it executes the code within that block. The else-if clause tests for a value between 46 and 90, while the else clause takes the remaining values, those between 0 and 45. Considering the first check is also the least likely to succeed as it has the smallest range of numbers, it should be the last condition tested. The block is rewritten as shown below, so that the most likely conditions are evaluated first, making the evaluations more efficient.

1
2
if( particle.life < 46 ){			
3
	transperency = 0.1;
4
	size *= 0.3;
5
	particle.x += Math.random() * 4 - 2;
6
}else if( particle.life < 91 ){
7
	particle.x += Math.random() * 6 - 3;						
8
	size *= 1.2;
9
}else {
10
	size *= 1.5;	
11
}

Step 15: Add Elements to the End of an Array Without Pushing

The method Array.push() is used quite a lot in the Flames class. It will be replaced by a faster technique that uses the array's length property.

1
2
cpuLog.push( cpu ); // slow and pretty

3
cpuLog[ cpuLog.length ] = cpu; // fast and ugly

When we know the length of the array, we can replace Array.push() with an even faster technique, as shown below.

1
2
var output:Array = [];	//output is a new, empty array. Its length is 0		

3
for( var i:uint = 0; i < steps; i++ ){ // the value of i also starts at zero. Each loop cycle increases both i and output.length by one

4
	var progress:Number = i / steps;
5
	var color:uint = Color.interpolateColor( color1, color2, progress );
6
	output[i] = color;	// faster than cpuLog[ cpuLog.length ] = cpu;	

7
}

Step 16: Replace Arrays With Vectors

The Array and Vector classes are very similar, except for two major differences: Vectors can only store objects of the same type, and they're more efficient and faster than arrays. Since all the arrays in the Flames class either store variables of only one type - ints, uints or Particles, as required - we shall convert them all to Vectors.

These arrays:

1
2
private var memoryLog:Array = [];
3
private var cpuLog:Array = []; 
4
private var fireParticles:Array = []; 
5
private var palette:Array = []; 
6
private var anchors:Array = [];
7
private var inactiveFireParticles:Array = [];

...are replaced with their Vector equivalents:

1
2
private var memoryLog:Vector.<Number> = new Vector.<Number>();
3
private var cpuLog:Vector.<Number> = new Vector.<Number>(); 
4
private var fireParticles:Vector.<Particle> = new Vector.<Particle>(); 
5
private var palette:Vector.<uint> = new Vector.<uint>(); 
6
private var anchors:Vector.<uint> = new Vector.<uint>();
7
private var inactiveFireParticles:Vector.<Particle> = new Vector.<Particle>();

Then we modify the getColorRange() method to work with Vectors rather than arrays.

1
2
private function getColorRange( color1, color2, steps):Vector.<uint>{
3
	var output:Vector.<uint> =  new Vector.<uint>();			
4
	for( var i:uint = 0; i < steps; i++ ){
5
		var progress:Number = i / steps;
6
		var color:uint = Color.interpolateColor( color1, color2, progress );
7
		output[i] = color;			
8
	}			
9
	return output;		
10
}

Step 17: Use the Event Model Sparingly

While very convenient and handy, the AS3 Event Model is built on top of an elaborate setup of event listeners, dispatchers and objects; then there is event propagation and bubbling and much more, all of which a book can be written about. Whenever possible, always call a method directly rather than through the event model.

1
2
addEventListener( Event.ENTER_FRAME, drawParticles );
3
addEventListener( Event.ENTER_FRAME, getStats );
4
addEventListener( Event.ENTER_FRAME, drawGraph );

The Flames class has three event listeners calling three different methods, and all bound to the ENTER_FRAME event. In this case, we can keep the first event listener and get rid of the other two, then have the drawParticles () method call getStats() , which in turn calls drawGraph() . Alternatively, we can simply create a new method that calls the getStats(), drawGraph() and drawParticles () for us directly, then have just one event listener that's bound to the new method. The second option is more expensive however, so we'll stick with the first.

1
2
// this line is added before the end of the <code> drawParticles </code>() method

3
getStats(); 
4
// this line is added before the end of the <code> getStats() </code> method

5
drawGraph();

We also remove the event parameter (which holds the Event object) from both the drawGraph() and getStats() , as they are no longer needed.


Step 18: Disable All Mouse Events for Display Objects That Do Not Need It

Since this Flash animation does not require any user interaction, we can free its display object from dispatching unnecessary mouse events. In the Flames class, we do that by setting its mouseEnabled property to false. We also do the same for all its children by setting the mouseChildren property to false. The following lines are added to the Flames constructor:

1
2
mouseEnabled = false;
3
mouseChildren = false;

Step 19: Use the Graphics.drawPath() Method to Draw Complex Shapes

The Graphics.drawPath() is optimized for performance when drawing complex paths with many lines or curves. In the Flames.drawGraph() method, the CPU load and memory consumption graph lines are both drawn using a combination of Graphics.moveTo() and Graphics.lineTo() methods.

1
2
for( var i = 0; i < memoryLogLength; i++ ){
3
	ypoint = ( memoryLog[i] - memoryMin ) / memoryRange * graphHeight;
4
	xpoint = (i / sampleSize) * graphWidth; 
5
	if( i == 0 ){
6
		graphMC.graphics.moveTo(  xpoint, -ypoint ); 
7
		continue;
8
	}
9
	graphMC.graphics.lineTo( xpoint, -ypoint );			
10
}

We replace the original drawing methods with calls to Graphics.drawPath(). An added advantage of the revised code below is that we also get to remove the drawing commands from the loops.

1
2
var commands:Vector.<int> = new Vector.<int>();
3
var data:Vector.<Number> = new Vector.<Number>();
4
5
for( var i = 0; i < memoryLogLength; i++ ){
6
	ypoint = ( memoryLog[i] - memoryMin ) / memoryRange * graphHeight;
7
	xpoint = (i / sampleSize) * graphWidth;
8
	
9
	if( i == 0 ){
10
		data[ data.length ] = xpoint;
11
		data[ data.length ] = -ypoint;
12
		commands[ commands.length ] = 1;				
13
	}
14
15
	data[ data.length ] = xpoint;
16
	data[ data.length ] = -ypoint;
17
	commands[ commands.length ] = 2;
18
}
19
graphMC.graphics.drawPath( commands, data );

Step 20: Make the Classes Final

The final attribute specifies that a method cannot be overridden or that a class cannot be extended. It can also make a class run faster, so we'll make both the Flames and Particle classes final.

Edit: Reader Moko pointed us to this great article by Jackson Dunstan, which remarks that the final keyword does not actually have any effect on performance.

a screenshot of Flames.swf after all the steps above have been applied.a screenshot of Flames.swf after all the steps above have been applied.a screenshot of Flames.swf after all the steps above have been applied.

The CPU load is now 33.3%, while the total memory used stays between 4.8 and 5MB. We've come a long way from the CPU load of 41.7% and peak memory size of 9MB!

Which brings us to one of the most important decisions to be made in an optimization process: knowing when to stop. If you stop too early, your game or application may perform poorly on low end systems, and if you go too far, your code may get more obfuscated and harder to maintain. With this particular application, the animation looks smooth and fluid while CPU and memory usage are under control, so we'll stop here.


Summary

We have just looked at the process of optimization, using the Flames class as an example. While the many optimization tips were presented in a step by step fashion, the order doesn't really matter. What's important is being aware of the many issues that can slow down our program, and taking measures to correct them.

But remember to watch out for premature optimization; focus first on building your program and making it work, then start tweaking performance.

Advertisement
Did you find this post useful?
Want a weekly email summary?
Subscribe below and we’ll send you a weekly email summary of all new Code tutorials. Never miss out on learning about the next big thing.
Advertisement
Looking for something to help kick start your next project?
Envato Market has a range of items for sale to help get you started.