puzzle/src/frontend/game.ts

889 lines
26 KiB
TypeScript
Raw Normal View History

2020-11-25 22:03:35 +01:00
"use strict"
2021-05-09 13:49:40 +02:00
2021-06-05 08:58:20 +02:00
import { GameLoopInstance, run } from './gameloop'
2021-05-17 00:27:47 +02:00
import Camera from './Camera'
import Graphics from './Graphics'
import Debug from './Debug'
import Communication from './Communication'
2021-06-05 08:58:20 +02:00
import Util, { logger } from './../common/Util'
2021-05-17 00:27:47 +02:00
import PuzzleGraphics from './PuzzleGraphics'
2021-05-29 17:58:05 +02:00
import Game from './../common/GameCommon'
2021-05-17 00:27:47 +02:00
import fireworksController from './Fireworks'
import Protocol from '../common/Protocol'
import Time from '../common/Time'
2021-05-17 02:32:33 +02:00
import { Dim, Point } from '../common/Geometry'
2021-05-29 17:58:05 +02:00
import {
FixedLengthArray,
Game as GameType,
Player,
Piece,
EncodedGame,
ReplayData,
Timestamp,
GameEvent,
ServerEvent,
2021-05-29 17:58:05 +02:00
} from '../common/Types'
2021-05-17 00:27:47 +02:00
declare global {
interface Window {
DEBUG?: boolean
}
}
2021-06-05 08:58:20 +02:00
const log = logger('game.ts')
2021-05-17 00:27:47 +02:00
// @ts-ignore
const images = import.meta.globEager('./*.png')
2021-05-15 17:40:04 +02:00
2021-05-29 23:14:19 +02:00
// @ts-ignore
const sounds = import.meta.globEager('./*.mp3')
2021-05-13 22:45:55 +02:00
export const MODE_PLAY = 'play'
export const MODE_REPLAY = 'replay'
2021-05-09 22:17:41 +02:00
let PIECE_VIEW_FIXED = true
let PIECE_VIEW_LOOSE = true
2020-11-25 22:03:35 +01:00
2021-05-17 00:27:47 +02:00
interface Hud {
setActivePlayers: (v: Array<any>) => void
setIdlePlayers: (v: Array<any>) => void
setFinished: (v: boolean) => void
setDuration: (v: number) => void
setPiecesDone: (v: number) => void
setPiecesTotal: (v: number) => void
setConnectionState: (v: number) => void
togglePreview: () => void
2021-05-29 23:14:19 +02:00
toggleSoundsEnabled: () => void
2021-05-17 00:27:47 +02:00
setReplaySpeed?: (v: number) => void
setReplayPaused?: (v: boolean) => void
}
interface Replay {
2021-05-29 11:44:55 +02:00
final: boolean
2021-05-29 15:36:03 +02:00
log: Array<any> // current log entries
logPointer: number // pointer to current item in the log array
2021-05-17 00:27:47 +02:00
speeds: Array<number>
speedIdx: number
paused: boolean
lastRealTs: number
lastGameTs: number
gameStartTs: number
skipNonActionPhases: boolean
2021-05-29 15:36:03 +02:00
//
dataOffset: number
dataSize: number
2021-05-17 00:27:47 +02:00
}
const shouldDrawPiece = (piece: Piece) => {
2021-05-10 01:13:23 +02:00
if (piece.owner === -1) {
return PIECE_VIEW_FIXED
}
return PIECE_VIEW_LOOSE
}
2021-05-09 22:17:41 +02:00
let RERENDER = true
2020-12-22 22:35:09 +01:00
2021-05-17 00:27:47 +02:00
function addCanvasToDom(TARGET_EL: HTMLElement, canvas: HTMLCanvasElement) {
2020-11-25 22:03:35 +01:00
canvas.width = window.innerWidth
canvas.height = window.innerHeight
TARGET_EL.appendChild(canvas)
2020-11-25 22:03:35 +01:00
window.addEventListener('resize', () => {
canvas.width = window.innerWidth
canvas.height = window.innerHeight
RERENDER = true
})
return canvas
}
2021-05-17 00:27:47 +02:00
function EventAdapter (canvas: HTMLCanvasElement, window: any, viewport: any) {
2021-05-29 17:58:05 +02:00
let events: Array<GameEvent> = []
2021-05-07 14:31:32 +02:00
2021-05-09 22:17:41 +02:00
let KEYS_ON = true
2021-05-07 14:31:32 +02:00
let LEFT = false
let RIGHT = false
let UP = false
let DOWN = false
let ZOOM_IN = false
let ZOOM_OUT = false
let SHIFT = false
2021-05-31 23:06:19 +02:00
const toWorldPoint = (x: number, y: number): [number, number] => {
2021-05-07 14:31:32 +02:00
const pos = viewport.viewportToWorld({x, y})
return [pos.x, pos.y]
2020-11-25 22:03:35 +01:00
}
2021-05-17 00:27:47 +02:00
const mousePos = (ev: MouseEvent) => toWorldPoint(ev.offsetX, ev.offsetY)
2021-05-07 14:31:32 +02:00
const canvasCenter = () => toWorldPoint(canvas.width / 2, canvas.height / 2)
2021-05-17 00:27:47 +02:00
const key = (state: boolean, ev: KeyboardEvent) => {
2021-05-09 22:17:41 +02:00
if (!KEYS_ON) {
2021-05-07 14:31:32 +02:00
return
}
if (ev.key === 'Shift') {
SHIFT = state
} else if (ev.key === 'ArrowUp' || ev.key === 'w' || ev.key === 'W') {
UP = state
} else if (ev.key === 'ArrowDown' || ev.key === 's' || ev.key === 'S') {
DOWN = state
} else if (ev.key === 'ArrowLeft' || ev.key === 'a' || ev.key === 'A') {
LEFT = state
} else if (ev.key === 'ArrowRight' || ev.key === 'd' || ev.key === 'D') {
RIGHT = state
} else if (ev.key === 'q') {
ZOOM_OUT = state
} else if (ev.key === 'e') {
ZOOM_IN = state
}
2020-11-25 22:03:35 +01:00
}
2021-05-31 23:06:19 +02:00
let lastMouse: [number, number]|null = null
2021-05-07 14:31:32 +02:00
canvas.addEventListener('mousedown', (ev) => {
2021-05-31 23:06:19 +02:00
lastMouse = mousePos(ev)
2021-05-07 14:31:32 +02:00
if (ev.button === 0) {
2021-05-31 23:06:19 +02:00
addEvent([Protocol.INPUT_EV_MOUSE_DOWN, ...lastMouse])
2021-05-07 14:31:32 +02:00
}
})
canvas.addEventListener('mouseup', (ev) => {
2021-05-31 23:06:19 +02:00
lastMouse = mousePos(ev)
2021-05-07 14:31:32 +02:00
if (ev.button === 0) {
2021-05-31 23:06:19 +02:00
addEvent([Protocol.INPUT_EV_MOUSE_UP, ...lastMouse])
2021-05-07 14:31:32 +02:00
}
})
canvas.addEventListener('mousemove', (ev) => {
2021-05-31 23:06:19 +02:00
lastMouse = mousePos(ev)
addEvent([Protocol.INPUT_EV_MOUSE_MOVE, ...lastMouse])
2021-05-07 14:31:32 +02:00
})
canvas.addEventListener('wheel', (ev) => {
2021-05-31 23:06:19 +02:00
lastMouse = mousePos(ev)
if (viewport.canZoom(ev.deltaY < 0 ? 'in' : 'out')) {
const evt = ev.deltaY < 0
? Protocol.INPUT_EV_ZOOM_IN
: Protocol.INPUT_EV_ZOOM_OUT
2021-05-31 23:06:19 +02:00
addEvent([evt, ...lastMouse])
}
2021-05-07 14:31:32 +02:00
})
2021-05-17 00:27:47 +02:00
window.addEventListener('keydown', (ev: KeyboardEvent) => key(true, ev))
window.addEventListener('keyup', (ev: KeyboardEvent) => key(false, ev))
2021-05-07 14:31:32 +02:00
2021-05-17 00:27:47 +02:00
window.addEventListener('keypress', (ev: KeyboardEvent) => {
2021-05-09 22:17:41 +02:00
if (!KEYS_ON) {
return
}
if (ev.key === ' ') {
addEvent([Protocol.INPUT_EV_TOGGLE_PREVIEW])
}
if (ev.key === 'F' || ev.key === 'f') {
PIECE_VIEW_FIXED = !PIECE_VIEW_FIXED
RERENDER = true
}
if (ev.key === 'G' || ev.key === 'g') {
PIECE_VIEW_LOOSE = !PIECE_VIEW_LOOSE
RERENDER = true
}
2021-05-29 23:14:19 +02:00
if (ev.key === 'M' || ev.key === 'm') {
addEvent([Protocol.INPUT_EV_TOGGLE_SOUNDS])
}
2021-05-09 22:17:41 +02:00
})
2021-05-29 17:58:05 +02:00
const addEvent = (event: GameEvent) => {
2021-05-07 14:31:32 +02:00
events.push(event)
}
2021-05-29 17:58:05 +02:00
const consumeAll = (): GameEvent[] => {
2021-05-07 14:31:32 +02:00
if (events.length === 0) {
2020-11-25 22:03:35 +01:00
return []
}
2021-05-07 14:31:32 +02:00
const all = events.slice()
events = []
2020-11-25 22:03:35 +01:00
return all
}
2021-05-31 23:06:19 +02:00
const createKeyEvents = (): void => {
const w = (LEFT ? 1 : 0) - (RIGHT ? 1 : 0)
const h = (UP ? 1 : 0) - (DOWN ? 1 : 0)
if (w !== 0 || h !== 0) {
const amount = (SHIFT ? 24 : 12) * Math.sqrt(viewport.getCurrentZoom())
const pos = viewport.viewportDimToWorld({w: w * amount, h: h * amount})
addEvent([Protocol.INPUT_EV_MOVE, pos.w, pos.h])
if (lastMouse) {
lastMouse[0] -= pos.w
lastMouse[1] -= pos.h
}
}
2021-05-07 14:31:32 +02:00
if (ZOOM_IN && ZOOM_OUT) {
// cancel each other out
2021-05-07 14:31:32 +02:00
} else if (ZOOM_IN) {
if (viewport.canZoom('in')) {
2021-05-31 23:06:19 +02:00
const target = lastMouse || canvasCenter()
addEvent([Protocol.INPUT_EV_ZOOM_IN, ...target])
}
2021-05-07 14:31:32 +02:00
} else if (ZOOM_OUT) {
if (viewport.canZoom('out')) {
2021-05-31 23:06:19 +02:00
const target = lastMouse || canvasCenter()
addEvent([Protocol.INPUT_EV_ZOOM_OUT, ...target])
}
2020-11-25 22:03:35 +01:00
}
}
2021-05-17 00:27:47 +02:00
const setHotkeys = (state: boolean) => {
2021-05-09 22:17:41 +02:00
KEYS_ON = state
}
2021-05-07 14:31:32 +02:00
return {
addEvent,
consumeAll,
createKeyEvents,
2021-05-09 22:17:41 +02:00
setHotkeys,
2020-11-25 22:03:35 +01:00
}
}
export async function main(
2021-05-17 00:27:47 +02:00
gameId: string,
clientId: string,
wsAddress: string,
MODE: string,
TARGET_EL: HTMLElement,
HUD: Hud
) {
2021-05-17 00:27:47 +02:00
if (typeof window.DEBUG === 'undefined') window.DEBUG = false
2021-05-23 17:53:46 +02:00
const shouldDrawPlayer = (player: Player) => {
return MODE === MODE_REPLAY || player.id !== clientId
2021-05-10 01:13:23 +02:00
}
2020-11-25 22:03:35 +01:00
2021-05-29 23:14:19 +02:00
const click = sounds['./click.mp3'].default
const clickAudio = new Audio(click)
2021-05-17 00:27:47 +02:00
const cursorGrab = await Graphics.loadImageToBitmap(images['./grab.png'].default)
const cursorHand = await Graphics.loadImageToBitmap(images['./hand.png'].default)
const cursorGrabMask = await Graphics.loadImageToBitmap(images['./grab_mask.png'].default)
const cursorHandMask = await Graphics.loadImageToBitmap(images['./hand_mask.png'].default)
2020-11-25 22:03:35 +01:00
// all cursors must be of the same dimensions
const CURSOR_W = cursorGrab.width
const CURSOR_W_2 = Math.round(CURSOR_W / 2)
const CURSOR_H = cursorGrab.height
const CURSOR_H_2 = Math.round(CURSOR_H / 2)
2021-05-17 00:27:47 +02:00
const cursors: Record<string, ImageBitmap> = {}
const getPlayerCursor = async (p: Player) => {
const key = p.color + ' ' + p.d
2020-11-25 22:03:35 +01:00
if (!cursors[key]) {
const cursor = p.d ? cursorGrab : cursorHand
2021-05-17 00:27:47 +02:00
if (p.color) {
const mask = p.d ? cursorGrabMask : cursorHandMask
2021-05-23 17:53:46 +02:00
cursors[key] = await createImageBitmap(
Graphics.colorizedCanvas(cursor, mask, p.color)
)
2021-05-17 00:27:47 +02:00
} else {
cursors[key] = cursor
}
2020-11-25 22:03:35 +01:00
}
return cursors[key]
}
2020-12-22 22:35:09 +01:00
// Create a canvas and attach adapters to it so we can work with it
const canvas = addCanvasToDom(TARGET_EL, Graphics.createCanvas())
2020-11-25 22:03:35 +01:00
2020-12-22 22:35:09 +01:00
// stuff only available in replay mode...
// TODO: refactor
2021-05-17 00:27:47 +02:00
const REPLAY: Replay = {
2021-05-29 11:44:55 +02:00
final: false,
2021-05-17 00:27:47 +02:00
log: [],
2021-05-29 11:44:55 +02:00
logPointer: 0,
speeds: [0.5, 1, 2, 5, 10, 20, 50, 100, 250, 500],
speedIdx: 1,
paused: false,
2021-05-17 00:27:47 +02:00
lastRealTs: 0,
lastGameTs: 0,
gameStartTs: 0,
skipNonActionPhases: false,
2021-05-29 15:36:03 +02:00
dataOffset: 0,
dataSize: 10000,
}
2020-12-22 22:35:09 +01:00
Communication.onConnectionStateChange((state) => {
HUD.setConnectionState(state)
2021-05-15 17:40:04 +02:00
})
2021-05-29 15:36:03 +02:00
const queryNextReplayBatch = async (
gameId: string
): Promise<ReplayData> => {
const offset = REPLAY.dataOffset
REPLAY.dataOffset += REPLAY.dataSize
2021-05-29 15:36:03 +02:00
const replay: ReplayData = await Communication.requestReplayData(
gameId,
offset,
2021-05-29 15:36:03 +02:00
REPLAY.dataSize
)
2021-05-29 12:40:46 +02:00
// cut log that was already handled
REPLAY.log = REPLAY.log.slice(REPLAY.logPointer)
REPLAY.logPointer = 0
REPLAY.log.push(...replay.log)
2021-05-29 15:36:03 +02:00
if (replay.log.length < REPLAY.dataSize) {
2021-05-29 12:40:46 +02:00
REPLAY.final = true
}
return replay
2021-05-29 12:40:46 +02:00
}
2021-05-29 15:36:03 +02:00
2021-05-17 00:27:47 +02:00
let TIME: () => number = () => 0
const connect = async () => {
if (MODE === MODE_PLAY) {
2021-05-29 15:36:03 +02:00
const game: EncodedGame = await Communication.connect(wsAddress, gameId, clientId)
const gameObject: GameType = Util.decodeGame(game)
Game.setGame(gameObject.id, gameObject)
TIME = () => Time.timestamp()
} else if (MODE === MODE_REPLAY) {
REPLAY.logPointer = 0
REPLAY.dataSize = 10000
REPLAY.speeds = [0.5, 1, 2, 5, 10, 20, 50, 100, 250, 500]
REPLAY.speedIdx = 1
2021-05-29 15:36:03 +02:00
const replay: ReplayData = await queryNextReplayBatch(gameId)
if (!replay.game) {
throw '[ 2021-05-29 no game received ]'
}
const gameObject: GameType = Util.decodeGame(replay.game)
Game.setGame(gameObject.id, gameObject)
2021-06-05 08:58:20 +02:00
REPLAY.lastRealTs = Time.timestamp()
REPLAY.gameStartTs = parseInt(replay.log[0][4], 10)
REPLAY.lastGameTs = REPLAY.gameStartTs
2021-06-05 08:58:20 +02:00
REPLAY.paused = false
REPLAY.skipNonActionPhases = false
2021-06-05 08:58:20 +02:00
TIME = () => REPLAY.lastGameTs
} else {
throw '[ 2020-12-22 MODE invalid, must be play|replay ]'
}
// rerender after (re-)connect
RERENDER = true
2020-12-22 22:35:09 +01:00
}
2020-11-25 22:03:35 +01:00
await connect()
2021-05-29 15:36:03 +02:00
const PIECE_DRAW_OFFSET = Game.getPieceDrawOffset(gameId)
const PIECE_DRAW_SIZE = Game.getPieceDrawSize(gameId)
const PUZZLE_WIDTH = Game.getPuzzleWidth(gameId)
const PUZZLE_HEIGHT = Game.getPuzzleHeight(gameId)
const TABLE_WIDTH = Game.getTableWidth(gameId)
const TABLE_HEIGHT = Game.getTableHeight(gameId)
2021-05-10 01:13:23 +02:00
const BOARD_POS = {
x: (TABLE_WIDTH - PUZZLE_WIDTH) / 2,
y: (TABLE_HEIGHT - PUZZLE_HEIGHT) / 2
}
const BOARD_DIM = {
w: PUZZLE_WIDTH,
h: PUZZLE_HEIGHT,
}
const PIECE_DIM = {
2021-05-29 15:36:03 +02:00
w: PIECE_DRAW_SIZE,
h: PIECE_DRAW_SIZE,
2021-05-10 01:13:23 +02:00
}
2020-12-22 22:35:09 +01:00
const bitmaps = await PuzzleGraphics.loadPuzzleBitmaps(Game.getPuzzle(gameId))
2021-05-09 22:17:41 +02:00
const fireworks = new fireworksController(canvas, Game.getRng(gameId))
2021-05-17 00:27:47 +02:00
fireworks.init()
2021-05-09 22:17:41 +02:00
2021-05-17 00:27:47 +02:00
const ctx = canvas.getContext('2d') as CanvasRenderingContext2D
2021-05-09 22:17:41 +02:00
canvas.classList.add('loaded')
// initialize some view data
// this global data will change according to input events
2021-05-17 00:27:47 +02:00
const viewport = Camera()
2021-05-09 22:17:41 +02:00
// center viewport
viewport.move(
-(TABLE_WIDTH - canvas.width) /2,
-(TABLE_HEIGHT - canvas.height) /2
)
2021-05-17 00:27:47 +02:00
const evts = EventAdapter(canvas, window, viewport)
2021-05-09 22:17:41 +02:00
2021-05-13 22:45:55 +02:00
const previewImageUrl = Game.getImageUrl(gameId)
2021-05-10 01:13:23 +02:00
const updateTimerElements = () => {
2021-05-13 22:45:55 +02:00
const startTs = Game.getStartTs(gameId)
const finishTs = Game.getFinishTs(gameId)
const ts = TIME()
HUD.setFinished(!!(finishTs))
HUD.setDuration((finishTs || ts) - startTs)
2021-05-10 01:13:23 +02:00
}
2021-05-10 00:44:27 +02:00
updateTimerElements()
2021-05-29 15:36:03 +02:00
HUD.setPiecesDone(Game.getFinishedPiecesCount(gameId))
HUD.setPiecesTotal(Game.getPieceCount(gameId))
2021-05-10 00:44:27 +02:00
const ts = TIME()
HUD.setActivePlayers(Game.getActivePlayers(gameId, ts))
HUD.setIdlePlayers(Game.getIdlePlayers(gameId, ts))
2020-12-09 01:27:47 +01:00
const longFinished = !! Game.getFinishTs(gameId)
let finished = longFinished
const justFinished = () => finished && !longFinished
2020-12-09 01:27:47 +01:00
2021-05-29 23:14:19 +02:00
const playerSoundEnabled = (): boolean => {
const enabled = localStorage.getItem('sound_enabled')
if (enabled === null) {
return false
}
return enabled === '1'
}
2020-12-07 12:20:09 +01:00
const playerBgColor = () => {
return (Game.getPlayerBgColor(gameId, clientId)
2020-12-07 12:20:09 +01:00
|| localStorage.getItem('bg_color')
|| '#222222')
}
const playerColor = () => {
return (Game.getPlayerColor(gameId, clientId)
2020-12-07 12:20:09 +01:00
|| localStorage.getItem('player_color')
|| '#ffffff')
}
const playerName = () => {
return (Game.getPlayerName(gameId, clientId)
2020-12-07 12:20:09 +01:00
|| localStorage.getItem('player_name')
|| 'anon')
}
2020-11-25 22:03:35 +01:00
2021-05-23 17:53:46 +02:00
let cursorDown: string = ''
let cursor: string = ''
let cursorState: boolean = false
const updatePlayerCursorState = (d: boolean) => {
cursorState = d
const [url, fallback] = d ? [cursorDown, 'grab'] : [cursor, 'default']
canvas.style.cursor = `url('${url}') ${CURSOR_W_2} ${CURSOR_H_2}, ${fallback}`
}
const updatePlayerCursorColor = (color: string) => {
cursorDown = Graphics.colorizedCanvas(cursorGrab, cursorGrabMask, color).toDataURL()
cursor = Graphics.colorizedCanvas(cursorHand, cursorHandMask, color).toDataURL()
updatePlayerCursorState(cursorState)
}
updatePlayerCursorColor(playerColor())
2021-05-13 22:45:55 +02:00
const doSetSpeedStatus = () => {
2021-05-17 00:27:47 +02:00
if (HUD.setReplaySpeed) {
HUD.setReplaySpeed(REPLAY.speeds[REPLAY.speedIdx])
}
if (HUD.setReplayPaused) {
HUD.setReplayPaused(REPLAY.paused)
}
2021-05-13 22:45:55 +02:00
}
const replayOnSpeedUp = () => {
if (REPLAY.speedIdx + 1 < REPLAY.speeds.length) {
REPLAY.speedIdx++
doSetSpeedStatus()
}
}
const replayOnSpeedDown = () => {
if (REPLAY.speedIdx >= 1) {
REPLAY.speedIdx--
doSetSpeedStatus()
}
}
const replayOnPauseToggle = () => {
REPLAY.paused = !REPLAY.paused
doSetSpeedStatus()
}
2021-06-05 08:58:20 +02:00
const intervals: NodeJS.Timeout[] = []
let to: NodeJS.Timeout
2021-06-05 08:58:20 +02:00
const clearIntervals = () => {
intervals.forEach(inter => {
clearInterval(inter)
})
if (to) {
clearTimeout(to)
}
2021-06-05 08:58:20 +02:00
}
let gameLoopInstance: GameLoopInstance
const unload = () => {
clearIntervals()
if (gameLoopInstance) {
gameLoopInstance.stop()
}
}
if (MODE === MODE_PLAY) {
2021-06-05 08:58:20 +02:00
intervals.push(setInterval(() => {
updateTimerElements()
}, 1000))
} else if (MODE === MODE_REPLAY) {
2021-05-13 22:45:55 +02:00
doSetSpeedStatus()
2020-12-22 22:35:09 +01:00
}
2020-11-25 22:03:35 +01:00
// // TODO: remove (make changable via interface)
// REPLAY.skipNonActionPhases = true
if (MODE === MODE_PLAY) {
Communication.onServerChange((msg: ServerEvent) => {
2020-12-22 22:35:09 +01:00
const msgType = msg[0]
const evClientId = msg[1]
const evClientSeq = msg[2]
const evChanges = msg[3]
2021-05-09 22:17:41 +02:00
for (const [changeType, changeData] of evChanges) {
2020-12-22 22:35:09 +01:00
switch (changeType) {
case Protocol.CHANGE_PLAYER: {
2020-12-22 22:35:09 +01:00
const p = Util.decodePlayer(changeData)
if (p.id !== clientId) {
2020-12-22 22:35:09 +01:00
Game.setPlayer(gameId, p.id, p)
RERENDER = true
}
} break;
case Protocol.CHANGE_TILE: {
2021-05-29 15:36:03 +02:00
const t = Util.decodePiece(changeData)
Game.setPiece(gameId, t.idx, t)
2020-11-25 22:03:35 +01:00
RERENDER = true
2020-12-22 22:35:09 +01:00
} break;
case Protocol.CHANGE_DATA: {
2020-12-22 22:35:09 +01:00
Game.setPuzzleData(gameId, changeData)
RERENDER = true
} break;
}
}
finished = !! Game.getFinishTs(gameId)
2020-12-22 22:35:09 +01:00
})
} else if (MODE === MODE_REPLAY) {
const handleLogEntry = (logEntry: any[], ts: Timestamp) => {
const entry = logEntry
if (entry[0] === Protocol.LOG_ADD_PLAYER) {
const playerId = entry[1]
Game.addPlayer(gameId, playerId, ts)
return true
}
if (entry[0] === Protocol.LOG_UPDATE_PLAYER) {
const playerId = Game.getPlayerIdByIndex(gameId, entry[1])
if (!playerId) {
throw '[ 2021-05-17 player not found (update player) ]'
}
Game.addPlayer(gameId, playerId, ts)
return true
}
if (entry[0] === Protocol.LOG_HANDLE_INPUT) {
const playerId = Game.getPlayerIdByIndex(gameId, entry[1])
if (!playerId) {
throw '[ 2021-05-17 player not found (handle input) ]'
}
const input = entry[2]
Game.handleInput(gameId, playerId, input, ts)
return true
2021-05-29 11:44:55 +02:00
}
return false
}
2021-05-29 11:44:55 +02:00
const next = async () => {
2021-05-29 11:44:55 +02:00
if (REPLAY.logPointer + 1 >= REPLAY.log.length) {
await queryNextReplayBatch(gameId)
2021-05-29 11:44:55 +02:00
}
const realTs = Time.timestamp()
if (REPLAY.paused) {
REPLAY.lastRealTs = realTs
to = setTimeout(next, 50)
2020-12-22 22:35:09 +01:00
return
}
const timePassedReal = realTs - REPLAY.lastRealTs
const timePassedGame = timePassedReal * REPLAY.speeds[REPLAY.speedIdx]
let maxGameTs = REPLAY.lastGameTs + timePassedGame
2020-12-22 22:35:09 +01:00
do {
if (REPLAY.paused) {
2020-12-22 22:35:09 +01:00
break
}
2021-05-29 11:44:55 +02:00
const nextIdx = REPLAY.logPointer + 1
if (nextIdx >= REPLAY.log.length) {
2020-12-22 22:35:09 +01:00
break
}
const currLogEntry = REPLAY.log[REPLAY.logPointer]
const currTs: Timestamp = REPLAY.gameStartTs + currLogEntry[currLogEntry.length - 1]
const nextLogEntry = REPLAY.log[nextIdx]
const nextTs: Timestamp = REPLAY.gameStartTs + nextLogEntry[nextLogEntry.length - 1]
2020-12-22 22:35:09 +01:00
if (nextTs > maxGameTs) {
// next log entry is too far into the future
if (REPLAY.skipNonActionPhases && (maxGameTs + 50 < nextTs)) {
const skipInterval = nextTs - currTs
// lets skip to the next log entry
// log.info('skipping non-action, from', maxGameTs, skipInterval)
maxGameTs += skipInterval
}
2020-12-22 22:35:09 +01:00
break
}
if (handleLogEntry(nextLogEntry, nextTs)) {
2020-11-25 22:03:35 +01:00
RERENDER = true
2020-12-22 22:35:09 +01:00
}
2021-05-29 11:44:55 +02:00
REPLAY.logPointer = nextIdx
2020-12-22 22:35:09 +01:00
} while (true)
REPLAY.lastRealTs = realTs
REPLAY.lastGameTs = maxGameTs
2021-05-10 00:44:27 +02:00
updateTimerElements()
if (!REPLAY.final) {
to = setTimeout(next, 50)
}
}
next()
2020-12-22 22:35:09 +01:00
}
2020-11-25 22:03:35 +01:00
2021-05-17 00:27:47 +02:00
let _last_mouse_down: Point|null = null
2021-05-29 17:58:05 +02:00
const onUpdate = (): void => {
// handle key downs once per onUpdate
// this will create Protocol.INPUT_EV_MOVE events if something
// relevant is pressed
2021-05-07 14:31:32 +02:00
evts.createKeyEvents()
2021-05-09 22:17:41 +02:00
for (const evt of evts.consumeAll()) {
if (MODE === MODE_PLAY) {
2020-12-22 22:35:09 +01:00
// LOCAL ONLY CHANGES
// -------------------------------------------------------------
const type = evt[0]
if (type === Protocol.INPUT_EV_MOVE) {
2021-05-31 23:06:19 +02:00
const w = evt[1]
const h = evt[2]
const dim = viewport.worldDimToViewport({w, h})
RERENDER = true
2021-05-31 23:06:19 +02:00
viewport.move(dim.w, dim.h)
} else if (type === Protocol.INPUT_EV_MOUSE_MOVE) {
2021-05-29 15:36:03 +02:00
if (_last_mouse_down && !Game.getFirstOwnedPiece(gameId, clientId)) {
2020-12-22 22:35:09 +01:00
// move the cam
const pos = { x: evt[1], y: evt[2] }
const mouse = viewport.worldToViewport(pos)
const diffX = Math.round(mouse.x - _last_mouse_down.x)
const diffY = Math.round(mouse.y - _last_mouse_down.y)
RERENDER = true
viewport.move(diffX, diffY)
2020-11-25 22:03:35 +01:00
2020-12-22 22:35:09 +01:00
_last_mouse_down = mouse
}
2021-05-23 17:53:46 +02:00
} else if (type === Protocol.INPUT_EV_PLAYER_COLOR) {
updatePlayerCursorColor(evt[1])
2020-12-23 01:19:30 +01:00
} else if (type === Protocol.INPUT_EV_MOUSE_DOWN) {
2020-12-05 19:45:34 +01:00
const pos = { x: evt[1], y: evt[2] }
2020-12-22 22:35:09 +01:00
_last_mouse_down = viewport.worldToViewport(pos)
2021-05-23 17:53:46 +02:00
updatePlayerCursorState(true)
2020-12-23 01:19:30 +01:00
} else if (type === Protocol.INPUT_EV_MOUSE_UP) {
2020-12-22 22:35:09 +01:00
_last_mouse_down = null
2021-05-23 17:53:46 +02:00
updatePlayerCursorState(false)
2020-12-23 01:19:30 +01:00
} else if (type === Protocol.INPUT_EV_ZOOM_IN) {
2021-04-15 10:01:27 +02:00
const pos = { x: evt[1], y: evt[2] }
RERENDER = true
viewport.zoom('in', viewport.worldToViewport(pos))
2020-12-23 01:19:30 +01:00
} else if (type === Protocol.INPUT_EV_ZOOM_OUT) {
2021-04-15 10:01:27 +02:00
const pos = { x: evt[1], y: evt[2] }
RERENDER = true
viewport.zoom('out', viewport.worldToViewport(pos))
2021-05-09 22:17:41 +02:00
} else if (type === Protocol.INPUT_EV_TOGGLE_PREVIEW) {
2021-05-13 22:45:55 +02:00
HUD.togglePreview()
2021-05-29 23:14:19 +02:00
} else if (type === Protocol.INPUT_EV_TOGGLE_SOUNDS) {
HUD.toggleSoundsEnabled()
2020-11-25 22:03:35 +01:00
}
2020-12-22 22:35:09 +01:00
// LOCAL + SERVER CHANGES
// -------------------------------------------------------------
const ts = TIME()
2021-05-29 23:14:19 +02:00
const changes = Game.handleInput(
gameId,
clientId,
evt,
ts,
(playerId: string) => {
if (playerSoundEnabled()) {
clickAudio.play()
}
}
)
2020-12-22 22:35:09 +01:00
if (changes.length > 0) {
2020-11-25 22:03:35 +01:00
RERENDER = true
}
2020-12-22 22:35:09 +01:00
Communication.sendClientEvent(evt)
} else if (MODE === MODE_REPLAY) {
2020-12-22 22:35:09 +01:00
// LOCAL ONLY CHANGES
// -------------------------------------------------------------
const type = evt[0]
2021-05-10 01:13:23 +02:00
if (type === Protocol.INPUT_EV_MOVE) {
const diffX = evt[1]
const diffY = evt[2]
RERENDER = true
viewport.move(diffX, diffY)
} else if (type === Protocol.INPUT_EV_MOUSE_MOVE) {
2020-12-22 22:35:09 +01:00
if (_last_mouse_down) {
// move the cam
const pos = { x: evt[1], y: evt[2] }
const mouse = viewport.worldToViewport(pos)
const diffX = Math.round(mouse.x - _last_mouse_down.x)
const diffY = Math.round(mouse.y - _last_mouse_down.y)
RERENDER = true
viewport.move(diffX, diffY)
_last_mouse_down = mouse
}
2020-12-23 01:19:30 +01:00
} else if (type === Protocol.INPUT_EV_MOUSE_DOWN) {
2020-11-25 22:03:35 +01:00
const pos = { x: evt[1], y: evt[2] }
2020-12-22 22:35:09 +01:00
_last_mouse_down = viewport.worldToViewport(pos)
2020-12-23 01:19:30 +01:00
} else if (type === Protocol.INPUT_EV_MOUSE_UP) {
2020-12-22 22:35:09 +01:00
_last_mouse_down = null
2020-12-23 01:19:30 +01:00
} else if (type === Protocol.INPUT_EV_ZOOM_IN) {
2021-04-15 10:01:27 +02:00
const pos = { x: evt[1], y: evt[2] }
RERENDER = true
viewport.zoom('in', viewport.worldToViewport(pos))
2020-12-23 01:19:30 +01:00
} else if (type === Protocol.INPUT_EV_ZOOM_OUT) {
2021-04-15 10:01:27 +02:00
const pos = { x: evt[1], y: evt[2] }
RERENDER = true
viewport.zoom('out', viewport.worldToViewport(pos))
2021-05-09 22:17:41 +02:00
} else if (type === Protocol.INPUT_EV_TOGGLE_PREVIEW) {
2021-05-13 22:45:55 +02:00
HUD.togglePreview()
2020-11-25 22:03:35 +01:00
}
}
}
2020-12-09 01:27:47 +01:00
finished = !! Game.getFinishTs(gameId)
2020-12-09 01:27:47 +01:00
if (justFinished()) {
fireworks.update()
RERENDER = true
}
2020-11-25 22:03:35 +01:00
}
2021-05-29 17:58:05 +02:00
const onRender = async (): Promise<void> => {
2020-11-25 22:03:35 +01:00
if (!RERENDER) {
return
}
2021-05-10 01:13:23 +02:00
const ts = TIME()
2021-05-17 02:32:33 +02:00
let pos: Point
let dim: Dim
let bmp: ImageBitmap
2020-11-25 22:03:35 +01:00
2021-05-17 00:27:47 +02:00
if (window.DEBUG) Debug.checkpoint_start(0)
2020-11-25 22:03:35 +01:00
// CLEAR CTX
// ---------------------------------------------------------------
2020-12-07 12:20:09 +01:00
ctx.fillStyle = playerBgColor()
2020-11-25 22:03:35 +01:00
ctx.fillRect(0, 0, canvas.width, canvas.height)
2021-05-17 00:27:47 +02:00
if (window.DEBUG) Debug.checkpoint('clear done')
2020-11-25 22:03:35 +01:00
// ---------------------------------------------------------------
// DRAW BOARD
// ---------------------------------------------------------------
2021-05-10 01:13:23 +02:00
pos = viewport.worldToViewportRaw(BOARD_POS)
dim = viewport.worldDimToViewportRaw(BOARD_DIM)
2020-12-24 20:17:01 +01:00
ctx.fillStyle = 'rgba(255, 255, 255, .3)'
2020-11-25 22:03:35 +01:00
ctx.fillRect(pos.x, pos.y, dim.w, dim.h)
2021-05-17 00:27:47 +02:00
if (window.DEBUG) Debug.checkpoint('board done')
2020-11-25 22:03:35 +01:00
// ---------------------------------------------------------------
// DRAW TILES
// ---------------------------------------------------------------
2021-05-29 15:36:03 +02:00
const tiles = Game.getPiecesSortedByZIndex(gameId)
2021-05-17 00:27:47 +02:00
if (window.DEBUG) Debug.checkpoint('get tiles done')
2021-04-15 12:42:47 +02:00
2021-05-10 01:13:23 +02:00
dim = viewport.worldDimToViewportRaw(PIECE_DIM)
2021-05-09 22:17:41 +02:00
for (const tile of tiles) {
2021-05-10 01:13:23 +02:00
if (!shouldDrawPiece(tile)) {
continue
}
2021-05-10 01:13:23 +02:00
bmp = bitmaps[tile.idx]
2020-12-24 20:17:01 +01:00
pos = viewport.worldToViewportRaw({
2021-05-29 15:36:03 +02:00
x: PIECE_DRAW_OFFSET + tile.pos.x,
y: PIECE_DRAW_OFFSET + tile.pos.y,
2020-11-25 22:03:35 +01:00
})
ctx.drawImage(bmp,
0, 0, bmp.width, bmp.height,
pos.x, pos.y, dim.w, dim.h
)
}
2021-05-17 00:27:47 +02:00
if (window.DEBUG) Debug.checkpoint('tiles done')
2020-11-25 22:03:35 +01:00
// ---------------------------------------------------------------
// DRAW PLAYERS
// ---------------------------------------------------------------
2021-05-17 00:27:47 +02:00
const texts: Array<FixedLengthArray<[string, number, number]>> = []
// Cursors
2021-05-10 01:13:23 +02:00
for (const p of Game.getActivePlayers(gameId, ts)) {
2021-05-23 17:53:46 +02:00
if (shouldDrawPlayer(p)) {
bmp = await getPlayerCursor(p)
pos = viewport.worldToViewport(p)
ctx.drawImage(bmp, pos.x - CURSOR_W_2, pos.y - CURSOR_H_2)
// performance:
// not drawing text directly here, to have less ctx
// switches between drawImage and fillTxt
2021-05-10 01:13:23 +02:00
texts.push([`${p.name} (${p.points})`, pos.x, pos.y + CURSOR_H])
2020-11-25 22:03:35 +01:00
}
}
// Names
ctx.fillStyle = 'white'
ctx.textAlign = 'center'
2021-05-09 22:17:41 +02:00
for (const [txt, x, y] of texts) {
ctx.fillText(txt, x, y)
}
2021-05-17 00:27:47 +02:00
if (window.DEBUG) Debug.checkpoint('players done')
2020-11-25 22:03:35 +01:00
2021-05-13 22:45:55 +02:00
// propagate HUD changes
2020-11-25 22:03:35 +01:00
// ---------------------------------------------------------------
HUD.setActivePlayers(Game.getActivePlayers(gameId, ts))
HUD.setIdlePlayers(Game.getIdlePlayers(gameId, ts))
2021-05-29 15:36:03 +02:00
HUD.setPiecesDone(Game.getFinishedPiecesCount(gameId))
2021-05-17 00:27:47 +02:00
if (window.DEBUG) Debug.checkpoint('HUD done')
2020-11-25 22:03:35 +01:00
// ---------------------------------------------------------------
2020-12-09 01:27:47 +01:00
if (justFinished()) {
fireworks.render()
}
2020-11-25 22:03:35 +01:00
RERENDER = false
}
2021-06-05 08:58:20 +02:00
gameLoopInstance = run({
2020-11-25 22:03:35 +01:00
update: onUpdate,
render: onRender,
})
2021-05-13 22:45:55 +02:00
return {
2021-05-17 00:27:47 +02:00
setHotkeys: (state: boolean) => {
2021-05-13 22:45:55 +02:00
evts.setHotkeys(state)
},
2021-05-17 00:27:47 +02:00
onBgChange: (value: string) => {
localStorage.setItem('bg_color', value)
evts.addEvent([Protocol.INPUT_EV_BG_COLOR, value])
},
2021-05-17 00:27:47 +02:00
onColorChange: (value: string) => {
localStorage.setItem('player_color', value)
evts.addEvent([Protocol.INPUT_EV_PLAYER_COLOR, value])
},
2021-05-17 00:27:47 +02:00
onNameChange: (value: string) => {
localStorage.setItem('player_name', value)
evts.addEvent([Protocol.INPUT_EV_PLAYER_NAME, value])
},
2021-05-29 23:14:19 +02:00
onSoundsEnabledChange: (value: boolean) => {
localStorage.setItem('sound_enabled', value ? '1' : '0')
},
2021-05-13 22:45:55 +02:00
replayOnSpeedUp,
replayOnSpeedDown,
replayOnPauseToggle,
previewImageUrl,
player: {
background: playerBgColor(),
color: playerColor(),
name: playerName(),
2021-05-29 23:14:19 +02:00
soundsEnabled: playerSoundEnabled(),
2021-05-13 22:45:55 +02:00
},
disconnect: Communication.disconnect,
connect: connect,
2021-06-05 08:58:20 +02:00
unload: unload,
2021-05-13 22:45:55 +02:00
}
}