PC Games

Orb
Lasagne Monsters
Three Guys Apocalypse
Water Closet
Blob Wars : Attrition
The Legend of Edgar
TBFTSS: The Pandoran War
Three Guys
Blob Wars : Blob and Conquer
Blob Wars : Metal Blob Solid
Project: Starfighter
TANX Squadron

Android Games

DDDDD
Number Blocks
Match 3 Warriors

Tutorials

2D shoot 'em up
2D top-down shooter
2D platform game
Sprite atlas tutorial
Working with TTF fonts
2D adventure game
Widget tutorial
2D shoot 'em up sequel
2D run and gun
Roguelike
Medals (Achievements)
2D turn-based strategy game
2D isometric game
2D map editor
2D mission-based shoot 'em up
2D Santa game
2D split screen game
SDL 1 tutorials (outdated)

Latest Updates

SDL2 Versus game tutorial
Wed, 20th March 2024

Download keys for SDL2 tutorials on itch.io
Sat, 16th March 2024

The Legend of Edgar 1.37
Mon, 1st January 2024

SDL2 Santa game tutorial 🎅
Thu, 23rd November 2023

SDL2 Shooter 3 tutorial
Wed, 15th February 2023

All Updates »

Tags

android (3)
battle-for-the-solar-system (10)
blob-wars (10)
brexit (1)
code (6)
edgar (9)
games (43)
lasagne-monsters (1)
making-of (5)
match3 (1)
numberblocksonline (1)
orb (2)
site (1)
tanx (4)
three-guys (3)
three-guys-apocalypse (3)
tutorials (17)
water-closet (4)

Books


Firmware

HF-Tech's chips have changed the world. Embedded into the heads of over 90% of the world's population, they have cured autism, dementia, provided intelligence boosts, and helped to ease some of the more mundane tasks in life. Daniel Blair, hacker and Workshop member, however is not convinced that everything is as rosy as it seems. But is he looking in all the wrong places..?

Click here to learn more and read an extract!

« Back to tutorial listing

— Creating a vertical shoot 'em up —
Part 4: Return fire!

Note: this tutorial assumes knowledge of C, as well as prior tutorials.

Introduction

Up until now, our game has been very one-sided. The enemies can't fire back and we can upgrade our weapons, making it even more unfair. In this part of the tutorial, we'll be making a few gameplay tweaks: the enemies can now fire back, points are now awarded for clearing a wave, and enemy attack waves are now somewhat randomized. In order to demonstate the changes, no power-up pods are available.

Extract the archive, run cmake CMakeLists.txt, followed by make, and then use ./shooter2-04 to run the code. You will see a window open like the one above. Use the arrow keys to move the fighter around, and the left control key to fire. Dodge the enemy fire, shoot the aliens, and collect the points pods. If you're killed, the game will restart after a few seconds. When you're finished, close the window to exit.

Inspecting the code

We've made quite a lot of changes and additions, so this will be a somewhat lengthy part. One of the first things you'll notice is that there are now explosions when killing the aliens (and when getting killed yourself). We've updated structs.h to define what our explosion should be:


struct Explosion {
	int x;
	int y;
	int frame;
	int numFrames;
	double frameSpeed;
	double frameTime;
	AtlasImage **texture;
	Explosion *next;
};

Our explosion is animated, using a number of frames from the AtlasImage. Note how the `texture` field is a pointer to a pointer. We'll see why this is when we come to talking about the explosions. The explosions are also a part of a linked list, hence the `next` field.

As mentioned earlier, we updated our SwingingAlien, so that its attack patterns have some variation to them:


typedef struct {
	double swing;
	double startDelay;
	double reload;
	double swingAmount;
	int sweepRange;
	int dy;
} SwingingAlien;

The SwingingAlien now has fields for swingAmount, sweepRange, and `dy`. On top of that, it also has a `reload` variable, for use with shooting.

We've also updated Stage:


typedef struct {
	Entity entityHead, *entityTail;
	Bullet bulletHead, *bulletTail;
	int numAliens;
	int score;
	int highscore;
} Stage;

Beforehand, we had a variable called hasAliens, to tell us if any aliens were present. Now, we have a variable called numAliens, to use as a counter.

Those are the changes to structs.h. Since the focus of this part is on the enemies firing back, we'll move straight onto that. We've changed swingingAlien.c a bit for this purpose. We'll start with initSwingingAlien:


void initSwingingAlien(int startDelay, int x, double swingAmount, int sweepRange, int dy)
{
	Entity *e;
	SwingingAlien *s;

	s = malloc(sizeof(SwingingAlien));
	memset(s, 0, sizeof(SwingingAlien));

	s->startDelay = startDelay;
	s->reload = rand() % (int) FPS;
	s->swingAmount = swingAmount;
	s->sweepRange = sweepRange;
	s->dy = dy;

	if (littleYellowAlienTexture == NULL)
	{
		littleYellowAlienTexture = getAtlasImage("gfx/littleYellowAlien.png", 1);
		bulletTexture = getAtlasImage("gfx/alienDownBullet.png", 1);
	}

	e = spawnEntity(ET_ALIEN);
	e->texture = littleYellowAlienTexture;
	e->data = s;

	e->x = x - (e->texture->rect.w / 2);
	e->y = -150;

	e->tick = tick;
	e->die = die;
}

We're now passing in some extra parameters to the function - `x`, swingAmount, sweepRange, and `dy`. `x` will be the starting position on screen, as we're no longer hardcoding that to the horizontal centre. swingAmount and sweepRange will both be used to determine how much the SwingingAliens move back and forth across the screen. Depending on the values, the aliens could have very tight swinging patterns that barely move across the x axis, to large movements that cross the entire screen. The values fed in will depend on the randomness of the wave. `dy` will tell the alien how fast it will move down the screen. All these values are set into SwingingAlien struct.

The next thing we're doing is grabbing the bulletTexture. This is the image that will be used for the alien bullet when it fires. Note that we don't need to worry about testing if it's NULL, as testing littleYellowAlienTexture covers this.

Now, onto the `tick` phase, where we've updated the alien's logic:


static void tick(Entity *self)
{
	SwingingAlien *s;

	s = (SwingingAlien*) self->data;

	s->startDelay -= app.deltaTime;

	if (s->startDelay <= 0)
	{
		s->swing += s->swingAmount * app.deltaTime;

		self->x += cos(s->swing) * (s->sweepRange * app.deltaTime);
		self->y += s->dy * app.deltaTime;
	}

	if (self->y >= SCREEN_HEIGHT)
	{
		self->health = 0;
	}

	s->reload = MAX(s->reload - app.deltaTime, 0);

	if (s->reload == 0)
	{
		if (rand() % 5 == 0)
		{
			fireBullet(self);
		}

		s->reload = FPS;
	}

	if (player->health > 0 && collision(self->x, self->y, self->texture->rect.w, self->texture->rect.h, player->x, player->y, player->texture->rect.w, player->texture->rect.h))
	{
		self->health = 0;
		self->die(self);

		player->health = 0;
		player->die(player);
	}

	stage.numAliens++;
}

A few things have slight changes - instead of hardcoded amounts for updating `swing` and `x` values, we're using swingAmount and sweepRange. The alien's `y` is also being updated using the new `dy` variable.

The two major changes follow this. We're now decrementing the SwingingAlien's `reload` variable, limiting it to 0. Once it reaches 0, we're going to give the alien the chance to fire. We're grabbing a random value of 0-4 and checking if it's 0 (so, a 1 in 5 chance). If it's 0, we'll call fireBullet, a new function. Notice how no matter what the outcome is, we're always resetting the SwingingAlien's `reload` to FPS. This means that the alien will only ever fire once a second, at most. Our chance is 1 in 5, so each alien will, on average, fire once every 5 seconds. This will stop the player from being overwhelmed by a hail of bullets.

Next, we're checking if the player has come into contact with the alien. If there's a collison between the two, we're setting both the alien's `health` and the player's `health` to 0, and then calling each entity's `die` function. We're checking if the player's `health` is greater than 0 before doing so, so that a dead player doesn't continue to kill other aliens..!

Finally, we're bumping Stage's numAliens counter by 1. Each alien will push this number up, to tell us how many aliens currently exist.

The `die` function has seen some tweaks, too:


static void die(Entity *self)
{
	addExplosion(self->x + (self->texture->rect.w / 2), self->y + (self->texture->rect.h / 2));

	if (--stage.numAliens == 0)
	{
		addPointsPod(self->x, self->y);
	}
}

When an alien is killed, we're calling a function named addExplosion, passing in the alien's `x` and `y` values, plus half its width and height. This will create an explosion centered about the alien. Next, we're decrementing the value of Stage's numAliens. If it reaches 0, we're adding a PointsPod. This means that points will only be awarded for clearing the entire wave. We might tweak this in future, to always award a single point per alien killed, with the points pods offering a bonus (such as 10 or 25 additional points).

Let's push onto bullets.c. Now that aliens can fire bullets, we need to make some changes to doBullets, in order for them to affect the player:


void doBullets(void)
{
	Bullet *b, *prev;

	prev = &stage.bulletHead;

	for (b = stage.bulletHead.next ; b != NULL ; b = b->next)
	{
		b->x += b->dx * app.deltaTime;
		b->y += b->dy * app.deltaTime;

		if (!collision(b->x, b->y, b->texture->rect.w, b->texture->rect.h, 0, 0, SCREEN_WIDTH, SCREEN_HEIGHT))
		{
			b->dead = 1;
		}
		else if (b->owner == player)
		{
			doAlienCollisions(b);
		}
		else if (b->owner->type == ET_ALIEN && player->health > 0)
		{
			doPlayerCollisions(b);
		}

		if (b->dead)
		{
			prev->next = b->next;

			if (b == stage.bulletTail)
			{
				stage.bulletTail = prev;
			}

			free(b);

			b = prev;
		}

		prev = b;
	}
}

We've added in a few if tests, to see if the bullet is owned by an alien (by testing the bullet owner's type). If it's owned by an ET_ALIEN type and the player is still alive, we're calling a new function called doPlayerCollisions:


static void doPlayerCollisions(Bullet *b)
{
	if (collision(player->x, player->y, player->texture->rect.w, player->texture->rect.h, b->x, b->y, b->texture->rect.w, b->texture->rect.h))
	{
		player->health = 0;

		player->die(player);

		b->dead = 1;

		addSmallExplosion(b->x + (b->texture->rect.w / 2), b->y + (b->texture->rect.h / 2));
	}
}

This function is testing whether a collision has occurred between the player and the bullet. If so, the player's `health` is set to 0 and the player's `die` function is called. The bullet itself is also flagged as dead, and we're adding in a small explosion at the point where the bullet hit the player (this is something we're also doing in doAlienCollisions when a bullet strikes an alien). All in all, not a unexpected piece of logic.

Since we've mentioned it a couple of times, we should look at what the player's `die` function does:


static void die(Entity *self)
{
	addExplosion(self->x + (self->texture->rect.w / 2), self->y + (self->texture->rect.h / 2));
}

The only thing we're doing is adding an explosion, just like when the aliens die. Nothig more. However, while we don't have the ability to gain sidearms in this part of the tutorial, let's have a quick look at the change to `tick` in sidearms.c:


static void tick(Entity *self)
{
	Sidearm *s;

	s = (Sidearm*) self->data;

	self->x = player->x;
	self->x += (player->texture->rect.w / 2);
	self->x -= (self->texture->rect.w / 2);
	self->x += s->ox;

	self->y = player->y + player->texture->rect.h;
	self->y -= self->texture->rect.h;

	if (((Fighter*)player->data)->invokeSidearm)
	{
		fireBullet(self);
	}

	if (player->health <= 0)
	{
		addExplosion(self->x + (self->texture->rect.w / 2), self->y + (self->texture->rect.h / 2));

		self->health = 0;
	}
}

The Sidearm `tick` is testing the player's `health`. If its fallen to 0 or less, the sidearm will add an explosion of its own and set its `health` to 0. In effect, the sidearm will die if the player does. Again, we can't gain sidearms in this part, so this just some preemptive code for when we can.

Now for something important. There's been a change to how the entity processing works, as since the player can die there is potential for crashes to occur, due to the player entity being deleted. As such, the doEntities function no longer deletes entities right away:


void doEntities(void)
{
	Entity *e, *prev;

	prev = &stage.entityHead;

	for (e = stage.entityHead.next ; e != NULL ; e = e->next)
	{
		if (e->tick != NULL)
		{
			e->tick(e);
		}

		if (e->health <= 0)
		{
			if (e == stage.entityTail)
			{
				stage.entityTail = prev;
			}

			prev->next = e->next;

			// move to dead queue
			deadTail->next = e;
			deadTail = e;
			deadTail->next = NULL;

			e = prev;
		}

		prev = e;
	}
}

Now, when an entity's `health` falls to 0 or more, we're removing it from the main entity list as before, but instead of freeing all its data, we're throwing it into a new list. This list, declared static in entities.c, consists of a deadHead and deadTail. Again, the reason for doing this is because there are many parts of the code that test the player entity, for collisions and such. If they do this against the player entity pointer once the data has been freed, the game will crash. We're therefore moving everything that is killed into a dead list, allowing them to still be referenced, and will delete them properly later.

As an example, consider the `tick` function for the sidearms (above). The sidearms are constantly aligning themselves to the player. If the player is deleted, then the sidearms will attempt to dererfence a NULL pointer and we'll be hit with a crash. Shifting everything flagged for removal into a separate list overcomes this issue nicely.

When we want to properly delete all the entity data, we call upon a new function called clearEntities:


void clearEntities(void)
{
	Entity *e;

	while (stage.entityHead.next)
	{
		e = stage.entityHead.next;

		stage.entityHead.next = e->next;

		if (e->data != NULL)
		{
			free(e->data);
		}

		free(e);
	}

	stage.entityTail = &stage.entityHead;
}

This function uses a while-loop to see if an entity exists after the head of the list. If so, we'll grab a reference do it, then point the head of the list at that entity's next, effectively cutting it out of the list. With it no longer in the list, we're freeing the data as normal. The while-loop will continue to remove all entities until the list is empty. Finally, we're assigning the entityTail to the entityHead, to ensure it's not pointing at a NULL reference.

We have a similar function for clearing the list of dead entities:


void clearDeadEntities(void)
{
	Entity *e;

	while (deadHead.next)
	{
		e = deadHead.next;

		deadHead.next = e->next;

		if (e->data != NULL)
		{
			free(e->data);
		}

		free(e);
	}

	deadTail = &deadHead;
}

Now, while it's only the player entity that is affected by the NULL crash issue, and we could've handled it as a special case in the doEntities loop, it doesn't exactly feeling in keeping with the rest of the code; the doEntities function shouldn't be concerned itself with such specifics. The dead entities list might also come in useful for other things later on, such as other power-ups and weapons.

As we've added in explosions to our game, we should look at how these are handled. We've created a file called effects.c, where we're doing all our explosion processing. There are a number of functions in this file. We'll start with initEffects:


void initEffects(void)
{
	int i;
	char filename[MAX_FILENAME_LENGTH];

	memset(&explosionHead, 0, sizeof(Explosion));
	explosionTail = &explosionHead;

	if (!hasTextures)
	{
		hasTextures = 1;

		for (i = 0 ; i < NUM_SMALL_EXPLOSION_FRAMES ; i++)
		{
			sprintf(filename, "gfx/smallExplosion%02d.png", i + 1);

			smallExplosionTextures[i] = getAtlasImage(filename, 1);
		}

		for (i = 0 ; i < NUM_EXPLOSION_FRAMES ; i++)
		{
			sprintf(filename, "gfx/explosion%02d.png", i + 1);

			explosionTextures[i] = getAtlasImage(filename, 1);
		}
	}
}

Our explosions are a linked list, so the first thing we're doing is preparing the list by memsetting explosionHead and assigning the explosionTail. Next, we're testing if we've loaded our textures. Our textures form an array of frames, so we're going to test a flag called hasTextures to see if we've loaded them. hasTexture is initially set to 0, so the first time initEffects is called, we'll load in the textures. We'll update hasTextures to 1, to tell the code not to load them anymore, and then set the textures for our smallExplosionTexture and explosionTextures. We'll set up a for-loop for each array, and create a filename for each wanted texture, using sprintf, passing this to getAtlasImage to grab the texture for each array index. So, we'll load gfx/smallExplosion01.png, gfx/smallExplosion02.png, etc.

doEffects is next, and it's where all the effects are processed:


void doEffects(void)
{
	Explosion *e, *prev;

	prev = &explosionHead;

	for (e = explosionHead.next ; e != NULL ; e = e->next)
	{
		e->frameTime -= app.deltaTime;

		if (e->frameTime <= 0)
		{
			e->frame++;

			e->frameTime = e->frameSpeed;

			if (e->frame < e->numFrames)
			{
				e->texture++;
			}
			else
			{
				prev->next = e->next;

				if (e == explosionTail)
				{
					explosionTail = prev;
				}

				free(e);

				e = prev;
			}
		}

		prev = e;
	}
}

We're looping through all our explosions, decreasing their frameTime. When the frameTime falls to 0 or less, we're incrementing the explosion's `frame` and resetting the frameTime to the value of frameSpeed. We're then testing to see if the new value of `frame` is less than numFrames. In other words, we're ensuring that there are still frames left to draw in our explosion. If so, we'll increment the `texture` pointer. Remember that the `texture` field in Explosion is a pointer to a pointer. `texture` is pointing to an array, so increasing the pointer value will move to the next index in the array. However, if the value of the explosion's frame is equal to or greater than the total number of frames, we'll consider that the animation is done and delete the explosion. This is done in the standard way that we free an item within a linked list.

Drawing our effects is simple, as we can see from the drawEffects function:


void drawEffects(void)
{
	Explosion *e;

	for (e = explosionHead.next ; e != NULL ; e = e->next)
	{
		blitAtlasImage(*e->texture, e->x, e->y, 1, SDL_FLIP_NONE);
	}
}

We're just looping through each of our explosions and calling blitAtlasImage. We need to use `*e->texture` here, instead of `e->texture`, as the `texture` field is a pointer to a pointer, so it needs to be dereferenced. We're also passing in 1 to the `center` parameter of blitAtlasImage, so that our explosions are centered around their position. Our explosion frames aren't all the same size, so if we didn't do this, things would look odd.

As we've seen, there are two functions for adding explosions - addSmallExplosion and addExplosion. These functions will create a small and normal sized explosion respectively. We'll look at addSmallExplosion first:


void addSmallExplosion(int x, int y)
{
	Explosion *e;

	e = malloc(sizeof(Explosion));
	memset(e, 0, sizeof(Explosion));
	explosionTail->next = e;
	explosionTail = e;

	e->x = x;
	e->y = y;
	e->numFrames = NUM_SMALL_EXPLOSION_FRAMES;
	e->frameSpeed = 1;
	e->frameTime = e->frameSpeed;
	e->texture = smallExplosionTextures;
}

The functions takes `x` and `y` coordinates as parameters, for the explosion's position. We first malloc and memset an Explosion, then add it to our explosions list. After that, we're setting the Explosion's `x` and `y` variables, the number of animation frames (numFrames) as NUM_SMALL_EXPLOSION_FRAMES, the frameSpeed, the frameTime, and the explosion's `texture`, pointing it at the smallExplosionTextures array. With this done, we'll have a small explosion effect that will show very briefly before it is removed.

The addExplosion function is much the same:


void addExplosion(int x, int y)
{
	Explosion *e;

	e = malloc(sizeof(Explosion));
	memset(e, 0, sizeof(Explosion));
	explosionTail->next = e;
	explosionTail = e;

	e->x = x;
	e->y = y;
	e->numFrames = NUM_EXPLOSION_FRAMES;
	e->frameSpeed = 4;
	e->frameTime = e->frameSpeed;
	e->texture = explosionTextures;
}

The only major differences here are the number of frames (NUM_EXPLOSION_FRAMES), the frameSpeed, and texture array that we point to. This explosion will last a little longer, due to the frameSpeed being higher.

The final function is one that clears all the effects in the linked list:


void clearEffects(void)
{
	Explosion *e;

	while (explosionHead.next)
	{
		e = explosionHead.next;

		explosionHead.next = e->next;

		free(e);
	}

	explosionTail = &explosionHead;
}

This function acts like the clearEntities function, in that it uses a while-loop to remove the first explosion in the list until there are none left.

With all that done, we should finish off by looking at what we've changed in stage.c, to get it all working. Starting with initStage:


void initStage(void)
{
	memset(&stage, 0, sizeof(Stage));

	initEntities();

	initPlayer();

	initStars();

	initBullets();

	initEffects();

	initWave();

	background = loadTexture("gfx/background.jpg");

	backgroundY = -SCREEN_HEIGHT;

	gameOverTimer = FPS * 2;

	app.delegate.logic = logic;
	app.delegate.draw = draw;
}

We have a new variable called gameOverTimer that we're setting to 2 seconds. What this will do is make it so that when the player is killed, there will be a two second pause before the game restarts. We can see this in action in the logic phase:


static void logic(void)
{
	stage.numAliens = 0;

	backgroundY += app.deltaTime;

	if (backgroundY >= 0)
	{
		backgroundY = -SCREEN_HEIGHT;
	}

	doStars();

	doEntities();

	doBullets();

	doEffects();

	if (player->health <= 0)
	{
		gameOverTimer -= app.deltaTime;

		if (gameOverTimer <= 0)
		{
			resetStage();

			initStage();
		}
	}
	else if (stage.numAliens == 0)
	{
		clearDeadEntities();

		nextWave();
	}
}

The first thing we're doing in the logic phase is resetting the number of known aliens, updating Stage's numAliens to 0. Futher on, we're testing to see if the player has been killed, by testing if their health has fallen to 0 or less. If so, we'll decrement the gameOverTimer. Once that reaches 0 or less, we'll call resetStage and initStage, to clear down the stage data and set everything back up again. If the player is still alive, however, and there are no more aliens in the stage, we'll call clearDeadEntities and nextWave.

resetStage is a new function we've added:


static void resetStage(void)
{
	clearEntities();

	clearDeadEntities();

	clearBullets();

	clearEffects();
}

As you can see, it just makes calls to the various clear function that we defined in this part of the tutorial. Consider this to be a teardown function for the game stage, while initStage is the setup.

That's this part concluded. You've likely noticed that the highscore isn't retained between stage resets. This is something we'll fix in the next part. We'll also restore the power-up pod, but with a caveat - it'll be held by an alien that must be destroyed before it escapes! We'll also introduce some new enemies, ones that will require more than one shot to kill and have new attack patterns.

Purchase

The source code for all parts of this tutorial (including assets) is available for purchase:

From itch.io

It is also available as part of the SDL2 tutorial bundle:

Mobile site