Developing a bamboo block game based on SpriteKit+Swift (Part 2)

Developing a bamboo block game based on SpriteKit+Swift (Part 2)

one, Introduction

SpriteKit is Apple's iOS and OS X game development framework. This tool not only provides powerful graphics capabilities, but also includes an easy-to-use physics engine. Best of all, you can use the tools you are familiar with - Swift, Xcode, and Interface Builder to complete all the work! You can do a lot of things with SpriteKit; however, the best way to understand how it works is to use it to develop a simple game.

In this series of tutorials (part 2), you will learn how to use SpriteKit to develop a Breakout game. In the previous part, we successfully added a paddle and a ball to the game scene; in this part, we will add bamboo blocks to the game scene and implement all other logic of the game.

two, Add bamboo blocks

Now that you have the ball bouncing and have implemented contact controls, let's add some bamboo blocks for the ball to hit. After all, this is a bamboo block game, right?

OK, switch to GameScene.swift and add the following code to didMoveToView(_:):

  1. // 1
  2.  
  3. let numberOfBlocks = 8  
  4.  
  5. let blockWidth = SKSpriteNode (imageNamed: "block").size.width
  6.  
  7. let totalBlocksWidth = blockWidth * CGFloat(numberOfBlocks)
  8.  
  9. // 2
  10.  
  11. let xOffset = (CGRectGetWidth(frame) - totalBlocksWidth) / 2
  12.  
  13. // 3
  14.  
  15. for i in 0.. < numberOfBlocks {
  16.  
  17. let block = SKSpriteNode (imageNamed: "block.png")
  18.  
  19. block.position = CGPoint (x: xOffset + CGFloat(CGFloat(i) + 0.5) * blockWidth,
  20.  
  21. y: CGRectGetHeight(frame) * 0.8)
  22.  
  23. block.physicsBody = SKPhysicsBody (rectangleOfSize: block.frame.size)
  24.  
  25. block.physicsBody! .allowsRotation = false  
  26.  
  27. block.physicsBody! .friction = 0 .0
  28.  
  29. block.physicsBody! .affectedByGravity = false  
  30.  
  31. block.physicsBody! .dynamic = false  
  32.  
  33. block.name = BlockCategoryName  
  34.  
  35. block.physicsBody! .categoryBitMask = BlockCategory  
  36.  
  37. block.zPosition = 2  
  38.  
  39. addChild(block)
  40.  
  41. }

This code will create eight bamboo blocks centered on the screen. Specifically, the above code snippet achieves:

(1) Some useful constants are established to store the number and width of bamboo blocks.

(2) Calculate the x offset, which corresponds to the distance between the left border of the screen and the first bamboo block. This is calculated by subtracting the width of all bamboo blocks from the screen width and then dividing by 2.

(3) Create bamboo blocks and configure the appropriate physical properties for each bamboo block, and use the blockWidth and xOffset variables to arrange the position of each one.

Now, build and run your game and take a look! See the image below.

Now the bamboo is in place. However, in order to listen for collisions between the ball and the bamboo, you must update the ball’s contactTestBitMask mask. Still in the GameScene.swift file, edit the existing lines of code in the didMoveToView(_:) method—add an extra category to it:

  1. ball.physicsBody! .contactTestBitMask = BottomCategory | BlockCategory

The above code performs a bitwise OR operation between the two masks BottomCategory and BlockCategory. As a result, the bits for both specific categories are set to 1, while all other bits remain zero. Now, the collision information between the ball and the floor and the ball and the blocks is sent to the agent for further processing.

three, Beat bamboo blocks

Now that you have collision detection ready between the block and the ball, let’s add a helper method to the GameScene.swift file to remove the bamboo block from the scene:

  1. func breakBlock(node: SKNode) {
  2.  
  3. let particles = SKEmitterNode (fileNamed: "BrokenPlatform")!
  4.  
  5. particles.position = node.position
  6.  
  7. particles.zPosition = 3  
  8.  
  9. addChild(particles)
  10.  
  11. particles.runAction(SKAction.sequence([SKAction.waitForDuration(1.0), SKAction.removeFromParent()]))
  12.  
  13. node.removeFromParent()
  14.  
  15. }

This method takes an SKNode as a parameter. First, it creates an instance of the SKEmitterNode from the BrokenPlatform.sks file, and then sets its position to the same position as the node. The zPosition of the emitter node is set to 3; this allows the particles to appear above the remaining bamboo. After the particles are added to the scene, the node (bamboo) is deleted.

[Note] The emitter node is a special type of node that is used to display the particle system created in the scene editor. To check how it is configured, you can open the file BrokenPlatform.sks, which is a particle system I created specifically for this tutorial.

The only thing left to do is to handle the delegate notifications accordingly. Add the following to the end of didBeginContact(_:) :

  1. if firstBody.categoryBitMask == BallCategory && secondBody.categoryBitMask == BlockCategory {
  2.  
  3. breakBlock(secondBody.node!)
  4.  
  5. //TODO: check if the game has been won
  6.  
  7. }

The above lines of code check to see if there is a collision between the ball and the bamboo block. If so, you pass the node to the breakBlock(_:) method and remove the bamboo block from the scene as the particle animation plays!

Now, build and run the project. You will notice that the bamboo should break apart when the ball hits it.

Four, Game control logic

Now that you've created all the elements needed to create a game of bamboo blocks, it's time for your players to experience the thrill of victory or the agony of defeat!

1. Building a state machine

Most of the game logic is controlled by the current state of the game. For example, if the game is in the "Main Menu" state, then the player should not be able to move, but if the game is in the "Playing" state, the player should be able to move.

A lot of simple games manage their game state by using Boolean variables combined with an update loop. By using a state machine, you can better organize your code as your game becomes more complex.

A state machine manages a set of states. There is only one current state, and a set of rules for transitioning between states. As the game state changes, the state machine runs certain methods when exiting the previous state and entering the next state. These methods can be used to control the game from within each state. After a successful state change, the state machine will execute an update loop for the current state.

Apple introduced the GameplayKit framework in iOS 9, which has built-in support for state machines, making it very easy to work with state machines. The details of using GameplayKit are beyond the scope of this tutorial; however, in this tutorial, you will use two of its classes: GKStateMachine and GKState.

(II) Adding status

In our bamboo block game, there are three game states:

  • WaitingForTap: means the game has finished loading and is ready to start.
  • Playing: Playing game.
  • GameOver: The game is over (either lost or won).

To save time, three GKState classes have already been added to the project (you can look in the Game States group if you’re curious). To create the state machine, first add the following import statement to the top of the GameScene.swift file:

  1. import GameplayKit

Next, insert this class variable below the statement var isFingerOnPaddle = false::

  1. lazy var gameState: GKStateMachine GKStateMachine = GKStateMachine(states: [
  2.  
  3. WaitingForTap(scene: self),
  4.  
  5. Playing(scene: self),
  6.  
  7. GameOver(scene: self)])

By defining this variable, you effectively create the state machine for your Breakout game. Note: You are initializing the GKStateMachine with an array of GKState subclasses.

(III) Implementing the WaitingForTap state

The WaitingForTap state means that the game has finished loading and is ready to start. Players will see a "Tap to Play" prompt on the screen, and the game will wait for touch events before entering the play state.

Now, add the following code at the end of the didMoveToView(_:) method:

  1. let gameMessage = SKSpriteNode (imageNamed: "TapToPlay")
  2.  
  3. gameMessage.name = GameMessageName  
  4.  
  5. gameMessage.position = CGPoint (x: CGRectGetMidX(frame), y: CGRectGetMidY(frame))
  6.  
  7. gameMessage.zPosition = 4  
  8.  
  9. gameMessage.setScale(0.0)
  10.  
  11. addChild(gameMessage)
  12.  
  13. gameState.enterState(WaitingForTap)

This will create the prompt message that displays "Tap to Play", which will later be used to display the "Game Over" message. Next, you need to tell the state machine to enter the WaitingForTap state.

In didMoveToView(_:) , you should also delete the following line:

  1. ball.physicsBody!.applyImpulse(CGVector(dx: 2.0, dy: -2.0)) // REMOVE

Later in this tutorial, you will move this code to the game playing state.

Now, open the WaitingForTap.swift file and replace the DidEnterWithPreviousState(_:) and willExitWithNextState(_:) methods with the following code:

  1. override func didEnterWithPreviousState(previousState: GKState?) {
  2.  
  3. let scale = SKAction .scaleTo(1.0, duration: 0.25)
  4.  
  5. scene.childNodeWithName(GameMessageName)!.runAction(scale)
  6.  
  7. }
  8.  
  9. override func willExitWithNextState(nextState: GKState) {
  10.  
  11. if nextState is Playing {
  12.  
  13. let scale = SKAction .scaleTo(0, duration: 0.4)
  14.  
  15. scene.childNodeWithName(GameMessageName)!.runAction(scale)
  16.  
  17. }
  18.  
  19. }

When the game enters the WaitingForTap state, the didEnterWithPreviousState(_:) method executes. This function is simply used to amplify the sprite corresponding to the message "Tap to Play" to prompt the player to start the game.

When the game exits the WaitingForTap state and enters the Playing state, the willExitWithNextState(_:) method is called and the message "Tap to Play" is reduced to 0.

Now, build and run the project, then tap the screen to play around!

OK, now nothing happens when you tap the screen. The next step is to introduce game state to solve this problem!

4. Game Playing Status

The Playing state starts the game and manages the speed of the ball.

First, switch back to the GameScene.swift file and implement the following helper method:

  1. func randomFloat(from from:CGFloat, to:CGFloat) - > CGFloat {
  2.  
  3. let rand:CGFloat = CGFloat(Float(arc4random()) / 0xFFFFFFFF)
  4.  
  5. return (rand) * (to - from) + from
  6.  
  7. }

This utility function returns a random number between the two numbers passed in. You'll use it to add some variability to the initial direction of the ball's movement.

Now, open the Playing.swift file. First, add the following helper method:

  1. func randomDirection() - > CGFloat {
  2.  
  3. let speedFactor: CGFloat = 3.0
  4.  
  5. if scene.randomFloat(from: 0.0, to: 100.0) > = 50 {
  6.  
  7. return -speedFactor
  8.  
  9. } else {
  10.  
  11. return speedFactor
  12.  
  13. }
  14.  
  15. }

This code simply returns a positive or negative number. This adds a little bit of randomness to the direction of the ball's movement.

Next, add this code to didEnterWithPreviousState(_:):

  1. if previousState is WaitingForTap {
  2.  
  3. let ball = scene .childNodeWithName(BallCategoryName) as! SKSpriteNode
  4.  
  5. ball.physicsBody!.applyImpulse(CGVector(dx: randomDirection(), dy: randomDirection()))
  6.  
  7. }

When the game enters the Playing state, the ball sprite is retrieved and its applyImpulse(_:) method is activated.

Next, add this code to the updateWithDeltaTime(_:) method:

  1. let ball = scene .childNodeWithName(BallCategoryName) as! SKSpriteNode
  2.  
  3. let maxSpeed: CGFloat = 400 .0
  4.  
  5. let xSpeed ​​= sqrt (ball.physicsBody!.velocity.dx * ball.physicsBody!.velocity.dx)
  6.  
  7. let ySpeed ​​= sqrt (ball.physicsBody!.velocity.dy * ball.physicsBody!.velocity.dy)
  8.  
  9. let speed = sqrt (ball.physicsBody!.velocity.dx * ball.physicsBody!.velocity.dx + ball.physicsBody!.velocity.dy * ball.physicsBody!.velocity.dy)
  10.  
  11. if xSpeed ​​< = 10.0 {
  12.  
  13. ball.physicsBody!.applyImpulse(CGVector(dx: randomDirection(), dy: 0.0))
  14.  
  15. }
  16.  
  17. if ySpeed ​​< = 10.0 {
  18.  
  19. ball.physicsBody!.applyImpulse(CGVector(dx: 0.0, dy: randomDirection()))
  20.  
  21. }
  22.  
  23. if speed > maxSpeed ​​{
  24.  
  25. ball.physicsBody! .linearDamping = 0 .4
  26.  
  27. } else {
  28.  
  29. ball.physicsBody! .linearDamping = 0 .0
  30.  
  31. }

The updateWithDeltaTime(_:) method is called every frame of the game when it is in the Playing state. In the code, the ball data is obtained and its velocity is checked, which essentially corresponds to the movement speed. If the velocity in the x or y direction is below a certain threshold, the ball may be stuck and appear to be bouncing around or moving from side to side. If this happens, another pulse needs to be applied to force it into the angular motion state.

Also, the ball's speed may be increasing as it bounces. If it's too high, you'll need to increase the linear damping so that the ball eventually slows down.

Now that the play state is set, it's time to add the code to start the game!

In GameScene.swift, replace touchesBegan(_:withEvent:) with the following new code:

  1. override func touchesBegan(touches: Set < UITouch > , withEvent event: UIEvent?) {
  2.  
  3. switch gameState.currentState {
  4.  
  5. case is WaitingForTap:
  6.  
  7. gameState.enterState(Playing)
  8.  
  9. isFingerOnPaddle = true  
  10.  
  11. case is Playing:
  12.  
  13. let touch = touches .first
  14.  
  15. let touch touchLocation = touch!.locationInNode(self)
  16.  
  17. if let body = physicsWorld .bodyAtPoint(touchLocation) {
  18.  
  19. if body.node! .name == PaddleCategoryName {
  20.  
  21. isFingerOnPaddle = true  
  22.  
  23. }
  24. }
  25.  
  26. default:
  27.  
  28. break
  29.  
  30. }
  31.  
  32. }

The above code enables the game to check the current state of the game and change the state accordingly. Next, you need to override the update(_:) method and modify it to look like this:

  1. override func update(currentTime: NSTimeInterval) {
  2.  
  3. gameState.updateWithDeltaTime(currentTime)
  4.  
  5. }

The update(_:) method is called before rendering each frame. It is here that we call the updateWithDeltaTime(_:) method corresponding to the play state to manage the ball's movement speed.

Now, build and run the project, then tap the screen to see the state machine in action in action!

(V) Game End State

The GameOver state occurs when all the bamboo blocks are crushed or the ball falls to the bottom of the screen.

Now, open the GameOver.swift file located in the Game States group and add the following lines of code to the didEnterWithPreviousState(_:) method:

  1. if previousState is Playing {
  2.  
  3. let ball = scene .childNodeWithName(BallCategoryName) as! SKSpriteNode
  4.  
  5. ball.physicsBody! .linearDamping = 1 .0
  6.  
  7. scene.physicsWorld.gravity = CGVectorMake (0, -9.8)
  8.  
  9. }

When the game enters the GameOver state, linear damping is applied to the ball and gravity is restored, causing it to fall to the ground, slowing down.

That's it for the GameOver state. The next thing to implement is the code that determines whether the player has won or lost the game!

(VI) Game Ending

Now that the state machine is set up, we can say that most of the game has been developed. Now, we need to find a way to determine whether the game is won or lost.

Open the file GameScene.swift and add the following helper method:

  1. func isGameWon()- > Bool {
  2.  
  3. var numberOfBricks = 0  
  4.  
  5. self.enumerateChildNodesWithName(BlockCategoryName) {
  6.  
  7. node, stop in
  8.  
  9. numberOfBricks numberOfBricks = numberOfBricks + 1
  10.  
  11. }
  12.  
  13. return numberOfBricks == 0
  14.  
  15. }

This method checks how many bamboo blocks are left in the scene by traversing the child nodes in the scene. For each child node, it checks whether the child node name is equal to BlockCategoryName. If there are no bamboo blocks left in the scene, the player wins the current game and the method returns true.

Now, add the following property to the top of the class, just below the gameState property:

  1. var gameWon : Bool = false {
  2.  
  3. didSet {
  4.  
  5. let gameOver = childNodeWithName (GameMessageName) as! SKSpriteNode
  6.  
  7. let textureName = gameWon ? "YouWon" : "GameOver"
  8.  
  9. let texture = SKTexture (imageNamed: textureName)
  10.  
  11. let actionSequence = SKAction .sequence([SKAction.setTexture(texture),
  12.  
  13. SKAction.scaleTo(1.0, duration: 0.25)])
  14.  
  15. gameOver.runAction(actionSequence)
  16.  
  17. }
  18.  
  19. }

Here, you create the gameWon variable and attach a didSet property observer to it. This will allow you to observe changes in the property value and react accordingly. In the above implementation, the texture of the game message sprite is changed to reflect whether the game is won or lost, and then the result is displayed on the screen.

[Note] Property Observers have a parameter that allows you to check the new or old value. This allows for comparison of value changes when a property change occurs. They have default names if you don't provide them; in the above code, they are newValue and oldValue.

Next, let’s edit the didBeginContact(_:) method as follows:

First, add the following code to the top of didBeginContact(_:) :

  1. if gameState.currentState is Playing {
  2.  
  3. // Previous code remains here...
  4.  
  5. } // Don't forget to close the 'if' statement at the end of the method.

The function of this code is to prevent any contact from happening when the game is not in play state.

Next, use the following code:

  1. print("Hit bottom. First contact has been made.")

Replace the following code:

  1. gameState.enterState(GameOver)
  2.  
  3. gameWon = false  

Now, the game ends when the ball hits the bottom of the screen.

Please replace the //TODO: part with the following code:

  1. if isGameWon() {
  2.  
  3. gameState.enterState(GameOver)
  4.  
  5. gameWon = true  
  6.  
  7. }
  8.  
  9. When all the blocks are broken you win!
  10.  
  11. Finally, add this code to touchesBegan(_:withEvent:) just above default:
  12.  
  13. case is GameOver:
  14.  
  15. let newScene = GameScene (fileNamed:"GameScene")
  16.  
  17. newScene! .scaleMode = .AspectFit
  18.  
  19. let reveal = SKTransition .flipHorizontalWithDuration(0.5)
  20.  
  21. self.view?.presentScene(newScene!, transition: reveal)

At this point, your game is complete! You can build and run it.

five, Game polish

Now that the main functionality of the bamboo breaker game is complete, let's add some polish to the game! Add some sound effects whenever the ball makes contact and when the bamboo breaks. Also add a quick explosion of music when the game ends. Finally, you'll add a particle emitter to the ball so that it leaves a trail as it bounces around the screen.

1. Adding sound effects

To save time, the various sound files have already been imported into the project. Now, open the GameScene.swift file and add the following constant definitions to the top of the class definition, or more precisely, just after the gameWon variable:

  1. let blipSound = SKAction .playSoundFileNamed("pongblip", waitForCompletion: false)
  2.  
  3. let blipPaddleSound = SKAction .playSoundFileNamed("paddleBlip", waitForCompletion: false)
  4.  
  5. let bambooBreakSound = SKAction .playSoundFileNamed("BambooBreak", waitForCompletion: false)
  6.  
  7. let gameWonSound = SKAction .playSoundFileNamed("game-won", waitForCompletion: false)
  8.  
  9. let gameOverSound = SKAction .playSoundFileNamed("game-over", waitForCompletion: false)

This code defines a series of SKAction constants, each of which will load and play a sound file. Because you define these actions before you need them, they will be preloaded into memory, which prevents game lag the first time you play a sound.

Next, update the line in didMoveToView(_:) that sets the ball’s contactTestBitMask to the following:

  1. ball.physicsBody! .contactTestBitMask = BottomCategory | BlockCategory | BorderCategory | PaddleCategory

Nothing new here, just added BorderCategory and PaddleCategory to the ball's contactTestBitMask mask so you can detect contact with the screen borders and when the ball makes contact with the paddle.

Next, let’s modify didBeginContact(_:) to add the sound effect by adding the following lines after the if/else statements that set firstBody and secondBody:

  1. // 1
  2.  
  3. if firstBody.categoryBitMask == BallCategory && secondBody.categoryBitMask == BorderCategory {
  4.  
  5. runAction(blipSound)
  6.  
  7. }
  8.  
  9. // 2
  10.  
  11. if firstBody.categoryBitMask == BallCategory && secondBody.categoryBitMask == PaddleCategory {
  12.  
  13. runAction(blipPaddleSound)
  14.  
  15. }

This code is responsible for checking for two new collisions:

(1) Play the blipSound sound effect when it bounces off the screen boundary.

(2) Play the blipPaddleSound sound effect when the ball touches the paddle.

Of course, you want to use a satisfying crunching sound effect when the ball breaks the bamboo block. To do this, you can add the following line to the top of the breakBlock(_:) method:

  1. runAction(bambooBreakSound)

***, insert the following line of code inside the didSet property observer created for the variable gameWon at the top of the class:

  1. runAction(gameWon ? gameWonSound : gameOverSound)

(II) Adding particle system

Now, let's add a particle system to the ball; this way, it'll leave a trail of flames as it bounces around!

To do this, add the following code to the didMoveToView(_:) method:

  1. // 1
  2.  
  3. let trailNode = SKNode ()
  4.  
  5. trailNode.zPosition = 1  
  6.  
  7. addChild(trailNode)
  8.  
  9. // 2
  10.  
  11. let trail = SKEmitterNode (fileNamed: "BallTrail")!
  12.  
  13. // 3
  14.  
  15. trail.targetNode = trailNode  
  16.  
  17. // 4
  18.  
  19. ball.addChild(trail)

Let's review what the above code does:

(1) Create an SKNode as the targetNode of the particle system.

(2) Create an SKEmitterNode from the BallTrail.sks file.

(3) Set targetNode to trailNode. This will anchor the particles so that they leave a trail; otherwise, the particles will always follow the ball.

(4) Attach the SKEmitterNode to the ball; this can be done by adding it as one of its children.

OK, that's all! Now you can build and run the project again to see how polished your game is after adding some small additions. See the image below.

six, summary

It is highly recommended that you download the example code for this tutorial for further study (the address is https://cdn4.raywenderlich.com/wp-content/uploads/2016/04/BreakoutFinal_p2.zip).

Of course, this article only shows a simple version of the bamboo-hitting game, and there are many things you can expand. For example, you can add a scoring function, or extend the code to set specific scores when a specific bamboo block is destroyed, create different types of bamboo blocks, and make the ball have to hit some (or all) of them multiple times before the bamboo blocks are destroyed. In addition, you can also add certain types of bamboo blocks to drop certain bonuses or props, let the paddle shoot lasers at the bamboo blocks, and so on. In short, it's up to you!

Developing a bamboo block game based on SpriteKit+Swift (Part 1)

<<:  Develop a bamboo block game based on SpriteKit+Swift

>>:  51CTO Academy and Xingyu Spacetime have reached a strategic cooperation in VR online education - VR training courses will be launched

Recommend

Douyin Training Camp Project Practice (Operation)

As the pressure of employment competition becomes...

How to create high-conversion information flow video content!

With regard to information flow advertising, ther...

Code to handle iOS horizontal and vertical screen rotation

1. Monitor screen rotation direction When dealing...

Breast cancer rapid ranking SEO optimization case training!

The latest SEO training case: Darwin's theory...

How to choose an open source project that suits you to read

[[148226]] People say that reading source code is...

A complete 5-step program for user growth!

This article’s 95-point growth plan is mainly div...

Brand Tmall Self-broadcasting Methodology

Brands’ self-broadcasting on Tmall presents both ...

What are the important functions of art app development?

The development of the art mini program combines ...

How did “Her Community” win tens of millions of users in four months?

Anti-counterfeiting startups have now become an e...