Android Games

Android Game Development – Sprite Animation

If you followed the series so far we are pretty knowledgable in handling touches, displaying images and moving them around.

But a moving image it’s a pretty dull sight as it looks really fake and amateurish. To give the characters some life we will need to do more than that. That is what animation is all about. A rock is an inanimate object and even if it is thrown, it doesn’t change its shape. A human on the other hand, is very animated. Try throwing one and you’ll see twitching limbs and even screams in the air.

Let’s just resort to examining walking which is pretty complex in its own. Imagine a human crossing your way (just in 2D). You’ll notice different displays of the body. Left foot in front, right hand in front while the oposite limbs are behind. This slowly changes so the left foot remains behind while the right progresses along with the body. But at one point the cycle repeats. If you don’t close your eyes you see the person progressing smoothly. If you close your eyes and keep them closed for a bit and open them again the person already went on and is in a different position. Try blinking quite rapidly and you will see something like the old black and white comedies. That is low frame rate. More on FPS here.

Actually we do want a low frame rate walking for this tutorial, just like this.

The walking presented above is a bit dodgy but it’s a ripped off version of the sprites from Monkey Island. She’s Elaine Marley.
This is called a Sprite. It is a simple 2 dimensional image or animation.
To be able to re-create the above animation, we need every frame from the walking cycle.

It is a 150 pixels wide image and each frame is 30 pixels wide.
To illustrate it better check the following image.

To get the above animation in android (or iPhone or in any other program for that matter), we need to load up each frame as a separate image and display them at regular intervals one after each other. OR we can load up the big image containing all the frames and use the methods provided by android do slice and dice them on the fly and to display only the relevant frame.
To do that is trivial. We know that we have 5 frames and each frame is 30 pixels wide. We define a rectangle (that will be our selection) which has the width of one frame and the height of the image.
The following image shows how I cut out the first two frames. The rest you should fill in.

Knowing all this let’s go create the project. We will use the knowledge from some previous chapters, most notably about the game loop and the one about the image display (here we set up the thread that triggers the drawing of the graphics item every frame).

We will need an object to animate. We use Elaine from Monkey Island so I will the class ElaineAnimated.java.

public class ElaineAnimated {

	private static final String TAG = ElaineAnimated.class.getSimpleName();

	private Bitmap bitmap;		// the animation sequence
	private Rect sourceRect;	// the rectangle to be drawn from the animation bitmap
	private int frameNr;		// number of frames in animation
	private int currentFrame;	// the current frame
	private long frameTicker;	// the time of the last frame update
	private int framePeriod;	// milliseconds between each frame (1000/fps)

	private int spriteWidth;	// the width of the sprite to calculate the cut out rectangle
	private int spriteHeight;	// the height of the sprite

	private int x;				// the X coordinate of the object (top left of the image)
	private int y;				// the Y coordinate of the object (top left of the image)

}

The private attributes are commented but worth mentioning a few.

  • bitmap is the png file containing all the frames. The second image in this article.
  • sourceRect is the selection rectangle. It is the blue window in the image above. The rectangle moves every frame onto the next.
  • frameTicker this is the java timestamp of the last frame change in the walking sequence. Note that this is not the game FPS but the walking FPS. If we want Elaine to perform a complete walk cycle in a second we set the frame rate for walking to 5 because we have 5 frames. To get a really smooth animation we need 30 frames but it’s not the point now.
  • framePeriod is time in milliseconds that represents the period of time a frame is being displayed. If the cycle completes in 1 second that means for 5 frames the period will be 0.2 seconds. That is, each frame will be displayed for 0.2 seconds.

The constructor is as follows:

public ElaineAnimated(Bitmap bitmap, int x, int y, int width, int height, int fps, int frameCount) {
		this.bitmap = bitmap;
		this.x = x;
		this.y = y;
		currentFrame = 0;
		frameNr = frameCount;
		spriteWidth = bitmap.getWidth() / frameCount;
		spriteHeight = bitmap.getHeight();
		sourceRect = new Rect(0, 0, spriteWidth, spriteHeight);
		framePeriod = 1000 / fps;
		frameTicker = 0l;
	}

I’m assuming that the frames are the same width so I calculate the width of the rectangle by dividing the width of the image with the number of frames. I also pass in the fps which is again, the frames per second of the walk cycle not the game FPS.

Elaine will have an update method of her own as she is an animated object and she needs to look good and she is in charge of dragging her feet. Because the period of the game update cycle and Elaine’s one might be (in this case is) different we pass the actual game time as a variable so we know when we need to display the next frame.
For example the game runs very fast and the update is called every 20 milliseconds and we need to update the frame every 200ms, then the progression of the frame will happen at every 10th game update.

Here’s the code:

public void update(long gameTime) {
	if (gameTime > frameTicker + framePeriod) {
		frameTicker = gameTime;
		// increment the frame
		currentFrame++;
		if (currentFrame >= frameNr) {
			currentFrame = 0;
		}
	}
	// define the rectangle to cut out sprite
	this.sourceRect.left = currentFrame * spriteWidth;
	this.sourceRect.right = this.sourceRect.left + spriteWidth;
}

The update is called from the main game panel (check previous entries how that works). This is the update method of the MainGamePanel class.

public void update() {
	elaine.update(System.currentTimeMillis());
}

The update method is simple (Elaine’s). It increments the frame if the passed in time (which is the system time when the update method was called) is greater than the last time (frameTicker) the frame was updated plus the period of the next update.
If the next frame is beyond the last, we reset the cycle.

After all that area from which the image will be cut out is defined as the sourceRect.
That’s it. Now let’s go on to display it.

public void draw(Canvas canvas) {
		// where to draw the sprite
		Rect destRect = new Rect(getX(), getY(), getX() + spriteWidth, getY() + spriteHeight);
		canvas.drawBitmap(bitmap, sourceRect, destRect, null);
	}

That is all. We set the destination rectangle as to where to draw the cut out image. It is at Elaine’s position (X and Y set in the constructor).

canvas.drawBitmap(bitmap, sourceRect, destRect, null);

tells android to cut out the image defined by sourceRect from the image contained in bitmap and draw it into the rectangle on the canvas defined by destRect.

The draw is called from the game panel’s render method triggered by the game loop (check previous entries).

The MainGamePanel.java differs slightly from the one from previous chapters. I got rid of all the droidz and added just Elaine.

private ElaineAnimated elaine;

	public MainGamePanel(Context context) {
		//* ... removed ... */

		// create Elaine and load bitmap
		elaine = new ElaineAnimated(
				BitmapFactory.decodeResource(getResources(), R.drawable.walk_elaine)
				, 10, 50	// initial position
				, 30, 47	// width and height of sprite
				, 5, 5);	// FPS and number of frames in the animation

		// create the game loop thread
		thread = new MainThread(getHolder(), this);

		//* ... removed ... */
	}

Elaine is instantiated in the panel’s constructor and is given an initial positon of (X=10, Y=50). I pass in the width and the height of the sprite too but that is ignored anyway, but you can modify the code.
The FPS is very important and the number of frames too. FPS says how many frames are to be shown in one second. The last parameter is the number of frames in the cycle.

The thread and activity classes haven’t changed at all. You can find them in the download as they are quite long to be pasted. The image is named walk_elaine.png and it was copied to /res/drawable-mdpi/ so android can pick it up automatically.

If you run the application you should be seeing Elaine performing walking cycles in one place. We should have used jumping as that can be performed in one place but you get the idea.

Elaine Walking

Enhancement

To make some neat additions modify Elaine’s draw method so it displays the original image containing the sprites from which the frames are extracted.

public void draw(Canvas canvas) {
	// where to draw the sprite
	Rect destRect = new Rect(getX(), getY(), getX() + spriteWidth, getY() + spriteHeight);
	canvas.drawBitmap(bitmap, sourceRect, destRect, null);
	canvas.drawBitmap(bitmap, 20, 150, null);
	Paint paint = new Paint();
	paint.setARGB(50, 0, 255, 0);
	canvas.drawRect(20 + (currentFrame * destRect.width()), 150, 20 + (currentFrame * destRect.width()) + destRect.width(), 150 + destRect.height(),  paint);
}

This just displays the image at (20, 150) and creates a new paint object so we can paint over the current frame on the original image.
The method setARGB creates a semi-transparent green paint. The first value is 50 which means it’s 75% transparent. 0 is completely transparent while 255 is fully opaque.
After everything was drawn we paint a rectangle of the size of a frame onto the original image so you see which frame is being displayed in the motion.

Walking with Current Frame Painted

That’s it. Run it and you have your first sprite animation.

Download the source code here (animation_walk.tar.gz)

Reference: Sprite Animation with Android from our JCG partner Tamas Jano from “Against The Grain” blog.

Do not forget to check out our new Android Game ArkDroid (screenshots below). You feedback will be more than helpful!
Related Articles:
Subscribe
Notify of
guest

This site uses Akismet to reduce spam. Learn how your comment data is processed.

10 Comments
Oldest
Newest Most Voted
Inline Feedbacks
View all comments
FierstArter
FierstArter
11 years ago

In the constructer forElaina, what’s the point of width and height? You just get them from the bitmap correct?

Ajeesh
8 years ago
Reply to  FierstArter

public void draw(Canvas canvas) {
2
// where to draw the sprite
3
Rect destRect = new Rect(getX(), getY(), getX() + spriteWidth, getY() + spriteHeight);
4
canvas.drawBitmap(bitmap, sourceRect, destRect, null);
5
canvas.drawBitmap(bitmap, 20, 150, null);
6
Paint paint = new Paint();
7
paint.setARGB(50, 0, 255, 0);
8
canvas.drawRect(20 + (currentFrame * destRect.width()), 150, 20 + (currentFrame * destRect.width()) + destRect.width(), 150 + dest

leonard ndegwa
leonard ndegwa
11 years ago

Hey, Been reading your pages all day they are AWESOME thanks so much for putting these up

Nick Scroggs
Nick Scroggs
10 years ago

I am getting errors with getX() in the ElaineAnimated draw method.
I have used getX() plenty of times before, don’t know why it’s not working now? Did I miss something?

Rect destRect = new Rect(getX(), getY(), getX() + spriteWidth, getY() + spriteHeight);
Nick Scroggs
Nick Scroggs
10 years ago
Reply to  Nick Scroggs

So, I started thinking getX() of what? I just switched x out for getX(). Seems to work. I still think I did something wrong though. Any thoughts?

Rect destRect = new Rect(x, y, x + spriteWidth, y + spriteHeight);

Marcos Henrique da Silva
Marcos Henrique da Silva
10 years ago

Hi there. I am wondering about how is the maximum size to get a good perfomance in a sprite. If I am making an animation of a `hero` with 310×280 pixels in a 2 seconds of a static animation during 60 frames it will be 2048X4096 size.

Its better to make a png sequence or still try to use that huge sprite? Where can I find a way to resolve that?

regards

noname
9 years ago

Work with whatever is manageable.

If the animation is level specific, have each animation sequence separate so you can load them in and out.

Otherwise it’s perfectly find to have large spritesheets, it is an optimization to load it once, then just copy out differing sections in the first place, loading multiple bitmaps would slow it down.

bill
bill
9 years ago

i suppose once you have done it you just copy and paste this code for putting other animations in?

nina
nina
9 years ago

Great tutorial!
Now I wonder how I could turn this into a frame-independent animation… I’ve been searching for tuts on that topic, but couldn’t find anything useful.
If anyone could point me to a good tutorial it’d be greatly appreciated.
(I know the basic concept of frame-independent animation, looking specifically for sprite animations like this one)

Thanks!

brakleet
brakleet
9 years ago

HEY YOU! great stuff! great info, so helpful to us newbs. I appreciate so much all this info u guys providing. I did check out the game aswell. GREAT work!

Back to top button