Simple PHP Game in PHP using Raylib: Snake (with source code)

Leia em Português

Yes, you read it right!

A game. Written in PHP language.

Before I show you how, I'd like to to show you the results! Is not polished, so lower your expectations for now. I just wanted a POC good enough to be shown here 😬

You can see the gameplay on the video below.

Cool, right!? And this is just a POC, but with the current state of the extension you can already play around with different textures, audios and so on.

I'm gonna show you how the code looks like and which tools I used! Hopefully it will catch your attention enough to see this extension getting traction.

Before anything, let me tell you a bit about raylib itself.

Raylib

Written in C language, Raylib is defined as "a simple and easy-to-use library to enjoy videogames programming".

It offers very straight forward functions to manipulate video, audio, read inputs like keyboard, mouse or gamepads. It also supports 2d and 3d rendering. Is a pretty complete library.

Here's an overview of Raylib's architecture. It expects that you'll write your game, engine or tools on top of Raylib's modules. Modules offer features to handle things like camera, textures, text, shapes, models, audio, math…

Raylib's architecture overview.
Raylib's architecture overview. Source: https://www.raylib.com/index.html

It doesn't come with engine stuff, like complicated collision detection or physics. If you need such thing, you need to build it yourself. Or find something already written by someone else that is ready to work with Raylib.

Raylib PHP Extension

Recently a PHP extension caught my attention. Developed by @joseph-montanez quite a while ago, the raylib-php extension got its first alpha release less than a month ago.

If you need to learn how to compile and run it please head to the repository's README.md file. On MacOS the following steps worked fine for me:

$ git clone [email protected]:joseph-montanez/raylib-php.git
$ cd raylib-php/
$ phpize
$ ./configure
$ make

It only compiled fine with PHP 7.4 for me. So make sure you have the appropriate php version.

This extension aims to provide bindings to the C library so we can write same games in PHP.

Of course as the C library won't provide game-specific features like physics and others. So such things would have to be developed on PHP side.

This extension is not complete yet. You can check the MAPPING.md file from the official repository to understand what was already accomplished.

Even though it is not complete, I decided to play a bit with it and, as far as I can see, it is already pretty functional.

A Simple Snake Game

Even though "Snake" is a simple game I decided not to implement it completely. My main goal here was to have a good enough running engine that would test some basic features from the extension.

I picked then a couple of requirements to implement:

Should be clear, but is also required that the player would change Snake's direction using an input device, like a keyboard.

Two extremely important requirements I chose not to implement were 1) that the Snake should not bite itself. Meaning that if by any reason Snake hits its own body, the game should be over. And 2) that Snake cannot change immediately to its opposite direction. So when you're heading right, switching to left direction would require to first go up or down.

Those two requirements were not implemented as they as purely algorithmic and wouldn't add much to the experimentation of the extension itself.

Implementation

The implementation of this game has two components: a Game Loop and a Game State.

The game loop is responsible for updating the game state based on user inputs and calculations and later on painting this state on the screen. For this I've created a class named "GameLoop".

The game state holds a snapshot of the game. It holds things like the player's score, the fruit's x,y coordinates, the x,y coordinates from Snake and all squares composing its body. For this one a “GameState” class was created.

Here's how they look like.

Game Loop

The GameLoop class initializes the system, and creates a loop that executes two steps on each iteration: update state and draw state.

So in the constructor I just initialize the canvas width and height and instantiate the GameState.

As parameters to the GameState I passed width and height divided by a desired cell size (30 pixels in my case). Such values represent the max X and Y coordinates the GameState can work with. We'll check them later.

// GameLoop.php
final class GameLoop
{
  // ...
  public function __construct(
    int $width,
    int $height
  ) {
    $this->width = $width;
    $this->height = $height;

    // 30
    $s = self::CELL_SIZE;
    $this->state = new GameState(
      (int) ($this->width / $s),
      (int) ($this->height / $s)
    );
  }
  // ...
}

Later on, a public method named start() will then spawn a Window, set the frame rate and create an infinite loop - yes, a sort of while (true) - that will first trigger a private method update() and later on a method draw().

// ...
public function start(): void
{
  Window::init(
    $this->width,
    $this->height,
    'PHP Snake'
  );
  Timming::setTargetFPS(60);

  while (
    $this->shouldStop ||
    !Window::shouldClose()
  ) {
    $this->update();
    $this->draw();
  }
}
// ...

The update() method will be responsible for updating the game state instance. It does this by reading user's input (key presses) and doing things like checking collision and so on.

Based on calculations done in update() method, it triggers state changes on GameState instance.

private function update(): void
{
  $head = $this->state->snake[0];
  $recSnake = new Rectangle(
    (float) $head['x'],
    (float) $head['y'],
    1,
    1,
  );

  $fruit = $this->state->fruit;
  $recFruit = new Rectangle(
    (float) $fruit['x'],
    (float) $fruit['y'],
    1,
    1,
  );

  // Snake bites fruit
  if (
    Collision::checkRecs(
      $recSnake,
      $recFruit
    )
  ) {
    $this->state->score();
  }

  // Controls step speed
  $now = microtime(true);
  if (
    $now - $this->lastStep
      > (1 / $this->state->score)
  ) {
    $this->state->step();
    $this->lastStep = $now;
  }

  // Update direction if necessary
  if (Key::isPressed(Key::W)) {
    $this->state->direction = GameState::DIRECTION_UP;
  } else if (Key::isPressed(Key::D)) {
    $this->state->direction = GameState::DIRECTION_RIGHT;
  } else if (Key::isPressed(Key::S)) {
    $this->state->direction = GameState::DIRECTION_DOWN;
  } else if (Key::isPressed(Key::A)) {
    $this->state->direction = GameState::DIRECTION_LEFT;
  }
}

Last comes the draw() method. It will read properties on GameState and just print them. Applying all proportions and scales.

The way I've built this, it expects that X coordinates will range from 0 to (width divided by cell size) and Y coordinates will range from 0 to (height divided by cell size). By multiplying each coordinate by "cell size" we get a good enough scaled drawing without mixing up our state manipulation and drawing.

Quite simple. Looks like the following:

private function draw(): void
{
  Draw::begin();

  // Clear screen
  Draw::clearBackground(
    new Color(255, 255, 255, 255)
  );

  // Draw fruit
  $x = $this->state->fruit['x'];
  $y = $this->state->fruit['y'];
  Draw::rectangle(
    $x * self::CELL_SIZE,
    $y * self::CELL_SIZE,
    self::CELL_SIZE,
    self::CELL_SIZE,
    new Color(200, 110, 0, 255)
  );

  // Draw snake's body
  foreach (
    $this->state->snake as $coords
  ) {
    $x = $coords['x'];
    $y = $coords['y'];
    Draw::rectangle(
      $x * self::CELL_SIZE,
      $y * self::CELL_SIZE,
      self::CELL_SIZE,
      self::CELL_SIZE,
      new Color(0,255, 0, 255)
    );
  }

  // Draw score
  $score = "Score: {$this->state->score}";
  Text::draw(
    $score,
    $this->width - Text::measure($score, 12) - 10,
    10,
    12,
    new Color(0, 255, 0, 255)
  );

  Draw::end();
}

There are some other things I've added for debugging but I'd rather leave them out from this article.

After this, comes the state management. This is GameState's responsibility. Check it out!

Game State

The GameState represents everything that exists in the game. Scores, objects like the player and the fruits.

This means that whenever the player must move or a fruit must be eaten, this will happen inside GameState.

For the Snake's body I decided to have an array with (x, y) coordinates inside. And I consider the first element of the array (index zero) to be the Snake's head. Adding more (x, y) elements to this array would then increase the Snake's body size.

The fruit, though, is a single (x, y) coordinates pair. As I expect to have only one fruit on screen each time.

The constructor of the GameState class will initialize such objects with random coordinates. It looks like this:

// GameState.php
final class GameState
{
  public function __construct(
    int $maxX,
    int $maxY
  ) {
    $this->maxX = $maxX;
    $this->maxY = $maxY;

    $this->snake = [
        $this->craftRandomCoords(),
    ];

    $this->fruit = $this->craftRandomCoords();
  }
}

To increase the Snake's body size, I created a private method named incrementBody() which should add a new head to the Snake's body. This new head shall consider the current direction the Snake is heading to. (left, right, up or down)

To add a new head, I just create copy the current Head, update its coordinates based on current direction and merge it to Snake's body occupying the zero index.

private function incrementBody(): void
{
  $newHead = $this->snake[0];

  // Adjusts head direction
  switch ($this->direction) {
    case self::DIRECTION_UP:
      $newHead['y']--;
      break;
    case self::DIRECTION_DOWN:
      $newHead['y']++;
      break;
    case self::DIRECTION_RIGHT:
      $newHead['x']++;
      break;
    case self::DIRECTION_LEFT:
      $newHead['x']--;
      break;
  }

  // Adds new head, in front
  // of the whole the body
  $this->snake = array_merge(
    [$newHead],
    $this->snake
  );
}

Having the incrementBody() method in place makes it very simple to implement the score() method, which just increments the score counter and the snake's body. Also score() will place a new fruit in a random coordinate.

public function score(): void
{
  $this->score++;
  $this->incrementBody();
  $this->fruit = $this->craftRandomCoords();
}

The interesting one is the step() method, which is responsible for moving the snake.

If you remember well, the way Snake moves is that its head will constantly step towards one direction and the body will then follow it in a delayed fashion. So if the snake has 3 blocks as body size and is moving downwards, it takes three steps to make it face left completely.

The way I've done this was to basically increment the Snake's body again (which adds a new head in the new direction) and remove the last element from the snake's body. This way the size remains the same, the head has the new direction and on each step the old coordinates will be deleted.

I've also added some logic for warping from one edge of the screen to another, you can read it (I hope).

public function step(): void
{
  $this->incrementBody();

  // Remove last element
  array_pop($this->snake);

  // Warp body if necessary
  foreach ($this->snake as &$coords) {
    if ($coords['x'] > $this->maxX - 1) {
        $coords['x'] = 0;
    } else if ($coords['x'] < 0) {
        $coords['x'] = $this->maxX - 1;
    }

    if ($coords['y'] > $this->maxY - 1) {
        $coords['y'] = 0;
    } else if ($coords['y'] < 0) {
        $coords['y'] = $this->maxY - 1;
    }
  }
}

Glue everything together and instantiate stuff. We're ready to play!

Is it feasible to develop games in PHP?

Certainly it is more feasible than before. Hopefully less than tomorrow.

The extension provide really cool binding but is still not complete. If you know a tiny bit of C code, you could make the future a better place for game development in PHP by contributing to it. Here's a list where you can find the functions that still need implementation.

PHP is still blocking by default, so heavy I/O should be smartly handled. It is possible to use this library alongside an Event Loop or using threads from the Parallel extension. Probably you'll have to develop something yourself to achieve this.

What bugs me the most so far is how portable games written in php can be. There's no simple way to package such games into binaries. So players would have to install PHP and compile the Raylib extension in order to play.

But as I mentioned, the first steps were already taken. So technically speaking, it is already easier to achieve this than it was before.

Big thanks to Joseph Montanez. Your extension really inspired me and I hope this post reaches and triggers more developers to support its development.