Android Game Development with libgdx – Prototype in a day, Part 1b
To render the world onto the screen, we need to create a screen for it and tell it to render the world. In libgdx there is a convenience class called Game
and we will rewrite the StarAssault
class a subclass of the Game
class provided by libgdx.
About Screens
A game can consist of multiple screens. Even our game will have 3 basic screens. The Start Game screen, the Play Screen and the Game Over screen. Each screen is concerned with the things happening on it and they don’t care about each other. The Start Game screen for example will contain the menu options Play and Quit. It has two elements (buttons) and it is concerned about handling the clicks/touches on those elements. It renders tirelessly those two buttons and if the Play button is clicked/touched, it notifies the main Game to load the Play Screen and get rid of the current screen. The Play Screen will run our game and will handle everything regarding the game. Once the Game Over state is reached, it tells the main Game to transition to the Game Over screen, whose sole purpose is to display the high scores and listen to clicks on the Replay button.
Let’s refactor the code and create just the main screen for the game for the time being. We will skip the start and game over screens.
The GameScreen.java
package net.obviam.starassault.screens; import com.badlogic.gdx.Screen; public class GameScreen implements Screen { @Override public void render(float delta) { // TODO Auto-generated method stub } @Override public void resize(int width, int height) { // TODO Auto-generated method stub } @Override public void show() { // TODO Auto-generated method stub } @Override public void hide() { // TODO Auto-generated method stub } @Override public void pause() { // TODO Auto-generated method stub } @Override public void resume() { // TODO Auto-generated method stub } @Override public void dispose() { // TODO Auto-generated method stub } }
The StarAssault.java
will become very simple.
package net.obviam.starassault; import net.obviam.starassault.screens.GameScreen; import com.badlogic.gdx.Game; public class StarAssault extends Game { @Override public void create() { setScreen(new GameScreen()); } }
GameScreen
implements the Screen
interface which is very much like an ApplicationListener
but it has 2 important methods added.
show()
– this is called when the main game makes this screen active
hide()
– this is called when the main game makes another screen active
StarAssault
has just one method implemented. The create()
does nothing more than to activate the newly instantiated GameScreen
. In other words, it creates it, calls the show()
method and will subsequently call its render()
method every cycle.
The GameScreen
becomes our focus for the next part as it is where the game will live. Remember that the game loop is the render()
method. But to have something to render we first need to create the world. The world can be created in the show()
method as we don’t have any other screens that can interrupt our gameplay. Currently, the GameScreen
is shown only when the game starts.
We will add two members to the class and implement the render(float delta)
method.
private World world; private WorldRenderer renderer; /** Rest of methods ommited **/ @Override public void render(float delta) { Gdx.gl.glClearColor(0.1f, 0.1f, 0.1f, 1); Gdx.gl.glClear(GL10.GL_COLOR_BUFFER_BIT); renderer.render(); }
The world
attribute is the World
instance which holds the blocks and Bob.
The renderer
is a class which will draw/render the world onto the screen (I will reveal it shortly).
The render(float delta)
Let’s create the WorldRenderer
class.
WorldRenderer.java
package net.obviam.starassault.view; import net.obviam.starassault.model.Block; import net.obviam.starassault.model.Bob; import net.obviam.starassault.model.World; import com.badlogic.gdx.graphics.GL10; import com.badlogic.gdx.graphics.OrthographicCamera; import com.badlogic.gdx.graphics.glutils.ShapeRenderer; import com.badlogic.gdx.graphics.glutils.ShapeRenderer.ShapeType; import com.badlogic.gdx.math.Rectangle; public class WorldRenderer { private World world; private OrthographicCamera cam; /** for debug rendering **/ ShapeRenderer debugRenderer = new ShapeRenderer(); public WorldRenderer(World world) { this.world = world; this.cam = new OrthographicCamera(10, 7); this.cam.position.set(5, 3.5f, 0); this.cam.update(); } public void render() { // render blocks debugRenderer.setProjectionMatrix(cam.combined); debugRenderer.begin(ShapeType.Rectangle); for (Block block : world.getBlocks()) { Rectangle rect = block.getBounds(); float x1 = block.getPosition().x + rect.x; float y1 = block.getPosition().y + rect.y; debugRenderer.setColor(new Color(1, 0, 0, 1)); debugRenderer.rect(x1, y1, rect.width, rect.height); } // render Bob Bob bob = world.getBob(); Rectangle rect = bob.getBounds(); float x1 = bob.getPosition().x + rect.x; float y1 = bob.getPosition().y + rect.y; debugRenderer.setColor(new Color(0, 1, 0, 1)); debugRenderer.rect(x1, y1, rect.width, rect.height); debugRenderer.end(); } }
The WorldRenderer
has only one purpose. To take the current state of the world and render its current state to the screen. It has a single public render()
method which gets called by the main loop (GameScreen
). The renderer needs to have access to the world
so we will pass it in when we instantiate the renderer. For the first step, we will render the bounding boxes of the elements (blocks and Bob) to see what we have so far. Drawing primitives in OpenGL is quite tedious but libgdx comes with a ShapeRenderer which makes this task very easy.
The important lines are explained.
#14 – Declares the world
as a member variable.
#15 – We declare an OrthographicCamera. We will use this camera to “look” at the world from an orthographic perspective. Currently the world is very small and it fits onto one screen, but when we will have an extensive level and Bob moves around in it, we will have to move the camera following Bob. It’s analogous to a real life camera. More on orthographic projections can be found here.
#18 – The ShapeRenderer
is declared. We will use this to draw primitives (rectangles) for the entities. This is a helper renderer that can draw primitives like lines, rectangles, circles. For anyone familiar with canvas based graphics, this should be easy.
#20 – The constructor which takes the world
as the parameter.
#22 – We create the camera with a viewport of 10 units wide and 7 units tall. This means that filling up the screen with unit blocks (width = height = 1) will result in showing 10 boxes on the X axis and 7 on the Y.
Important: This is resolution independent. If the screen resolution is 480×320, that means that 480 pixels represent 10 units, so a box will be 48 pixels wide. It also means that 320 pixels represent 7 units so the boxes on the screen will be 45.7 pixels tall. It won’t be a perfect square. This is due to the aspect ratio. The aspect ratio in our case is 10:7.
#23 – This lines positions the camera to look at the middle of the room. By default it looks at (0,0) which is the corner of the room. The camera’s (0,0) is in the middle as you would expect from a normal camera. The following image shows the world and camera set-up coordinates.
#24 – The internal matrices of the camera are updated. The update method must be called every time the camera is acted upon (move, zoom, rotate, etc). OpenGL hidden beautifully.
The render()
method:
#29 – We apply the matrix from the camera to the renderer. This is necessary as we positioned the camera and we want them to be the same.
#30 – We tell the renderer that we want to draw rectangles.
#31 – We will draw the blocks so we iterate through all of them in the world.
#32 – #34 – Extract the coordinates of the each block’s bounding rectangle. OpenGL works with vertices (points) so for it to draw a rectangle have to know the coordinates for the starting point and the width. Notice that we work in camera coordinates which coincides with the world coordinates.
#35 – Set the color of the rectangles to red.
#36 – Draw the rectangle at the x1, y1 with the given width
and height
.
#39 – #44 – We do the same with Bob, but this time the rectangle is green.
#45 – We let the renderer know that we’re done drawing rectangles.
We need to add the renderer
and the world
to the GameScreen
(main loop) and see it in action.
Modify the GameScreen
like this:
package net.obviam.starassault.screens; import net.obviam.starassault.model.World; import net.obviam.starassault.view.WorldRenderer; import com.badlogic.gdx.Gdx; import com.badlogic.gdx.Screen; import com.badlogic.gdx.graphics.GL10; public class GameScreen implements Screen { private World world; private WorldRenderer renderer; @Override public void show() { world = new World(); renderer = new WorldRenderer(world); } @Override public void render(float delta) { Gdx.gl.glClearColor(0.1f, 0.1f, 0.1f, 1); Gdx.gl.glClear(GL10.GL_COLOR_BUFFER_BIT); renderer.render(); } /** ... rest of method stubs omitted ... **/ }
The render(float delta)
method has 3 lines. The first 2 lines clear the screen with black and the 3rd line simply calls the renderer’s render()
method.
The World
and WorldRenderer
are created when the screen is shown.
To test it on both the desktop and Android, we have to create the launchers for both platforms. Creating the Desktop and Android Launchers
We have created 2 more projects in the beginning.
star-assault-desktop
and star-assault-android
, the latter being an Android project.
For the desktop project is dead simple. We need to create a class with a main
method in it which instantiates an application provided by libgdx.
Create the StarAssaultDesktop.java
class in the desktop project.
package net.obviam.starassault; import com.badlogic.gdx.backends.lwjgl.LwjglApplication; public class StarAssaultDesktop { public static void main(String[] args) { new LwjglApplication(new StarAssault(), "Star Assault", 480, 320, true); } }
This is it. Line #7 is where everything happens. It instantiates a new LwjglApplication
application passing in a new StarAssault
instance which is a Game
implementation. The 2nd and 3rd parameters tell the window’s dimension. I opted for 480×320 because it is a resolution supported on many Android phones and I want to resemble it on the desktop. The last parameter tells libgdx to use OpenGL ES 2.
Running the application as a normal Java program should produce the following result:
If you are getting some errors, track back and make sure the set-up is correct and all the steps are followed, including checking gdx.jar at the export tab on the star-guard Project properties -> Build Path.
The Android Version
In the star-assault-android
project there is a single java class called StarAssaultActivity
.
Change it to:
StarAssaultActivity.java
package net.obviam.starassault; import android.os.Bundle; import com.badlogic.gdx.backends.android.AndroidApplication; import com.badlogic.gdx.backends.android.AndroidApplicationConfiguration; public class StarAssaultActivity extends AndroidApplication { /** Called when the activity is first created. */ @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); AndroidApplicationConfiguration config = new AndroidApplicationConfiguration(); config.useAccelerometer = false; config.useCompass = false; config.useWakelock = true; config.useGL20 = true; initialize(new StarAssault(), config); } }
Pay attention that the new activity extends AndroidApplication
.
In line #13 an AndroidApplicationConfiguration
object is created. We can set all types of configurations regarding the Android platform. They are self explanatory but note that if we want to use the Wakelock
, the AndroidManifest.xml
file also needs to be modified. This asks permission from Android to keep the device on and to prevent dimming the screen if we don’t touch it.
Add the following line to the AndroidManifest.xml
file somewhere inside the <manifest>
tags.
<uses-permission android:name="android.permission.WAKE_LOCK"/>
Also in line #17 we tell Android to use OpenGL ES 2. This means we will be able to test it only on a device as the emulator does not support OpenGL ES 2. In case there is a problem with it, switch this to false
.
Line #18 initialises the Android application and launches it.
Having a device connected to eclipse, it gets directly deployed and below you can see a photo of the application running on a nexus one. It looks identical to the desktop version.
The MVC Pattern
It’s quite impressive how far we came in such a short time. Note the use of the MVC pattern. It’s very efficient and simple. The models are the entities we want to display. The view is the renderer. The view draws the models onto the screen. Now we need to interact with the entities (especially Bob) and we will introduce some controllers too.
To read more on the MVC pattern, check out my other article or search for it on the net. It’s very useful.
Adding Images
So far it’s all nice but definitely we want to use some proper graphics. The power of MVC comes in handy and we will modify the renderer so it will draw images instead of rectangles.
In OpenGL to display an image is quite a complicated process. First it needs to be loaded, turned into a texture and then mapped to a surface which is described by some geometry. libgdx makes this extremely easy. To turn an image from the disk into a texture is a one liner.
We will use 2 images hence 2 textures. One texture for Bob and one for the blocks. I have created two images, a block and Bob. Bob is a copycat of the Star Guard chap. These are simple png files and I will copy them into the assets/images
directory. I have two images: block.png
and bob_01.png
. Eventually Bob will become an animated character so I suffixed it with a number (panning for the future).
First let’s clean up the WorldRenderer
a bit, namely, to extract the drawing of rectangles into a separate method as we will be using it for debug purposes.
We will need to load the textures and render them accordingly to the screen.
Take a look at the new WorldRenderer.java
package net.obviam.starassault.view; import net.obviam.starassault.model.Block; import net.obviam.starassault.model.Bob; import net.obviam.starassault.model.World; import com.badlogic.gdx.Gdx; import com.badlogic.gdx.graphics.Color; import com.badlogic.gdx.graphics.OrthographicCamera; import com.badlogic.gdx.graphics.Texture; import com.badlogic.gdx.graphics.g2d.SpriteBatch; import com.badlogic.gdx.graphics.glutils.ShapeRenderer; import com.badlogic.gdx.graphics.glutils.ShapeRenderer.ShapeType; import com.badlogic.gdx.math.Rectangle; public class WorldRenderer { private static final float CAMERA_WIDTH = 10f; private static final float CAMERA_HEIGHT = 7f; private World world; private OrthographicCamera cam; /** for debug rendering **/ ShapeRenderer debugRenderer = new ShapeRenderer(); /** Textures **/ private Texture bobTexture; private Texture blockTexture; private SpriteBatch spriteBatch; private boolean debug = false; private int width; private int height; private float ppuX; // pixels per unit on the X axis private float ppuY; // pixels per unit on the Y axis public void setSize (int w, int h) { this.width = w; this.height = h; ppuX = (float)width / CAMERA_WIDTH; ppuY = (float)height / CAMERA_HEIGHT; } public WorldRenderer(World world, boolean debug) { this.world = world; this.cam = new OrthographicCamera(CAMERA_WIDTH, CAMERA_HEIGHT); this.cam.position.set(CAMERA_WIDTH / 2f, CAMERA_HEIGHT / 2f, 0); this.cam.update(); this.debug = debug; spriteBatch = new SpriteBatch(); loadTextures(); } private void loadTextures() { bobTexture = new Texture(Gdx.files.internal("images/bob_01.png")); blockTexture = new Texture(Gdx.files.internal("images/block.png")); } public void render() { spriteBatch.begin(); drawBlocks(); drawBob(); spriteBatch.end(); if (debug) drawDebug(); } private void drawBlocks() { for (Block block : world.getBlocks()) { spriteBatch.draw(blockTexture, block.getPosition().x * ppuX, block.getPosition().y * ppuY, Block.SIZE * ppuX, Block.SIZE * ppuY); } } private void drawBob() { Bob bob = world.getBob(); spriteBatch.draw(bobTexture, bob.getPosition().x * ppuX, bob.getPosition().y * ppuY, Bob.SIZE * ppuX, Bob.SIZE * ppuY); } private void drawDebug() { // render blocks debugRenderer.setProjectionMatrix(cam.combined); debugRenderer.begin(ShapeType.Rectangle); for (Block block : world.getBlocks()) { Rectangle rect = block.getBounds(); float x1 = block.getPosition().x + rect.x; float y1 = block.getPosition().y + rect.y; debugRenderer.setColor(new Color(1, 0, 0, 1)); debugRenderer.rect(x1, y1, rect.width, rect.height); } // render Bob Bob bob = world.getBob(); Rectangle rect = bob.getBounds(); float x1 = bob.getPosition().x + rect.x; float y1 = bob.getPosition().y + rect.y; debugRenderer.setColor(new Color(0, 1, 0, 1)); debugRenderer.rect(x1, y1, rect.width, rect.height); debugRenderer.end(); } }
I’ll point out the important lines:
#17 & #18 – Declared constants for the viewport’s dimensions. It’s used for the camera.
#27 & #28 – Declare the 2 textures that will be used for Bob and the blocks.
#30 – The SpriteBatch
is declared. The SpriteBatch
takes care of all the texture mapping, displaying and so on for us.
#31 – It’s an attribute set in the constructor to know if we need to render the debug screen too or not. Remember, the debug rendering will just render the boxes for the game elements.
#32 – #35 – these variables are necessary to correctly display the elements. The width
and height
hold the screen size in pixels and are passed in from the operating system at the resize
step. The ppuX
and ppuY
are the number of pixels per unit.
Because we set the camera to have a view port of 10×7 in world coordinates (meaning we can display 10 boxes horizontally and 7 boxes vertically) and we are dealing with pixels on the end result, we need to map those values to the actual pixel coordinates. We have chosen to work in a 480×320 resolution. That means that 480 pixels horizontally are equivalent of 10 units, meaning a unit will consists of 48 pixels on the screen.
If we try to use the same unit for the height (48 pixels) we get 336 pixels (48 * 7 = 336). But we have only 320 pixels available and we want to show the whole 7 blocks height. Doing the same for the vertical part, we get that 1 unit vertically will be 320 / 7 = 45.71 pixels. We need to distort every image a bit to fit in our world.
It’s perfectly fine and OpenGL does that very easily. This happens when we change the aspect ratio on our TV set and sometimes the image gets elongated or squashed to fit everything on the screen, or we just simply choose the option to cut the image off but maintain the aspect ratio.
Note: we use float
for this, even if the screen resolution deals with ints, OpenGL prefers floats and so do we. OpenGL will work out the dimensions and where to place pixels.
#36 – The setSize (int w, int h)
method will be called every time the screen is resized and it simply (re)calculates the units in pixels.
#43 – The constructor changed just a little but it does very important things. It instantiates the SpriteBatch
and loads the textures (line #50).
#53 – loadTextures()
does what it says: loads the textures. Look how incredibly simple it is. To create a texture, we need to pass in a file handler and it creates a texture out of it. The file handlers in libgdx are very helpful, as we don’t differentiate between Android or deskop, we just specify that we want to use an internal file and it knows how to load it. Note that for the path we skipped assets
because assets
is used as a source directory, meaning everything from that directory gets copied into the root of the final bundle. So assets
acts as a root directory.
#58 – the new render()
method contains just a few lines.
#59 & #62 – enclose a SpriteBatch
drawing block/session. Every time we want to render images in OpenGL through the SpriteBatch
we have to call begin()
, draw our stuff and end()
when we’re done. It is important to do that, otherwise it won’t work. You can read more on SpriteBatch here.
#60 & #61 – simply call 2 methods to render first the blocks and then Bob.
#63 & #64 – if debug
is enabled, call the method to render the boxes. The drawDebug
method was detailed previously.
#67 – #76 – the drawBlocks
and drawBob
methods are similar. Each method calls the draw
method of the spriteBatch
with a texture. It is important to understand this.
The first parameter is the texture (the image loaded from the disk).
The second and third parameters tell the spriteBatch
where to display the image. Note that we use the conversion of coordinates from world coordinates to screen coordinates. Here is where the ppuX
and ppuY
are used. You can do the calculations by hand and see where the images get displayed. SpriteBatch
by default uses a coordinate system with the origin (0, 0) in the bottom left corner.
That’s it. Just make sure you modify the GameScreen
class so the resize
gets called on the renderer and also to set the renderer’s debug
to true
.
The modified bits of GameScreen
/** ... omitted ... **/ public void show() { world = new World(); renderer = new WorldRenderer(world, true); } public void resize(int width, int height) { renderer.setSize(width, height); } /** ... omitted ... **/
Running the application should produce the following result:
without debug
and with debug rendering
Great! Give it a try on Android too and see how it looks.
Processing Input – on Desktop & Android
We’ve come a long way but so far the world is static and nothing interesting is going on. To make it a game, we need to add input processing, to intercept keys and touches and create some action based on those.
The control schema on the Desktop is very simple. The arrow keys will move Bob to the left and right, z will make Bob jump and x will fire the weapon. On Android we will have a different approach. We will designate some buttons for these functions and will lay it down on the screen and by touching the respective areas we will consider one of the keys pressed.
To follow the MVC pattern, we’ll separate the class that controls Bob and the rest of the world from the model and view classes. Create the package net.obviam.starassault.controller
and all controllers will go there.
For the start we will control Bob by key presses. To play the game we to track the status of 4 keys: move left, move right, jump and fire. Because we will use 2 types of input (keyboard and touch-screen), the actual events need to be fed into a processor that can trigger the actions.
Each action is triggered by an event.
The move left action is triggered by the event when the left arrow key is pressed or a certain area of the screen is touched.
The jump action is triggered when the z key is pressed and so on.
Let’s create a very simple controller called WorldController
.
WorldController.java
package net.obviam.starassault.controller; import java.util.HashMap; import java.util.Map; import net.obviam.starassault.model.Bob; import net.obviam.starassault.model.Bob.State; import net.obviam.starassault.model.World; public class WorldController { enum Keys { LEFT, RIGHT, JUMP, FIRE } private World world; private Bob bob; static Map<Keys, Boolean> keys = new HashMap<WorldController.Keys, Boolean>(); static { keys.put(Keys.LEFT, false); keys.put(Keys.RIGHT, false); keys.put(Keys.JUMP, false); keys.put(Keys.FIRE, false); }; public WorldController(World world) { this.world = world; this.bob = world.getBob(); } // ** Key presses and touches **************** // public void leftPressed() { keys.get(keys.put(Keys.LEFT, true)); } public void rightPressed() { keys.get(keys.put(Keys.RIGHT, true)); } public void jumpPressed() { keys.get(keys.put(Keys.JUMP, true)); } public void firePressed() { keys.get(keys.put(Keys.FIRE, false)); } public void leftReleased() { keys.get(keys.put(Keys.LEFT, false)); } public void rightReleased() { keys.get(keys.put(Keys.RIGHT, false)); } public void jumpReleased() { keys.get(keys.put(Keys.JUMP, false)); } public void fireReleased() { keys.get(keys.put(Keys.FIRE, false)); } /** The main update method **/ public void update(float delta) { processInput(); bob.update(delta); } /** Change Bob's state and parameters based on input controls **/ private void processInput() { if (keys.get(Keys.LEFT)) { // left is pressed bob.setFacingLeft(true); bob.setState(State.WALKING); bob.getVelocity().x = -Bob.SPEED; } if (keys.get(Keys.RIGHT)) { // left is pressed bob.setFacingLeft(false); bob.setState(State.WALKING); bob.getVelocity().x = Bob.SPEED; } // need to check if both or none direction are pressed, then Bob is idle if ((keys.get(Keys.LEFT) && keys.get(Keys.RIGHT)) || (!keys.get(Keys.LEFT) && !(keys.get(Keys.RIGHT)))) { bob.setState(State.IDLE); // acceleration is 0 on the x bob.getAcceleration().x = 0; // horizontal speed is 0 bob.getVelocity().x = 0; } } }
#11 – #13 – define an enum
for the actions Bob will perform. Each keypress/touch can trigger one action.
#15 – declare the World
that is in the game. We will be controlling the entities found in the world.
#16 – declare Bob
as a private member and it is just a reference to Bob
in the game world, but we will need it as it’s easier to refer to it than retrieving it every time we need him.
#18 – #24 – it’s a static HashMap
of the keys and their statuses. If the key is pressed, it’s true
, false
otherwise. It is statically initialised. This map will be used in the controller’s update
method to work out what to do with Bob.
#26 – This is the constructor that takes the World
as the parameter and gets the reference to Bob as well.
#33 – #63 – These methods are simple callbacks that are called whenever an action button was pressed or a touch on a designated area happened. These methods are the ones that get called from whatever input we’re using. They simply set the the value of the respective pressed keys in the map. As you can see, the controller is a state machine too and its state is given by the keys
map.
#66 – #69 – the update
method which gets called every cycle of the main loop. currently it does 2 things: 1 – processes the input and 2 – updates Bob. Bob has a dedicated update
method which we will see later.
#72 – #92 – the processInput
method polls the keys
map for the keys and sets the values on Bob accordingly. For example lines #73 – #78 check if the key is pressed for the movement to the left and if so, then sets the facing for Bob to the left, his state to State.WALKING
and his velocity to Bob’s speed but with a negative sign. The sign is because on the screen, left the negative direction (origin is in the bottom left and points to the right).
The same thing for the right. There are some extra checks if both keys are pressed or none and in this case, Bob becomes State.IDLE
and his horizontal velocity will be 0
.
Let’s see what changed in Bob.java
.
public static final float SPEED = 4f; // unit per second public void setState(State newState) { this.state = newState; } public void update(float delta) { position.add(velocity.tmp().mul(delta)); }
Just changed the SPEED
constant to 4 units (blocks) per second.
Also added the setState
method because I forgot it before.
The most interesting is the newly acquired update(float delta)
method, which is called from the WorldController
. This method simply updates Bob’s position based on his velocity. For simplicity we do only that without checking his state and because the controller takes care to set the velocity for Bob according to his facing and state. We use vector math here and libgdx helps a lot.
We simply add the distance travelled in delta
seconds to Bob’s current position
. We use velocity.tmp()
because the tmp()
creates a new object with the same value as velocity
and we multiply that object’s value with the elapsed time delta
. In Java we have to be careful on how we’re using references as velocity and position are both Vector2 objects. More on vectors here http://en.wikipedia.org/wiki/Euclidean_vector.
We have almost everything, we just need to call the correct events when they happen. libgdx has an input processor which has a few callback methods. Because we are using the GameScreen
as the playing surface, it makes sense to use it as the input handler too. To do this, the GameScreen
will implement the libgdx InputProcessor
.
The new GameScreen.java
package net.obviam.starassault.screens; import net.obviam.starassault.controller.WorldController; import net.obviam.starassault.model.World; import net.obviam.starassault.view.WorldRenderer; import com.badlogic.gdx.Gdx; import com.badlogic.gdx.Input.Keys; import com.badlogic.gdx.InputProcessor; import com.badlogic.gdx.Screen; import com.badlogic.gdx.graphics.GL10; public class GameScreen implements Screen, InputProcessor { private World world; private WorldRenderer renderer; private WorldController controller; private int width, height; @Override public void show() { world = new World(); renderer = new WorldRenderer(world, false); controller = new WorldController(world); Gdx.input.setInputProcessor(this); } @Override public void render(float delta) { Gdx.gl.glClearColor(0.1f, 0.1f, 0.1f, 1); Gdx.gl.glClear(GL10.GL_COLOR_BUFFER_BIT); controller.update(delta); renderer.render(); } @Override public void resize(int width, int height) { renderer.setSize(width, height); this.width = width; this.height = height; } @Override public void hide() { Gdx.input.setInputProcessor(null); } @Override public void pause() { // TODO Auto-generated method stub } @Override public void resume() { // TODO Auto-generated method stub } @Override public void dispose() { Gdx.input.setInputProcessor(null); } // * InputProcessor methods ***************************// @Override public boolean keyDown(int keycode) { if (keycode == Keys.LEFT) controller.leftPressed(); if (keycode == Keys.RIGHT) controller.rightPressed(); if (keycode == Keys.Z) controller.jumpPressed(); if (keycode == Keys.X) controller.firePressed(); return true; } @Override public boolean keyUp(int keycode) { if (keycode == Keys.LEFT) controller.leftReleased(); if (keycode == Keys.RIGHT) controller.rightReleased(); if (keycode == Keys.Z) controller.jumpReleased(); if (keycode == Keys.X) controller.fireReleased(); return true; } @Override public boolean keyTyped(char character) { // TODO Auto-generated method stub return false; } @Override public boolean touchDown(int x, int y, int pointer, int button) { if (x < width / 2 && y > height / 2) { controller.leftPressed(); } if (x > width / 2 && y > height / 2) { controller.rightPressed(); } return true; } @Override public boolean touchUp(int x, int y, int pointer, int button) { if (x < width / 2 && y > height / 2) { controller.leftReleased(); } if (x > width / 2 && y > height / 2) { controller.rightReleased(); } return true; } @Override public boolean touchDragged(int x, int y, int pointer) { // TODO Auto-generated method stub return false; } @Override public boolean touchMoved(int x, int y) { // TODO Auto-generated method stub return false; } @Override public boolean scrolled(int amount) { // TODO Auto-generated method stub return false; } }
The changes:
#13 – the class implements the InputProcessor
#19 – the width and height of the screen used by the Android touch events.
#25 – instantiate the WorldController
with the world.
#26 – set the this screen as the current input processor for the the application. libgdx treats this as a global input processor so each screen has to set a different one if they don’t share the same. In this case the screen itself handles the input.
#47 & #62 – we set the active global input processor to null
just for cleanup.
#68 – the method keyDown(int keycode)
is triggered whenever a key is pressed on the physical keyboard. The parameter keycode
is the value of the pressed key and this way we can poll it and in case it’s a desired key, do something. This is exactly what’s happening. Based on the keys we want, we pass on the event to the controller. The method also returns true
to let the input processor know that the input was handled.
#81 – the keyUp
is the exact inverse of the keyDown
method. When the key is released, it simply delegates to the WorldController
.
#111 – #118 – this is where it gets interesting. This happens only on touch-screens and the coordinates are passed in along with the pointer and button. The pointer is for multi-touch and represents the id of the touch it captures.
The controls are utterly simple and are made just for simple demo purposes. The screen is divided into 4 and if the touch falls int to lower left quadrant, it is treated as a move left action trigger and passes the same event as the desktop to the controller
.
Exactly the same thing for the touchUp.
Warning: – This is very buggy and unreliable, as the touchDragged is not implemented and whenever the finger is dragged across quadrants it will mess up things. This will be fixed of course, the purpose is to demonstrate the multiple hardware inputs and how to tie them together.
Running the application on both desktop and Android will demonstrate the controls. On desktop the arrow keys and on Android by touching the lower corners of the screen will move Bob.
On desktop you will notice that using the mouse to simulate touches will also work. This is because touchXXX
also handles mouse input on desktop. To fix this add the following line to the beginning of touchDown
and touchUp
methods:
if (!Gdx.app.getType().equals(ApplicationType.Android)) return false;
This returns false
if the application is not Android and does not execute the rest of the method. Remember that false
means that the input was not handled.
As we can see, Bob has moved.
Short Recap
So far we have covered quite a bit of game development and we already have something to show.
Gradually we have introduced working pieces into our app and step by step we have achieved something.
We still need to add:
- Terrain interaction (block collision, jump)
- Animation
- A big level and camera to follow Bob
- Enemies and a gun to blast them
- Sounds
- Refined controls and fine tuning
- More screens for game over and start
- Have more fun with libgdx
Make sure you check out Part 2 (which is still in progress) in order to tick the aforementioned list. But go ahead and do it yourself by all means and any feedback is much appreciated.
Also check out libgdx and its awesome community. The source code for this project can be found here: https://github.com/obviam/star-assault
To check it out with git:
git clone git@github.com:obviam/star-assault.git
You can also download it as a zip file.
Check the next part of this tutorial here.
Reference: Getting Started in Android Game Development with libgdx – Create a Working Prototype in a Day – Tutorial Part 1 from our JCG partner Impaler at the Against the Grain blog.
Thanks for the tutorial! This is my first dive into libgdx and opengl es, and I find it very useful.
There’s a typo in World class: find and replace Vector2(i, 7) with Vector2(i, 6).
There is another problem that I didn’t solve yet – when running the desktop application, than resizing the window causes the debug rectangle to set size correctly, whereas the textures changes sizes twice as much (i.e decrease the width by 2 decreases the texture width by 4)
found where the problem is: in WorldRenderer > setSize(..), ppuX and ppuY should actually keep their initial value, and they will stretch with the window. I’ve added: “if (ppuX==0) {…set them here… }”, and it solved the problem.
Or you could leave the setSize() method as it is, remove its call in the resize() method and add the following line to the end of the show() method in the GameScreen class:
renderer.setSize(Gdx.graphics.getWidth(), Gdx.graphics.getHeight());
Hi Thanks for the tutorial, I am currently going through the code and applying it to my game idea to see if i can make it work. My main aim is to understand MVC better and apply it to my creations.
I have one issue though..
In the WorldRenderer class, within the render(); the part where you specify the code Rectangle rect = bob.getBounds();
It states “getBounds is undefined” ?
how would i get round this as i have created a class identical to the one you have stated in the tutorial.
any help would be great thanks
Daniel
Figured it.. should state : bob.bounds; (the name of the Rectangle stated from the bob class)
Actually thats incorrect, you need to implement the getBounds() method yourself(its just not shown). I mean you can use bob.bounds but it ruins encapsulation.
public Rectangle getBounds() { return bounds; }
is what what you need.
Thank you, this was very helpful!
Looking forward to part 2
The best libGDX tutorial out there. I wish there was a part 2 out as well.
Thanks for the very intresting tutorialfor some reason I do not get any texture. the debug draw work fine.
The program deosnt not crash it seam to work fine but I am getting onyl a black screen
this is truenot only for this tutorial but also for OpenGL texture mapping
what could be the root cuase?, Anyone can help?
Thanks
Same here – I just get a black screen but no crash/errors. Anyone?
zsternb – I found a solution to the EMPTY BLACK SCREEN problem (in another thread)! Mysteriously enough – in the StarAssault.java file in the main project, comment out or erase the empty method stubs and it will work. In other words – just keep the
@Override
public void create() {
setScreen(new GameScreen());
}
and erase all other methods even if they have empty bodies. This problem made me semi-depressed for two days – hehe (uhuhuu)!
This didn’t work for me, instead, inside the constructor of the WorldRenderer class, call the public method setSize(480, 320);
Here’s what it would look like:
public WorldRenderer(World world, boolean debug) {
this.world = world;
this.cam = new OrthographicCamera(CAMERA_WIDTH, CAMERA_HEIGHT);
this.cam.position.set(CAMERA_WIDTH / 2f, CAMERA_HEIGHT / 2f, 0);
this.cam.update();
this.debug = debug;
spriteBatch = new SpriteBatch();
setSize(480, 320);
loadTextures();
}
Has this tutorial been abandoned, or can we expect a second part in the future?
Hi, and thanx for everything! I belive there is a little bug inside the drawDebug() method in the WorldRenderer class. The
+rect.x
-part inblock.getPosition().x + rect.x;
(same for y) I didn’t understand. In the external next tutorial based on this one – I get rid of a displaement-bug for the debug-rect when I simply removed “rect.x” and “rect.y”Guys, you may find the sequel to this tutorial here: http://www.javacodegeeks.com/2013/02/android-game-development-with-libgdx-animation-part-2.html
Both Bob and Block need to be refactored to work with the example code on this page. There are no getPosition() or getBounds() methods in either.
Also, ShapeType.Rectangle is invalid. No idea if this will work yet because we haven’t discussed how to compile this code, but I had to change that to ShapeType.Filled.
Same problem here. Did you ever get it figured out?
Just create the necessary setters and getters for the position and bounds variable of the Bob and Block classes. Use ShapeType.Line instead of ShapeType.Rectangle
What should the code look like?
He told you, Instead of using Shape.Rectangle use Shape.Line or Shape.Fill
Either will work.
I think ShapeType.Line is better.
thanks really.. i got so many idea till this part of tutorail… now i m going to next part….
hi, why the tmp() was not exist when I used for velocity variable?
use cpy() instead
and why don’t just simply write: keys.put(Keys.LEFT,true); instead of keys.get(keys.put(Keys.LEFT,true));
I think keys.put(K,V) is return the V, how we can get a value from a value, it’s not true, I just don’t know why it’s worked.
P/S: Sorry if my English is so bad.
for me this haven’t worked:
public void update(float delta) {
position.add(velocity.tmp().mul(delta)); -deprecated
}
just to use some physics ,and here we go:
public void update(float delta) {
position.x = position.x + velocity.x*delta;
position.y= position.y + velocity.y*delta;
}
it worked for me)))
for part 4: Hi guys! I have spent a couple hours debugging this code(part 4). Finally all is working. logic of this code is very nice(Thank very much to author) Just will be nice to add some additional line of code: constructor for blocks: public Block(Vector2 pos) { this.position = pos; this.bounds.width = SIZE; this.bounds.height = SIZE; this.bounds.x= pos.x; // to add this.bounds.y= pos.y; // to add } in class BobConrtoller add: grounded = false; // add this one ; for(Block block: collidable){ if(block == null) continue; if(bobRect.overlaps(block.getBounds())){ if(bob.getVelocity().y <0 ) { grounded = true; } bob.getVelocity().y = 0; world.getCollisionRects().add(block.getBounds());… Read more »