Build Your First Game in JavaScript
Erik Onarheim
data:image/s3,"s3://crabby-images/35b70/35b70b13d836aefc466da15159799059b93bd51a" alt=""
data:image/s3,"s3://crabby-images/1b2f7/1b2f7a267fb4e524bd53776e862b57109349f1ec" alt=""
data:image/s3,"s3://crabby-images/09882/098823d258858e86bb4ef57acaf3af06635a6f92" alt=""
data:image/s3,"s3://crabby-images/ebc07/ebc07811025779db7f5fb5c98d293b7718191a4e" alt=""
About me
- Software Engineer
- Hobbyist Game Developer
- Open Source
- Runner
data:image/s3,"s3://crabby-images/41a35/41a35a48dede1fa3b042ced17902e63c84dc2d73" alt=""
data:image/s3,"s3://crabby-images/bf967/bf96730a4066fbc260cb7ad4072985cc8dd127af" alt=""
erikonarheim.com
data:image/s3,"s3://crabby-images/bf967/bf96730a4066fbc260cb7ad4072985cc8dd127af" alt=""
data:image/s3,"s3://crabby-images/0d2c2/0d2c2fa0e0c866a87f16a52d0e7317b72e8a59df" alt=""
data:image/s3,"s3://crabby-images/56c81/56c8185c35316571c36e17892abb57bb516b09ac" alt=""
data:image/s3,"s3://crabby-images/fbb8f/fbb8feb4bc413b648f73bcf53438a033d8336991" alt=""
Making Games in the Web!?!
HTML5 Canvas
The HTML Canvas Element
// Create canvas
const canvas = document.createElement('canvas');
// Set resolution in pixels
canvas.width = 800;
canvas.height = 600;
<!-- Create canvas and set resolution in pixels -->
<canvas width="800" height="600"></canvas>
Creating a Canvas
data:image/s3,"s3://crabby-images/75c0b/75c0b51d16426b7f78ee49417510e6e0ef0a713d" alt="Sword"
<canvas width="100" height="100"></canvas>
<style>
canvas {
width: 100px;
height: 100px;
}
</style>
data:image/s3,"s3://crabby-images/75c0b/75c0b51d16426b7f78ee49417510e6e0ef0a713d" alt="Sword"
<canvas width="100" height="100"></canvas>
<style>
canvas {
width: 200px;
height: 100px;
}
</style>
Resolution and Size
Painting that masterpiece
Graphics Context
const canvas = document.getElementById('my-game-id');
const graphicsContext = canvas.getContext('2d');
Rectangles
// Fill
graphicsContext.fillStyle = 'red';
// x, y, width, height
graphicsContext.fillRect(50, 50, 100, 100);
// Lines
graphicsContext.strokeStyle = 'black';
graphicsContext.lineWidth = '3px';
// x, y, width, height
graphicsContext.strokeRect(50, 50, 100, 100);
Circles
// Fill
graphicsContext.fillStyle = "blue";
// Lines
graphicsContext.strokeStyle = "black";
graphicsContext.lineWidth = 3;
// x, y, radius, start angle, end angle
graphicsContext.arc(150, 150, 100, 0, Math.PI * 2);
graphicsContext.fill();
graphicsContext.stroke();
Text
// Fill
graphicsContext.fillStyle = "lime";
// Lines
graphicsContext.strokeStyle = "black";
graphicsContext.lineWidth = 1;
// Text
graphicsContext.font = "80px Consolas";
// text, x, y
graphicsContext.fillText("Hello MDC 2020! ❤", 10, 150);
graphicsContext.strokeText("Hello MDC 2020! ❤", 10, 150);
Images
// Optional
graphicsContext.imageSmoothingEnabled = false;
// Load the image
const image = new Image();
image.src ="path/to/img.png";
image.onload = () => {
// Draw the image
};
data:image/s3,"s3://crabby-images/7250b/7250bb0a03870aef3cd413e7b6eb0c451555d97d" alt=""
graphicsContext.drawImage(image, 0, 0);
graphicsContext.drawImage(image, 0, 0, 50, 50);
graphicsContext.drawImage(image,
// Source
96, 0, 32, 32,
// Destination
0, 0, 32, 32
);
HiDPI Displays
- Logical Pixels
- Device Pixels
data:image/s3,"s3://crabby-images/f6cf4/f6cf4c85bdd845652a168faac2da310535609d5e" alt=""
const canvas = document.getElementById('hidpi-fix');
const logicalWidth = canvas.width;
const logicalHeight = canvas.height;
// Increase resolution
canvas.width = logicalWidth * window.devicePixelRatio;
canvas.height = logicalHeight * window.devicePixelRatio;
const img = new Image();
img.onload = () => {
// Scale drawing context
ctx.scale(window.devicePixelRatio, window.devicePixelRatio);
ctx.drawImage(img, 0, 0, logicalWidth, logicalHeight);
}
HiDPI Correction
#hidpi-fix {
width: 400px;
height: 400px;
}
Affine Transformations
data:image/s3,"s3://crabby-images/3ccd7/3ccd73f203bea1f24e8b0e7df72868cccaa8e9a7" alt=""
Translate, Rotate, and Scale
// scale(x, y)
graphicsContext.scale(2, 2);
// translate(x, y)
graphicsContext.translate(x, y)
// rotate(radian)
graphicsContext.rotate(Math.PI / 2)
Save and Restore
graphicsContext.save()
graphicsContext.restore()
graphicsContext.translate(x, y);
graphicsContext.rotate(radians);
graphicsContext.scale(sx, sy);
graphicsContext.drawImage(mySprite, 0, 0);
Game Loop
Game Loop
let mainloop = () => {
requestAnimationFrame(mainloop);
// update and draw game
};
mainloop();
Timing & Frames Per Second
let lastTime = performance.now(); // Date.now()
let mainloop = () => {
requestAnimationFrame(mainloop);
const now = performance.now(); // Date.now()
let elapsedMs = now - lastTime;
let fps = 1 / (elapsedMs / 1000);
// update & draw your game
lastTime = now;
};
mainloop();
\frac{16.6ms}{frame} * \frac{1s}{1000ms} = \frac{0.00166s}{frame}
(\frac{0.00166s}{frame})^{-1} = \frac{60 frame}{s}
Time Based Movement
const updateNotTimeBased = (box: Box) => {
box.x += box.v;
};
const updateTimeBased = (box: Box, delta: number) => {
box.x += box.v * (delta / 1000);
};
Input
Keyboard
data:image/s3,"s3://crabby-images/e06d8/e06d8202f5945a16f6a694ec02781b15b540daf8" alt=""
const keybuffer: string[] = [];
document.body.addEventListener("keydown", e => {
const index = keybuffer.indexOf(e.key);
if (index === -1) {
keybuffer.push(e.key);
}
});
document.body.addEventListener("keyup", e => {
const index = keybuffer.indexOf(e.key);
if (index > -1) {
keybuffer.splice(index, 1);
}
});
Pointer
const pos = {
x: 0,
y: 0
};
canvas.addEventListener("pointermove", e => {
pos.x = e.clientX - canvas.offsetLeft;
pos.y = e.clientY - canvas.offsetTop;
});
Audio
WebAudio API
data:image/s3,"s3://crabby-images/bca2e/bca2e4f15f4af312da4905964ab9cbe7d3e6342f" alt=""
AudioContext
const audioCtx = new AudioContext();
const play = document.getElementById('play');
play?.addEventListener('click', () => {
if (audioCtx.state === 'suspended') {
audioCtx.resume();
}
// play audio
});
AudioBufferSourceNode
const audioResponse = await fetch('./path/to/my/cool.mp3');
const rawAudioBuffer = await audioResponse.arrayBuffer();
const decodedBuffer = await audioCtx.decodeAudioData(rawAudioBuffer);
const audioSourceNode = audioCtx.createBufferSource();
audioSourceNode.buffer = decodedBuffer;
GainNode
const volumeNode = audioCtx.createGain();
volumeNode.gain.value = 0.5;
// https://developer.mozilla.org/en-US/docs/Web/API/AudioParam/setTargetAtTime
// After each .1 seconds timestep, the target value will ~63.2% closer.
// This exponential ramp provides a more pleasant transition in gain
volumeNode.setTargetAtTime(0.5, audioCtx.currentTime, 0.1);
Connecting and Playing
// Connect the graph
audioSourceNode.connect(volumeNode).connect(audioCtx.destination);
// Play AudioBufferSourceNode.start([when][, offset][, duration]);
audioSourceNode.start(0, 0);
Collisions
Circles
data:image/s3,"s3://crabby-images/a83a5/a83a5d56339503c12350db1cacd33f0ab96ddff2" alt=""
Bounding Box
data:image/s3,"s3://crabby-images/5b02e/5b02efb36e18fa20766754688178cf0a06871fe1" alt=""
Tile Based
data:image/s3,"s3://crabby-images/8b4a2/8b4a272072c7fdbf11bd168053671dfe668a8410" alt=""
Grouping
data:image/s3,"s3://crabby-images/59aae/59aae4e78728134e6499c28e1feeb8ba7a0d5ae4" alt=""
Resolution
data:image/s3,"s3://crabby-images/f1a1d/f1a1d89d0bbd146067d8a9f4c766f9e768c01a8e" alt=""
data:image/s3,"s3://crabby-images/14651/146511ddd3e5e7bca87cc14fdbd7e1377ee7c49a" alt=""
data:image/s3,"s3://crabby-images/1f72d/1f72d8be4243f8f9fcb299e0efe4759b229d68d7" alt=""
Newish and Upcoming Stuff
- GamePad API
- Fullscreen API
- WebGL2
- WebGPU
- WebUSB
Game Engines
data:image/s3,"s3://crabby-images/54040/54040d2c2009b688e1fcf0fe2d7afb20536cdb5a" alt=""
data:image/s3,"s3://crabby-images/ecc7a/ecc7adbe2072c6293addc74370d604ee25a58426" alt=""
data:image/s3,"s3://crabby-images/dbfc7/dbfc753bd35437e28f4c8a45e6112b2f22078aec" alt=""
data:image/s3,"s3://crabby-images/ed29f/ed29fb0e4c20076362e2c6604cce57d3c3290216" alt=""
data:image/s3,"s3://crabby-images/9c594/9c5943d4221bd51eb62b761ad185ac4952f4ccba" alt=""
data:image/s3,"s3://crabby-images/be327/be3270acd3d03f2ba9706eb05934918a7f588da7" alt=""
data:image/s3,"s3://crabby-images/bb8a0/bb8a06a0522e587c626639b34541ad887f9262be" alt=""
data:image/s3,"s3://crabby-images/a78d0/a78d0ab5b7086ae39dac1f554747fa3a232377ad" alt=""
data:image/s3,"s3://crabby-images/9dbdb/9dbdbc80a2896eb99fca705a775e3df3bb8fa63f" alt=""
Excalibur Start
// index.ts
import { Engine, Loader } from "excalibur";
const game = new Engine({
width: 800,
height: 600
});
game.setAntialiasing(false);
const loader = new Loader();
// Add things to loader
// Make a game!
game.start(loader);
npm install excalibur --save-exact
<script src="https://unpkg.com/excalibur@latest/dist/excalibur.min.js" />
Resources
// index.ts
import { Resources } from "./resources";
// ...
const loader = new Loader();
// Add things to loader
for (let r in Resources) {
loader.addResource(Resources[r]);
}
// Make a game!
game.start(loader);
// resources.ts
import { Texture } from "excalibur";
import botImage from "./img/excalibot.png";
import blockImage from "./img/block.png";
import jumpSound from './snd/jump.wav';
import coinSound from './snd/coin.wav';
export const Resources = {
bot: new Texture(botImage),
block: new Texture(blockImage),
jump: new Sound(jumpSound),
coin: new Sound(coinSound)
};
Scenes & Actors
const game = new Engine(...)
const scene = new Scene(game);
const actor = new Actor({
x: 50,
y: 50,
width: 32,
height: 32
});
scene.add(actor);
// Tranistion to the scene
game.add("level", scene);
game.goToScene("level");
export class Player extends Actor {
constructor(x, y, width, height) {
super({x, y, width, height});
}
onInitialize(engine: Engine) {
// initialize logic
}
onPostUpdate(engine: Engine, delta: number) {
// do stuff every update
}
onPostDraw(ctx: CanvasRenderingContext2D) {
// custom drawing
}
}
data:image/s3,"s3://crabby-images/52272/52272bdf81c70bcbb53dc065bf82b6816ad3199c" alt=""
data:image/s3,"s3://crabby-images/f37d3/f37d3c643ca0bf214110ac5b5e9a7e1b42fda979" alt=""
Animation
const spriteSheet = new SpriteSheet(Resources.bot, 8, 1, 32, 32);
const idleAnimation = spriteSheet.getAnimationByIndices(
engine,
[2, 3],
800
);
actor.addDrawing("idle", idleAnimation);
actor.setDrawing("idle");
data:image/s3,"s3://crabby-images/df53b/df53b9098fc1d372e3c336a82cc7cb04518045bc" alt=""
Input
// actor.ts
onPostUpdate(engine: Engine, delta: number) {
// Player input
if(engine.input.keyboard.isHeld(Input.Keys.Left)) {
this.vel.x = -150;
}
if(engine.input.keyboard.isHeld(Input.Keys.Right)) {
this.vel.x = 150;
}
if(engine.input.keyboard.isHeld(Input.Keys.Up) && this.onGround) {
this.vel.y = -400;
this.onGround = false;
}
}
Collision
Prevent | Passive | Active | Fixed | |
---|---|---|---|---|
Prevent | None | None | None | None |
Passive | None | Event Only | Event Only | Event Only |
Active | None | Event Only | Resolution | Resolution |
Fixed | None | Event Only | Resolution | None |
data:image/s3,"s3://crabby-images/7e8b3/7e8b33f72a9a0b1cb36fdd11b2c7739f0c0e3c2a" alt=""
data:image/s3,"s3://crabby-images/ddb65/ddb65975b153ccf714c1c907cc600482318b294f" alt=""
data:image/s3,"s3://crabby-images/a8bde/a8bde93dec4d00f54105829dc741d2d89c5cb008" alt=""
// Default
actor.body.collider.type = CollisionType.PreventCollision;
actor.body.collider.type = CollisionType.Passive;
actor.body.collider.type = CollisionType.Active;
actor.body.collider.type = CollisionType.Prevent;
Audio
import { Resources } from './resources';
// Play the sound
Resources.jump.play();
// Pause the sound do not rewind
Resources.jump.pause();
// Stop the sound and rewind
Resources.jump.stop();
Demo!
data:image/s3,"s3://crabby-images/8a5b0/8a5b0260d9016cb55622c17fc64af239df4727c9" alt=""
Resources
data:image/s3,"s3://crabby-images/2ce82/2ce82222fbdfa57a97d5789a65896865fd751e35" alt=""
data:image/s3,"s3://crabby-images/d02e5/d02e558afdb501036db26ad9d886a4b02a75d3e6" alt=""
data:image/s3,"s3://crabby-images/6062b/6062bdcba430310bec0a3744baf3ddf3a63a0b59" alt=""
Build Your First Game in JavaScript
By Erik Onarheim
Build Your First Game in JavaScript
- 1,512