Skip to content

Game : Game Engine Developer Guide

Tiffany Chong edited this page Jul 29, 2020 · 89 revisions

This is the developer guide for the Source Academy's Game Engine. You can use this to delve deeper to the engine inner workings, or use it for your own reference. If you want to contribute as story writers, please refer to the Story Writer Guide and the Txt Guide.

Source Academy Game Engine uses Phaser 3 internally, and its documentation can be found here.

This developer guide assumes basic familiarity with Phaser 3 structure (primarily on what is Phaser.Scene and Phaser.Game)


Table of Content

  1. Important Notes to know
  2. Story Processing Pipeline
  3. Interactions of Components
  4. Features
  5. Scenes
  6. Workflows
  7. Managers
  8. Parser
  9. Customise My Room (CMR)

Important Notes to Know

Source Code

All the source code of the game engine can be found in src/features/game and src/pages/academy/game of this repository.

Constraints

All the development of the game engine follows two main constraints:

  • Story writers do not need, at all time, required to set up their own local Source Academy i.e. story writing experience must be doable without touching the game engine itself.
  • Exercise good software principles; primarily extensibility and maintainability. This is an open source project; hence all modifications should be done while keeping these in mind.

Word of Caution

This is a game engine, not an application. While we try our best to make it as modular as possible, there is bound to be high coupling within the game engine.


Story Processing Pipeline

Below is a diagram of how the Game Engine consumes a text file written by the story writers.

This workflow allows story writer to only care about the Txt Syntax, and do not need to interact directly with the game engine.

The Parser will process the Txt file and output an object that is able to be processed by the game engine.

Pros Cons
- Obey the main constraint - Need to create API for game engine's capabilities at parser
- Separation of concern between game engine and story writing syntax

Interactions of Components

Interaction between Game Engine, Parser, and Story Simulator

[WIP]

Interaction between Game Engine and Source Academy Front-End

[WIP]

Interaction between Game Engine and Source Academy Back-End

[WIP]


Features

Actions

Actions is one of the main method that the game progresses (others being completing a mission or getting an achievement). Commonly, actions are triggered when user:

  • Interact with an object in Explore mode
  • Converse with a character at a location

That is, the actions are loaded into user interactions. Actions are powerful; they are able to mutate the state of the game (adding/deleting/mutating game state) through many ways e.g. adding a new talk topics, unlocking a new locations, etc. An interaction can be loaded with an array of action IDs, which will be executed sequentially.

Actions are managed by Action Manager.

Action Processing & Triggering

We provide a diagram on how action is processed internally. Note that in actuality, Other Managers may also refer to State Manager if the action requires to mutate the game state.

An interaction within the game can be loaded with an array of action IDs, in which will be passed to the Game Manager. The Game Manager will then pass the action IDs to Action Manager for the Action Manager to execute the actions associated with the IDs sequentially. In order to obtain the actual action associated with the ID, Action Manager must fetches the action associated with the ID from State Managers.

Autosave

Game progression is saved automatically whenever an action is executed.

Awards

Awards refer to both Collectibles and Achievements.

Awards Type Description
Collectibles Objects collected by users in-game; found as user progresses the game story.
Achievements Source Academy achievement, commonly from outside the game; e.g. given when user complete a mission

Some awards are tied to an asset and rewards student with its asset key, which can be used within the Room Preview scene. If used, the asset tied to the asset can be used by the user. The associated asset key can be obtained by hovering over the award at Awards Hall scene, or at the Awards Menu (under the preview of the asset).

Mapping between an award and the asset is stored at S3, under the name of awardsMapping.txt.

Awards Menu

image

Awards menu is an in-game menu that can be triggered by user to browse through their awards. Awards menu provides a preview of the award (the title of award, the preview of the asset, the asset key, as well as the awards description.

Awards menu is managed by Awards Manager, and its transition is managed by Phase Manager.

Escape Menu

image

Escape menu is an in-game menu that can be triggered by user to navigate to Main Menu, Continue, or apply a new setting to the game. Escape menu is managed by Escape Manager, and its transition is managed by Phase Manager.

Characters

[WIP]

Chapter and Checkpoint

ChapterAndCheckpoint

A story is encapsulated within a checkpoint. A series of checkpoints makes up a chapter. A series of chapter is the entire story line. Internally, we mostly only use the term checkpoint; as that is what we are dealing most of the time.

The difference between chapter and checkpoint is only significant at Chapter Select scene; where chapter refers to the first checkpoint of the chapter.

In order to progress to the next checkpoint, the following must be fulfilled:

  1. All objectives of previous checkpoint is completed

In order to progress to the next chapter, the following must be fulfilled:

  1. Previous chapter is completed
  2. Chapter has been published

Due to the sequential unlocking of chapter, it is only necessary to store the last chapter completed to know the users' progress.

Dialogue

image

[WIP]

Game Map and Game Location

Game Map

Encapsulate the entire checkpoint information. Game Map stores all the informations exclusive to the checkpoint; i.e. image and sound assets, as well as mapping from an ID to its actual object (e.g. Item Id -> Game Action, Item Id -> Character).

The structure of Game Map is as follows:

GameMap

Instead of letting individual locations to carry the actual object, we separate the mapping and the assets and store it at the Game Map level. This allows for centralised storing and anticipate the (although unlikely) event that two locations share the same resource. This also allows for resources to be easily moved to another location, or to exist but remain hidden (ie present in the Game Map, but its ID is not present in the location).

Game Location

image

In-game, Game Location refers to places that users can navigate to. Internally, it refers to a broader meaning.

In-game, upon moving into a location, the followings are triggered by Game Manager:

  1. Play BGM Music tied to the location, if any
  2. Render all required assets (background, objects, bounding boxes, character)
  3. Execute start actions, if required
  4. Bring up notification, if required

Internally, Game Location is the object that carries the actual story line within the checkpoint. Due to the type of game that we are working on, story and interactions are highly dependent on which location it is triggered at. You would not want to trigger a conversation about cookies at Grand Master Hartin Menz's room, wouldn't you? (Yes, you may want it; but let's just get the idea across) That is to say, the interactions and story of a location is likely to be exclusive to the location.

This leads to us to group information based on which location it is stored at, hence we place great importance to Location IDand it acts as a key in obtaining the necessary information. Precisely, the following information are stored within a location:

Information Description
id the id to identify that location
name the proper English name of the location e.g. 'Dining Hall'
asset key the asset key for the background image of the location
modes the game modes that are available in the location
talk topics the dialogue id of topics that players can talk about in Talk menu of that location
objects the object id of objects rendered in the location
bounding boxes the id of the bounding boxes (invisible rectangles) in that location
BGM key the asset key of background music being played in that location

All these attributes essentially stores IDs, which we can obtain the actual object from Game Map's various mapping.

Modes

Various modes that users can engage with within the game. Modes encapsulate ways user plays the game. Within the game engine, only one mode is able to be active at any one time.

❗ For consistency, this should be the only way game engine developers add a new type of game play into the game instead of adding a separate, hidden game play. If you truly wish to add another game play another way, think hard and justify it carefully before adding it.

❕ This is where extensibility of the game comes from.

Due to UI restriction, a location should hold at most 4 modes at any one time. Else, the UI will get cluttered.

Explore

image

Here, users can interact with object placed on the location. Interactions may trigger an action, depending on whether the object is loaded with one or not. Game cursor is set to a custom cursor during this mode. Upon hovering the cursor on interactive object, the cursor will change to alert the player of the interaction. Cursor will change based on whether the interaction has been triggered previously or not.

Explore mode make use of Activatables, which can refer to either Objects (managed by Object Manager) or bounding boxes (managed by _Bounding Box Manager) and load them with required functionalities. The functionalities include the cursor change on hover/out, as well triggering the action related to the action ID assigned to the object.

Upon exiting the mode, Explore mode disables these functionalities and reset the cursor back to normal. This is because interaction with objects are limited to the Explore Mode, and should not be triggered when user are in other modes.

All interacted objects are kept track by StateManager.

Menu

image

Users are able to choose from selection of modes available to the location. The possible modes are fetched from State Manager. Interaction with any of the mode button will essentially trigger a phase transition to the new mode.

Move

image

Users are able to choose to navigate to other locations by selecting the options given. The possible navigation are fetched from State Manager and used for preview. Upon hovering of any of the location button, this mode automatically sets a preview of the location on the left side. This mode shows the location name instead of its id.

The preview make use of a Phaser mask to crop the image to fit the preview frame. In Phaser, masks within a container do not stack, rather they overwrite one another. As our Layer Manager is container based, we cannot add the masks into the scene by using the Layer Manager. Due to this, we separately manage the tweening of the mask.

Sequence

This is a mode where dialogue and notification operates in, and transitioned to automatically whenever a dialogue or notification is triggered. This mode is meant to cater to modes that requires it for other modes to be inactive (e.g. Dialogue should not be triggered while Move mode is active).

This mode essentially leverage the fact that there is only one mode that can be active at any one time; hence making it into a separate mode will allow Phase Manager to ensure that while Sequence mode is active, no other modes is active. This allow us to display interactions that users cannot skip via interacting with other modes.

Talk

image

Users can choose Talk Topics, which is dialogue topics available for users to choose from. Once interacted, the game will transition to Sequence mode, followed by bringing up the associated dialogue. Once the dialogue is finished, it will transition back into Talk Mode.

All interacted talk topics are tracked by State Manager.

Game Objectives

Game Objectives are stored under Game Map, in the form of an Game Objective object. In order to progress from one checkpoint to the next, user must complete all objective allocated to the checkpoint. Objectives, and its completion, are defined by the story writers.

Internally, we check for objective completion at every phase transition. This is done by defining the interrupt callback at Phase Manager. Additionally, it requires that the active mode to be Menu mode. This is to prevent checkpoint transition while the user are in other modes (e.g. in the middle of a dialogue).

Game Objectives are not shown in-game. Rather, it should be implied by the story telling.

Pop Up

image

A pop up that display an image for a duration to the user. Pop ups are able to be shown on the left/middle/right of the screen, and able to be shown in small/medium/large size. At a position (e.g. left screen), only one pop up can be shown at any one time i.e. the previous pop up at the position will be destroyed. This is to prevent multiple pop ups laying on top of one another. Story writers can use this to briefly display an object found by the player, highlighting an object, etc.

Notification

image

A notification that display the location name when users navigate to the location. Notification only appears if there is an update to the location since the last time users visited it e.g. new dialogue, new objects, or new characters. This is to allow users to recognise that they have made progression in the story.

Notification make use similar functionality to Dialogue, in that it uses the same dialogue box as its UI component.


Scenes

This section details the various scene that is present in the game. Scene here refers to Phaser.Scene, and stored exclusively under the src/features/game/scenes/.

Awards Hall

image

Awards Hall is a scene where users can browse through their awards. The asset associated with the award is shown as preview. On hover of an award, a pop-up detailing the title of award, the asset key associated with the award, and the description of the award is shown. Awards Hall allows scrolling (left and right) when the numbers of awards exceed the capacity of the screen. The background is required to be seamless on its horizontal edge to achieve this.

Internally, Awards Hall make use of Phaser.GameObjects.TileSprite to allow for seamless scrolling of the background. As stated in the documentation of Tilesprite, the background image needs to have a power of two (POT) dimension in order to avoid graphics artifacts.

The specification of the Awards Hall background is as follows:

awardsHallExpl

This format assumes that the screen size of the game is 1920x1080px.

Bindings

image

Bindings scene showns the bindings used within the game. This scene is purely static.

Chapter Select

image

This scene allows user to select the chapter to play. Upon entering the scene, we auto-scroll to the latest, biggest numbered chapter that student is able to play. There are two options possible to be done on each chapter:

  1. Play/Continue - Starts the chapter, resuming from the last checkpoint that user was in. If there is no checkpoint progress on this chapter, the chapter will start from the first checkpoint.
  2. Reset progress - Restarts the chapter i.e. start from the first checkpoint.

Within the scene, for disabled chapters, a black tint will be overlaid on top of the chapter frame to disable users' interaction. In order to unlock a chapter, the followings must be true:

  1. Previous chapter is completed
  2. Chapter has been published

Chapter Select obtains the chapter details (title and image preview) from the back end.

Checkpoint Transition

image

We dedicate a scene for chapter and checkpoint transition. This scene is triggered in between checkpoints/chapters. From users' perspective, it is when the in-between scene that is triggered after they completed a checkpoint.

Internally, we use this scene to fully load the next checkpoint, before finally loading the next scene. We cannot load these information at the start of Game Manager as it can alter the sequencing of preload() and create() in the Game Manager.

Specifically, the following information is processed:

  • Fetching of the checkpoint text file and default checkpoint text file
  • Parsing of the checkpoint text file and default checkpoint text file

The output of the parser i.e. the checkpoint object, is passed to the next scene to be used.

The sequencing of chapters and checkpoints only need to be loaded once, hence we load it within the Entry scene. The sequencing of chapters and checkpoints are stored at the back end.

Entry

Entry is triggered only once, when users' first load the game. It automatically leads to the Main Menu afterwards, and it is not accessible from any other scenes.

Commonly, assets are loaded within the preload() of the scene. However, Phaser behaviour execute preload() every time the scene is loaded. That is, if we load information and data within a scene preload(), we will unnecessarily repeat it as often as the number of time that the scene is loaded. Entry which is only loaded once provide us the opportunity for us to load all information and data that only needs to be done once throughout the game.

Specifically, the following information and data are processed within Entry:

  • Assets used throughout the game (e.g. UI asset, sound effects, and fonts)
  • Chapters information
  • Users' progress/save state
  • Users' user state
  • Users' settings & apply it
  • Users' code for CMR
  • Awards asset loading

Only this.load functions are awaited at Phaser preload(). This means additional information that is fetched from the back end/S3 (thus without using this.load) is not awaited. Manually converting preload() to async and awaiting these information cause the order of preload() and create() to be executed in no clear order (create() can finish first before preload()), thus messing up the scene loading. Hence, we load these additional information at create() instead.

Game Manager

[WIP]

Main Menu

image

Users can navigate to other scene from here. This scene should be where we perform unlock() on the WebAudioSoundManager. Explanation of the method can be found here. TLDR; unlock() allows us to play sound without waiting for the first user input.

Whether we perform unlock() is always up to debate, and can simply be changed whenever the decision changes.

Room Preview

image

This scene uses the students code and display its output on the screen. Complete workflow is described under Customise My Room (CMR) section. Apart from Game Manager, this is the only scene that incroporate Award Menu and Escape Menu feature.

Settings

image

Users can set up the game settings from here. Settings are only applied when users click the Apply Settings button. Internally, Settings contact Save Manager to save users settings and necessary managers to apply the settings.

Internal Interactions

Below is the architecture and graph of a checkpoint object. This shows how data is encapsulated within the GameCheckpoint type.

Checkpoint


Workflows

SSOT for States

For simplicity, we will group most managers beside Game Manager into Other Managers. From a bird eye view, the game engine can be seen to consist of the following notable entities:

Entity Description
Game Manager Handle in game phase transition, location transition, and checkpoint transition
State Manager Handle states related to the checkpoint (available interactions, actions, triggered actions, etc)
User State Manager Handle states unrelated to the checkpoint (players' collectibles, achievements, etc)
Other Managers Individually specialised for their own purpose
Checkpoint Object current checkpoint being loaded

Below is a diagram on how these entities interact with one another.

GameEngineArchitecture

Within this architecture, we have single source of truth (SSOT) about the player's state, stored at User State Manager and State Manager. Game Manager will track the current Location ID at all times. In order to render, the managers must make use of the given a Location ID to fetch the latest state and information from the state managers.

❕ This also mean that other managers must be as stateless as possible to maintain the SSOT.

Global Singletons

The game has two global singletons - SourceAcademyGame and GameGlobalAPI

SourceAcademyGame

SourceAcademyGame is a Phaser.Game instance, meaning it is persistent across different Phaser.Scenes. Here, we store managers and variables that persist across scenes - such as sounds and user data.

The following are some key global managers and what they do.

Manager Description
Sound Manager Manager global volume, in charge of switching background music and playing sound effects
Save Manager Keeps track of taking game snapshots and contacting the server to send them over
User State Manager Keeps track of collectibles, achievements, assessments completed by the user

The following are some global variables and what they do.

Variable Description
accountInfo User account info such as his refresh and bearer tokens
setStorySimState A setter for the state of Story Simulator, so that the game engine can have control over React variables
awardsMapping A Map that provides information on how to render each award
currentSceneRef A reference to the current Phaser.Scene, so that we could perform scene related functionalities
gameType Whether we are using Story Simulator or actual game
gameChapters Details of each chapter, its title, background image, and corresponding .txts
ssChapterSimFilenames List of checkpoint files that you want to simulate in Chapter Simulator
isUsingMock When testing out engine, use this to use mock .txts or actual .txts that are specified by Story writers

GameGlobalAPI

Is only usable when the scene is GameManager scene.

It contains all API's of gameManager's managers. We apply the Service Locator pattern, where one global class is called to provide services from other classes onto dependencies.

Managers

Action Manager

Manager Type: Special

Description

Process all actions given the list of action Ids

Processing Game Actions

(1) For a given action Id, retrieve the corresponding GameAction object from State Manager

(2) Check that action has never been triggered based on triggeredInteractions, or action is repeatable. If so proceed to (3)

(3) Check if all conditions to perform this action are satisfied. If so, proceed to (4)

(4) Execute this action.

(5) Repeat (1-4) for all action Ids that need to be processed.

(6) Save the game after series of actions is executed.

Methods

Game Loop Methods Description Usage
fastForwardGameActions Executes all actions in order of action ids. Called by GameManager at the start to replay all state-change that occurred when student last played this game, so that state of game can reflect students.
processGameActions Executes all actions if the condition to execute them is satisfied, and saves the game afterwards. Called by GameManager to play Game Start Actions, Checkpoint Complete Actions, and Location Actions; called by Dialogue Manager to play in-dialogue actions; and called by Explore mode to have Object/ Bounding Box actions.
Helper Methods
processGameAction Executes 1 action if the condition to execute them is satisfied. Called by processGameActions repeatedly to process all actions
checkCanPlayAction Determines whether an action can play. Firstly, the action conditions have to all be satisfied. Secondly, the action has to be either triggered for the first time, or a repeatable action Called by processGameAction
Condition Methods
checkAllConditionsSatisfied Checks all the condition objects if each condition is satisfied Called by checkCanPlayAction
checkConditionSatisfied Checks whether 1 condition is satisfied. If the condition is on userstate, then it can be stubbed by story writers. If the condition is on game state, then we look into the Checkpoint Objectives to see if they are satisfied. Called by ActionConditionChecker.checkAllConditionsSatisfied repeatedly to check if all conditions are satisfied
Execute Action Methods
executeGameAction Plays 1 action by checking the action type to call the correct manager and passing in the action params Called by fastForwardGameActions and processGameActions

Awards Manager (WIP)

Manager Type: IGameUI

Description

Given the Awards Mapping from Source Academy Game's Award Mapping object, and the list of awards obtained from User State Manager, be able to render the award, the keys, and the descriptions of each award.

private uiContainer: Phaser.GameObjects.Container | undefined; private previewContainer: Phaser.GameObjects.Container | undefined;

Properties

Property Name Description Rationale
activePageNumber The page number that is active for each type of Award page Keep track of active page for each type of Award page (collectible/achievement)
currActivePage Either the Collectible page or Achievement page
itemsContainer
pageChosenContainer
previewContainer
scene Reference to the phaser scene since different scenes can call this Access the scene's base managers - input, phase, layer manager
uiContainer

Methods

UI Methods Description Usage
activateUI Activates the award Menu. Called by scenes when Tab key is pressed.
deactivateUI Deactivates the award Menu. Called by scenes when Tab key is pressed again.

Background Manager

Manager Type: Layer Renderer

Description

Render the background in a Game Location onto Background Layer as specified by assetKey of the Location in State Manager's game map

Methods

Game Loop Methods Description Usage
renderBackgroundLayerContainer Obtains all asset key for a location and renders background image on entire screen Called by GameManager on location render, and on change_background action
Helper Methods
renderBackgroundImage Render background image based on asset given key Called by renderBackgroundLayerContainer to render GameLocation's background image

Bounding Box Manager

Manager Type: Layer Renderer, State Observer

Description

Render all rectangular bounding boxes in a Game Location onto the BBox Layer as specified by BBoxProperty in State Manager's game map

Properties

Property Name Description Rationale
bboxes Mapping between bbox ID and activatable bounding boxes that are present on screen right now. Indexed by bbox ID so that when updates need to be called on certain bboxes, we can easily rerender/remove this bounding box from screen.

Methods

Game Loop Methods Description Usage
renderBBoxLayerContainer Obtains all bbox IDs present in a Game Location and renders each bbox based on BBoxProperty specification Called by GameManager on location render.
Helper Methods
createBBox Render 1 rectangular bbox by its bbox id specifications provided by BBoxProperty Called by renderBBoxLayerContainer repeatedly to render all bboxes individually
State Observer Methods
handleAdd Renders 1 bbox Called by State Manager on add_item action
handleDelete Deletes 1 on-screen bbox sprite Called by State Manager on remove_item action
handleMutate Replaces 1 on-screen bbox sprite with the same character with another property Called by State Manager on setBBoxProperty action

Character Manager

Manager Type: Layer Renderer, State Observer

Description

Render all characters in a Game Location onto the Character Layer as specified by Character object in State Manager's game map

Properties

Property Name Description Rationale
characterSpriteMap Mapping between character ID and sprites of Characters that are present on screen right now. Indexed by character ID so that when updates need to be called on certain characters, we can easily rerender/remove this character

Methods

Game Loop Methods Description Usage
renderCharacterLayerContainer Obtains all character IDs present in a Game Location and renders each character based on Character specification Called by GameManager on location render.
Helper Methods
createCharacterSprite(id) Render 1 character by its character id using default expression and position of the character. Called by renderCharacterLayerContainer repeatedly to render all characters individually
createCharacterSprite(id, expression, position) Renders 1 character with a different expression (based on the different asset keys stored in Character data type) and different position (based on Character constants) Called by DialogueSpeakerRenderer to render speaker avatars
State Observer Methods
handleAdd Renders 1 character Called by State Manager on add_item action
handleDelete Deletes 1 on-screen character sprite Called by State Manager on remove_item action
handleMutate Replaces 1 on-screen character sprite with the same character id but with another property Called by State Manager on move_character and update_character action

Dialogue Manager

Manager Type: Layer Renderer

Description

Renders dialogues as specified by Dialogue object retrieved from State Manager's game map

Properties

Property Name Description Usage
dialogueGenerator Class which holds a pointer to the current part and line in the Dialogue object, it keeps track of the lines that should play next Called by Dialogue Manager on line change
dialogueRenderer Renderer that displays the green box and flashes text using the typewriter effect Called by Dialogue Manager on line change
speakerRenderer Manager which renders the speaker box speaker avatar Called by Dialogue Manager on line change

Methods

Game Loop Methods Description Usage
showDialogue Plays out an entire dialogue, orchestrating the change in speakers, lines and in-dialogue actions. Called in Talk mode and during show_dialogue action.
Helper Methods
playWholeDialogue Starts a promise to play the entire dialogue. Attaches listener to green dialogue box, so that when clicked, it can show the next line. Main function called by showDialogue
showNextLine Renders one dialogue line, by generating line using dialogueGenerator, rendering the text using dialogueRenderer, changing the speaker using speakerRenderer and processing actions using Action Manager's processActions. If no more lines, it resolves the promise and ends the dialogue. Called by playWholeDialogue on start of dialogue and whenever dialogue box is clicked

Escape Manager (WIP)

Manager Type: IGameUI

Description

  • Renders the Escape Menu, which provides options for changing user settings and going back to Main Menu.
  • Implements Game UI as EscapeMenu is one of the possible game phases.

Properties

Property Name Description Rationale
bgmVolumeRadioButtons
scene Reference to the phaser scene since different scenes can call this IGameUI Access the scene's base managers - input, phase, layer manager
sfxVolumeRadioButtons

Methods

UI Methods Description Usage
activateUI Activates the Escape Menu in the scene. Called by scenes when Esc key is pressed.
deactivateUI Deactivates the Escape Menu in the scene. Called by scenes when Esc key is pressed again.

Input Manager

Manager Type: Base Scene Manager

Description

Manages all listeners in the scene. Activates/deactivates these listeners during phase transitions, and destroys all of them at the end of each scene.

Properties

Property Name Description Rationale
eventListeners List of all mouse event listeners So that all mouse listeners can be temporarily deactivated during transition, and destroyed when scene is done.
keyboardListeners List of all mouse keyboard listeners So that all keyboard listeners can be temporarily deactivated during transition, and destroyed when scene is done.
scene Reference to the phaser scene to access the scene's input property Access different Phaser.Scene's input property

Methods

Game Loop Methods Description Usage
clearListeners List of all mouse event listeners So that all mouse listeners can be temporarily deactivated during transition, and destroyed when scene is done.
enableKeyboardInput List of all mouse keyboard listeners So that all keyboard listeners can be temporarily deactivated during transition, and destroyed when scene is done.
enableMouseInput List of all mouse event listeners So that all mouse listeners can be temporarily deactivated during transition, and destroyed when scene is done.
registerEventListener Reference to the phaser scene to access the scene's input property Access different Phaser.Scene's input property
registerKeyboardListener Reference to the phaser scene to access the scene's input property Access different Phaser.Scene's input property

Layer Manager

Manager Type: Base Scene Manager

Description

Keeps a default ordering of layers (e.g Background > ... > Objects > BBox > Characters > ... Effects), and corresponding Phaser Container for each layer. This enables other managers to add game objects to their desired layer.

Properties

Property Name Description Usage
layers Mapping between layer name and layer container We store layers by ID so that other managers can easily put game objects to chosen layer
Game Loop Methods Description Usage
addToLayer Adds a game object to a specific layer specified by layer name. Called by many managers to add desired object into specific layer by name.
clearLayerContents Clears all game objects in 1 layer Called by many managers to clear a layer so that they can add new game objects to that layer.
clearSeveralLayers Clears all game objects in several layer Called by managers to clear several layers at once
clearSeveralLayers Clears all game objects in all layers Used to cleanup the scene
Extra Methods
fadeInLayer Fades a layer in As and when effect is needed
fadeOutLayer Fades a layer out As and when effect is needed
showLayer Makes layer visible As and when effect is needed
hideLayer Makes layer invisible As and when effect is needed

Object Manager

Manager Type: Layer Renderer, State Observer

Description

Render all sprites of objects in a Game Location onto the Objects Layer as specified by ObjectProperty in State Manager's game map

Properties

Property Name Description Rationale
objects Mapping between object ID and activatable objects that are present on screen right now. Indexed by object ID so that when updates need to be called on certain objects, we can easily rerender/remove this object from screen.

Methods

Game Loop Methods Description Usage
renderObjectsLayerContainer Obtains all object IDs present in a Game Location and renders each object based on ObjectProperty specification Called by GameManager on location render.
Helper Methods
createObject Render 1 object image sprite by its object id ObjectProperty. Called by renderObjectsLayerContainer repeatedly to render all objects individually
State Observer Methods
handleAdd Renders 1 object Called by State Manager on add_item action
handleDelete Deletes 1 on-screen object sprite Called by State Manager on remove_item action
handleMutate Replaces 1 on-screen object sprite with another property Called by State Manager on setObjProperty action
Action Methods
makeObjectGlow Makes one object glow by calling the Glowing Image's glow functions, which makes a yellow tint overlay blink Called on make_object_glow action
makeObjectBlink Makes one object blink by calling the Glowing Image's blink functions, which makes the image blink Called on make_object_blink action

Phase Manager

Manager Type: Base Scene Manager

Description

Performs state transitions by activating and deactivating modes. Also keeps track of history of previous active states using a stack, so that we can revisit previous active states if needed.

Game Phase Transition Management

We use Finite State Machine (FSM) model to manage the game phases.

Phases here refers to:

Phase In-game Description
Menu the phase when player can choose between modes, commonly Talk, Explore, or Move
Explore the phase when 'Explore' mode is active
Talk the phase where 'Talk' mode is active
Move the phase where 'Move' mode is active
EscapeMenu escape screen, where player can changes their settings and return to main menu
AwardsMenu award screen, where player can browse their awards
Sequence other phase in game, includes bringing up notification and dialogue

Internally, we keep a stack of phases to keep track the game phases. Similar to a normal stack, we can perform pop() and push(), with the additional operation of swap() which replace the top element of the stack with the new element.

Pop Up Manager

Manager Type: Layer Renderer

Description

Renders popups for a specified amount of time

Methods

Game Loop Methods Description Usage
displayPopup Display a popup image on the screen, given an object ID, position, duration and size.
Helper Methods
destroyPopUp Destroys the current popup Called by renderBackgroundLayerContainer to render GameLocation's background image

Save Manager

Manager Type: Global

Description

Loads user data at the start of entire game, saves game data and saves settings to backend

User Progress Loading and Saving

Normally, game engine stores various game states as 'snapshot' to represent game progress. However within this game action, we are at a unique position as actions are the only way that allow for mutation on the game state (adding/removing/mutating item/state).

This allow us to make space optimisation on how we represent player's progress: a series of completed action's ID.

This leads to the following:

Type Method
Progress Loading Simulate all completed actions on the initial checkpoint object, which should bring the state to the same as last player's progress
Progress Saving Store a series of completed action ID

During simulation of completed actions, we skip actions that does not mutate the state, e.g. bring up a dialogue.

Interaction Diagram

The following is a diagram of when and how loading and saving occurs.

Save Manager

Methods

Game Loop Methods Description Usage
loadLastSaveState Loads the last save state from backend into Save Manager's fullSaveState Called by Entry Scene at start of game
saveGame Updates the fullSaveState with information from State Managers and Game Managers, and then sends fullSaveState over to backend. Called by Action Manager after series of actions are performed.
saveSettings Updates the settings in fullSaveState, and sends the fullSaveState over to backend Called by GameManager on location render.
saveChapterComplete Updates fullSaveState's biggestChapterCompleted, and then sends the fullSaveState over to backend Called by Checkpoint Tranisition to mark that a player has completed a chapter.
getter methods Obtains a particular field in fullSaveState Called throughout game to retrieve information from last save state

Sound Manager (WIP)

Manager Type: Global

  • Plays and pauses plays background music throughout the game with the volume specified in user settings
  • Plays sound effects with volume specified in user settings

State Manager

Manager Type: State Manager

Description

Manages user progression throughout the game by keeping track of SSOT - game map which contains dynamic information about the objects, characters and other entities in each location. Also keeps track of user progression throughout the game by updating checkpoint objectives completed, full set of interactions triggered by user, and array of triggered state-change actions.

Properties

Property Name Description Rationale
checkpointObjective List of objectives in the game, mapped to a boolean of whether or not they've been completed by user. Keep track of how far user has completed all the objectives for the checkpoint.
gameMap Contains dynamic information about entities (objects, characters, modes, etc.) in each location. GameMap Keep track of game map as single source of truth about entities the game
subscribers Mapping between game item type ID and manager that handles this item. Be able to easily contact the managers to rerender particular objects on add_item, remove_item or mutate actions.
triggeredInteractions Map of interactions and whether or not they have been triggered Marks talk topics, objects, etc items as having been interacted with, so we can show the tick mark in Talk/Explore mode.
triggeredStateChangeActions Ordered array of state-change actions. State-Change actions are those that permanently change the state of the game map. Keep track of entire list of state-change actions user has triggered so that whenever we load the game, we can replay these actions and fast-forward to the newest state of the game map.
updatedLocations Set of locations which need to have the notification because they have updates. Note: All locations have notifications at start of game. Keep set of updated locations to notify players that location has been updated. (Players see this as the green notif with location's name when visiting an updated location)

State Updating

This is how state-change actions occur in the game.

State-Change actions (2)

The following is what happens when state-change actions occur:

Firstly, the game map has to be updated because any state-update involve a permanent mutation to the game map. Thus, we need to update the SSOT, which is State Manager's gameMap for rendering of locations later on.

Next, we see if the state-change involves the current location. If it does, then we need to be able to respond to the change instantaneously. That is why we contact the State Observers to handle the addition/removal/mutation of a particular entity.

If on the other hand, the state-change involves a location other than the current one, then we simply note that the location has been updated. If so, we can show the users the updated-location notification later on when he visits this location.

Lastly, because we have triggered a state-change action, we have to note the action id down, so that these actions can be replayed whenever player revisits this checkpoint.

User State Manager (WIP)

Manager Type: Global, State Manager

Description

Manages states related to the player, available regardless of which checkpoint player is at. Stores achievements, collectibles, and assessments completed by the user.

User State and Game State Management

Within the game engine, we differentiate two states: User State and Game State. Specifically,

Type Description Manager
User State States unrelated to the checkpoint, and exclusive to the player e.g. players' collectible and achievements User State Manager
Game State States related to the checkpoint, and exclusive to the checkpoint e.g. triggered actions, mapping between ID and properties, players' progress State Manager

The two manager acts as single source of truth (SSOT) within the game engine.

As the user state is independent of the checkpoint object and only need to be loaded in once, we load it within the Entry scene into the User State Manager. Meanwhile, State Manager is only loaded once checkpoint object is loaded.

NOTE: In implementation, State Manager stores the GameMap directly and mutate it as checkpoint story progresses. This is because GameMap already provides the functionality needed to mutate its properties, and we do not want to replicate the functionality at the State Manager. However, having State Manager storing the GameMap causes many explanation to be difficult to get across. Hence for the sake of simplicity, the explanation within this guide will treat the GameMap and State Manager to be separate.

Parser

Checkpoint object

All Parser classes are static classes. They all modify the public gameCheckpoint: GameCheckpoint variable in Parser.ts. This prevents the need to pass down the game checkpoint object, or for the need to return objects in each function.

Default Checkpoint

In order to parse the two files needed for a checkpoint, (1) default checkpoint text, as well as (2) "checkpoint txt file", we simply call the Parser's "parse" twice with a different text file. During the first call, the Parser is reset and creates a new Checkpoint object. During the 2nd call, we simply mutate and add on to the same Checkpoint object. In the end, we return the Checkpoint object that was created using 2 "parse" calls.

Paragraphs

The parser works by recursively splitting the text checkpoint file into "paragraphs", and dealing with those paragraphs individually. A paragraph is defined by a header and an 4-space/tab indented body (the body can contain lines and further paragraphs).

Sample text:

header1
    line3
    line4
header5
    line6
        line7
        line8
    line9
    line10
        line11
    line12

This sample text has 2 paragraphs. The splitToParagraph function will split this text into into header and body lines[], and produce the following:

Header Body Lines
header1 [line3, line4]
header5 [line6, \tline7,\tline8,line9,line10, \tline11,line12]

Notice that the body lines's first tab has been removed by the splitToParagraph function. However line7, line8, and line11 still have their tabs with them, so that we can preserve the tab hierarchy within the 2nd main paragraph's body.

Here is how the 2nd body paragraph can be split further into several paragraphs:

Header Body Lines
line6 [line7, line8]
line9 []
line10 [line11]
line12 []

Recursive Delegation

The main class is Parser.ts. This splits the paragraph into its main constituents and assign the job of reading other paragraphs to other parsers: Dialogues, Actions, Locations. etc. Likewise, a location paragraph can assign its body paragraphs for other parsers to interpret, such as Objects, Characters, and Bounding Boxes.

Specific vs General parser

We use the LocationDetails.ts paragraph to parse the paragraph with locations as the header. We use the Location.ts paragraph to parse paragraph with a location ID as the header. You may use a similar naming convention if you need to distinguish between a specific header or a general header.

Entity Parsers

Base entities such as objects and bounding boxes typically perform the following roles:

  • Create the object/bbox/character with properties using split function for CSV properties.
  • Register the object into the gamemap's Map<ItemId, Entity> file.
  • Parse actions and register actions into gameMap, and place their actionIds inside the entity property.
  • Possibly add the entity to a particular location where it should be found.

Parser Converter

Class that converts any string into int/enum used in the game.

Parsing Actions

Actions, like most entities also have ID's and have an Object representation format. A string such as add_item(objects, room, car, 3) will be converted to an action object such as the following:

{
  actionType: GameActionType.AddPopup
  actionParamObj: {gameItemType: objects, locationId: room, id: car, duration: 3
  actionCondition: {}
}

The concept is the Command Pattern much like Redux action objects, where we use objects to encapsulate data on actions that can be triggered later.

All of these actions are stored in GameMap's actions Map<ItemId, Action>.

Unlike most entities, the action has action IDs are not defined by the storywriter, but are generated by numerically and like this: action#17. The action IDs are then stored inside the object that can trigger the action.

Text Validation

The class, Parser Validator, validates the Checkpoint object before it is played by the engine. It ensures two things:

1. No duplicate Item ID.

It does this by keeping a set of ID's and checking whenever you add a new one, that the set of ID's is unique and has not been previously declared. Otherwise, error is thrown.

2. Declaration of all variables based on correct type.

Some lines in the text file require that variables of certain type be declared. e.g. show_dialogue(hi) means that hi must be a valid dialogue ID, or change_location(hallway) means that hallway is an actual location ID.

We cannot throw error on when variable is used without declaration, since usage/reference of ID can come before declaration of the ID. Thus, the solution is to store a list of assertions inside Parser validator. We store all the assertions such as assert hi is a dialogue ID or hallway is a location in a Map<Assertion Type, Assertion IDs []> data structure format.

Then, just before returning the checkpoint object, we verify all the assertions are correct by checking the gameCheckpoint for whether all ID's have been declared.

This way, we can make type assertions for IDs anywhere during the parsing process even without having previously declared the ID.

Asset Parser

This special file is not really part of the Parser.ts set of classes, as it is not called when creating the gameCheckpoint. It just parses collectibles and achievements and produces an Awards Mapping object, encapsulating data about what assets correspond to which achievement/collectible.

Syntax Highlighting

The txt file can be highlighted by using the following extension Source Academy Syntax Highlighter The following lines are highlighted:

  • Comments - anything beginning with double-slash (though not supported by parser)
  • Functions - anything behind the parenthesis
  • Keywords - boundingBoxes, objects, actions etc, you name it are all highlighted
  • CharacterIds - Anything beginning with @symbol
  • URLs - Anything beginning with a slash
  • Numbers - All digits

Customise My Room (CMR)

image

CMR is an extension to the Game, where we allow student to customise their room layout using Source. This section details the complete workflow of CMR. We provide a diagram to explain the overall flow of CMR.

CMR

Assets Loading

We face similar issue to Checkpoint Transition and Entry, where informations that is loaded without using this.load method by Phaser is not awaited in preload(). As the assets loading comes from students' code which require evaluation of students code in JS-slang (thus not using this.load), we perform manual assets loading within create().

All the load_ function provided to the students e.g. load_image, load_spritesheet, simply populate a map to store all the assets to be loaded later. We then make use of this map to load the required assets during create().

Awards Display

Within the CMR, students can display the assets associated with the award rewarded to them. Some award is associated with an asset key, which can be fed into create_award function at the game.js. If the given asset key is valid, a verification tag will be added onto the award asset when user hover over the award.

Awards Verification

image

We provide a way to verify that an award comes from create_award function and not uploaded manually via load_image and create_image function. On hover, a verified tag should pop up to indicate that the asset comes from create_award. The award verification tag should be difficult, or impossible, to be replicated by the students in order to guarantee (to an extent) the authenticity of the award. The same idea is found in money forgery, where a feature that is difficult to be duplicated is used to distinguish between the real and the fake.

The rationale of adding verification is due to the flexibility of create_image function and the possible future feature of being able to visit others' room.

  1. Students can easily discover the URL of the asset being used (although a public secret, we will not state here), and simply create a fake award using the create_image function.
  2. Once the possible feature of being able visiting others' room is implemented, there can be greater temptation for students to forge their own awards.

As we do not want to discount students who has the integrity of attaining the awards, we provide a way to check for authenticity of awards.

Future Improvements: Visiting Others' Room

This idea is meant to improve on the social aspect of the game, where students can visit each others' room. The current CMR workflow provides, to a degree, support for this. Internally, we propose that visiting another room can be translated to simply fetching another student's code and executing it in the place of the original code.

Game API in Source

The Source API for game functionalities are at game.js at modules repo. In order to use it within the code, simply import the necessary functions to be used.

import { .... } from 'game';

// Your Code

Providing game.js parameters with context

The game.js require parameters to run with, which is provided through JS-slang context created by the Room Preview scene. We pass all necessary information, such as reference to the scene, constants, and utilities through the context.

Students' code evaluation in JS-slang

We make use of runInContext function, provided by JS-slang, to run the student code and the library with the required context. Notably, runInContext also update the context everytime it is run.

Students' code requirement

Internally, we execute preload(), create(), and update() function at the corresponding Phaser life cycle functions. Hence, there should be a preload(), create(), and update() function present at the students code. Removing or lacking any of the 3 functions from the code will lead to errors.

Manager Construction

Unlike other scenes, we do not construct the managers at the init() or preload(). This is primarily to ensure that the Layer Manager sits in front of the students' program. Else, whatever added to the Layer Manager will be covered by objects added to the student. Afterwards, we construct other managers that dependent on Layer Manager.

Layer Manager internally works with containers. However, many of Phaser capabilities do not work well once integrated with containers (e.g. mask or animations), which limits the students' capability in customising their room. This leads to student code to not be integrated with Layer Manageri.e. added manually into the scene.

Students' Code Storing and Fetching

For CMR, the following constraints must be fulfilled for the storing and fetching of the code:

  1. Code ownership must be clear i.e. code must be able to be associated with a unique student ID
  2. Code must be readily fetch-able from any machine i.e. should not depend on local cache
  3. Code must easily be stored
  4. Student must be able to resume their code writing i.e. need not to write the code from scratch every time

We realise that Source Academy's mission (or internally known as assessment) fulfills all of the required conditions. Hence, we make use of the Mission system within Source Academy to provide a platform where student can write the code for CMR. This allow students to code in a familiar environment (assessment workspace).

CMR will then fetch the code from the mission to be used to render the Room Preview scene. The CMR code is fetched at the Entry scene. This means that in order to reflect the users' code output in CMR require users to refresh their game.