Handling Button Presses

Up to this point, we have initialized our scene and drew a cat on the screen but we cannot do any more than that! In this section, we will add button handling and let the user move the cat around the screen when they press the D-pad buttons.

Creating the IO Handler Callback

To handle button presses, we will need to create the BM_Scene_CatPad_handleUserIO callback function in our scene:

//  BM_Scene_CatPad.c

// --snip--

void BM_Scene_CatPad_handleUserIO()
{

}

We can use the functions in BM_UserIOServices to detect any button presses that occur. There are different ways of detecting button presses but the function that we will use is BM_UserIO_getButtonState(). This function simply reads whether or not a given button is pressed as opposed to reading the transition from not-pressed to pressed.

Let's use BM_UserIO_getButtonState to read the states of the D-pad buttons:

//  BM_Scene_CatPad.c

//  --snip--

void BM_Scene_CatPad_handleUserIO()
{
    uint32_t buttonState = 0;

    //  Read D-pad buttons, UP, DOWN, LEFT and RIGHT
    BM_UserIO_getButtonState(BM_USERIO_UP, &buttonState);
    if (buttonState == 0)
        BM_Sprite_setVelocity(&_catSprite, _catSprite.dx, -BM_SCENE_CATPAD_VELOCITY);
    else
    {
        BM_UserIO_getButtonState(BM_USERIO_DOWN, &buttonState);
        if (buttonState == 0)
            BM_Sprite_setVelocity(&_catSprite, _catSprite.dx, BM_SCENE_CATPAD_VELOCITY);
        else
            BM_Sprite_setVelocity(&_catSprite, _catSprite.dx, 0);
    }

    BM_UserIO_getButtonState(BM_USERIO_LEFT, &buttonState);
    if (buttonState == 0)
        BM_Sprite_setVelocity(&_catSprite, -BM_SCENE_CATPAD_VELOCITY, _catSprite.dy);
    else
    {
        BM_UserIO_getButtonState(BM_USERIO_RIGHT, &buttonState);
        if (buttonState == 0)
            BM_Sprite_setVelocity(&_catSprite, BM_SCENE_CATPAD_VELOCITY, _catSprite.dy);
        else
            BM_Sprite_setVelocity(&_catSprite, 0, _catSprite.dy);
    }
}

BM_UserIO_getButtonState() expects a direction and a pointer to a uint32_t variable that stores the state of the button, buttonState. When the user presses a button, its state changes from HIGH (2.5V) to LOW (0V) - hence, the button is active low. Therefore, when a button is pressed, we expect buttonState to be 0. This is why the if-statement checks that buttonState is false (or, 0).

The velocity of the sprite is set using BM_Sprite_setVelocity(). When the up or down button is pressed, we do not want to modify the cat's horizontal velocity. Therefore, we pass in the cat's horizontal (or dx) value for the x velocity parameter while the y velocity is set to BM_SCENE_CATPAD_VELOCITY value that we defined earlier.

Likewise, when setting the horizontal velocities, we want to leave the y-velocities unmodified.

We have written code to handle button presses, but our cat will not move cross the screen yet! Next, we need to write the scene's update function.