puzzle/game/game.js

734 lines
22 KiB
JavaScript
Raw Normal View History

2020-11-25 22:03:35 +01:00
"use strict"
import {run} from './gameloop.js'
import Camera from './Camera.js'
import Graphics from './Graphics.js'
import Debug from './Debug.js'
import Communication from './Communication.js'
import Util from './../common/Util.js'
import PuzzleGraphics from './PuzzleGraphics.js'
import Game from './Game.js'
2020-12-09 01:27:47 +01:00
import fireworksController from './Fireworks.js'
2020-12-23 01:19:30 +01:00
import Protocol from '../common/Protocol.js'
2020-11-25 22:03:35 +01:00
if (typeof GAME_ID === 'undefined') throw '[ GAME_ID not set ]'
if (typeof WS_ADDRESS === 'undefined') throw '[ WS_ADDRESS not set ]'
2020-12-22 22:35:09 +01:00
if (typeof MODE === 'undefined') throw '[ MODE not set ]'
2020-11-25 22:03:35 +01:00
if (typeof DEBUG === 'undefined') window.DEBUG = false
let RERENDER = true
2020-12-22 22:35:09 +01:00
let TIME = () => Util.timestamp()
2020-11-25 22:03:35 +01:00
function addCanvasToDom(canvas) {
canvas.width = window.innerWidth
canvas.height = window.innerHeight
document.body.appendChild(canvas)
window.addEventListener('resize', () => {
canvas.width = window.innerWidth
canvas.height = window.innerHeight
RERENDER = true
})
return canvas
}
2020-12-07 02:38:07 +01:00
function addMenuToDom(gameId) {
const previewImageUrl = Game.getImageUrl(gameId)
2020-11-25 22:03:35 +01:00
function row (...elements) {
const row = document.createElement('tr')
for (let el of elements) {
const td = document.createElement('td')
td.appendChild(el)
row.appendChild(td)
}
return row
}
2020-12-22 22:35:09 +01:00
function btn(txt) {
const btn = document.createElement('button')
btn.classList.add('btn')
btn.innerText = txt
return btn
}
2020-11-25 22:03:35 +01:00
function colorinput() {
const input = document.createElement('input')
input.type = 'color'
return input
}
function textinput(maxLength) {
const input = document.createElement('input')
input.type = 'text'
input.maxLength = maxLength
return input
}
function label(text) {
const label = document.createElement('label')
label.innerText = text
return label
}
const bgColorPickerEl = colorinput()
const bgColorPickerRow = row(
label('Background: '),
bgColorPickerEl
)
const playerColorPickerEl = colorinput()
const playerColorPickerRow = row(
label('Color: '),
playerColorPickerEl
)
const nameChangeEl = textinput(16)
const nameChangeRow = row(
label('Name: '),
nameChangeEl
)
const settingsEl = document.createElement('table')
settingsEl.classList.add('settings')
2020-11-25 22:03:35 +01:00
settingsEl.appendChild(bgColorPickerRow)
settingsEl.appendChild(playerColorPickerRow)
settingsEl.appendChild(nameChangeRow)
settingsEl.addEventListener('click', (e) => {
e.stopPropagation()
})
const settingsOverlay = document.createElement('div')
settingsOverlay.classList.add('overlay', 'transparent', 'closed')
settingsOverlay.appendChild(settingsEl)
settingsOverlay.addEventListener('click', () => {
settingsOverlay.classList.toggle('closed')
})
2020-11-25 22:03:35 +01:00
const previewEl = document.createElement('div')
previewEl.classList.add('preview')
const imgEl = document.createElement('div')
imgEl.classList.add('img')
imgEl.style.backgroundImage = `url(${previewImageUrl})`
previewEl.appendChild(imgEl)
const previewOverlay = document.createElement('div')
previewOverlay.classList.add('overlay', 'closed')
previewOverlay.appendChild(previewEl)
previewOverlay.addEventListener('click', () => {
previewOverlay.classList.toggle('closed')
})
const settingsOpenerEl = document.createElement('div')
settingsOpenerEl.classList.add('opener')
settingsOpenerEl.appendChild(document.createTextNode('🛠️ Settings'))
settingsOpenerEl.addEventListener('click', () => {
settingsOverlay.classList.toggle('closed')
2020-11-25 22:03:35 +01:00
})
const homeEl = document.createElement('a')
homeEl.classList.add('opener')
homeEl.appendChild(document.createTextNode('🧩 Puzzles'))
homeEl.href = "/"
const previewOpenerEl = document.createElement('div')
previewOpenerEl.classList.add('opener')
previewOpenerEl.appendChild(document.createTextNode('🖼️ Preview'))
previewOpenerEl.addEventListener('click', () => {
previewOverlay.classList.toggle('closed')
})
const tabsEl = document.createElement('div')
tabsEl.classList.add('tabs')
tabsEl.appendChild(homeEl)
tabsEl.appendChild(previewOpenerEl)
tabsEl.appendChild(settingsOpenerEl)
const menuEl = document.createElement('div')
menuEl.classList.add('menu')
menuEl.appendChild(tabsEl)
const scoresTitleEl = document.createElement('div')
scoresTitleEl.appendChild(document.createTextNode('Scores'))
const scoresListEl = document.createElement('table')
2020-12-07 02:38:07 +01:00
const updateScores = () => {
2020-12-22 22:35:09 +01:00
const ts = TIME()
2020-12-21 02:29:14 +01:00
const minTs = ts - 30000
2020-12-22 22:35:09 +01:00
const players = Game.getRelevantPlayers(gameId, ts)
2020-12-21 02:29:14 +01:00
const actives = players.filter(player => player.ts >= minTs)
const nonActives = players.filter(player => player.ts < minTs)
actives.sort((a, b) => b.points - a.points)
nonActives.sort((a, b) => b.points - a.points)
2020-11-25 22:03:35 +01:00
scoresListEl.innerHTML = ''
2020-12-21 02:29:14 +01:00
for (let player of actives) {
const r = row(
document.createTextNode('⚡'),
document.createTextNode(player.name),
document.createTextNode(player.points)
)
r.style.color = player.color
scoresListEl.appendChild(r)
}
for (let player of nonActives) {
2020-11-25 22:03:35 +01:00
const r = row(
2020-12-21 02:29:14 +01:00
document.createTextNode('💤'),
document.createTextNode(player.name),
document.createTextNode(player.points)
2020-11-25 22:03:35 +01:00
)
2020-12-21 02:29:14 +01:00
r.style.color = player.color
2020-11-25 22:03:35 +01:00
scoresListEl.appendChild(r)
}
}
2020-12-07 02:38:07 +01:00
const timerStr = () => {
const started = Game.getStartTs(gameId)
const ended = Game.getFinishTs(gameId)
const icon = ended ? '🏁' : '⏳'
const from = started;
2020-12-22 22:35:09 +01:00
const to = ended || TIME()
2020-12-07 02:38:07 +01:00
const MS = 1
const SEC = MS * 1000
const MIN = SEC * 60
const HOUR = MIN * 60
const DAY = HOUR * 24
let diff = to - from
const d = Math.floor(diff / DAY)
diff = diff % DAY
const h = Math.floor(diff / HOUR)
diff = diff % HOUR
const m = Math.floor(diff / MIN)
diff = diff % MIN
const s = Math.floor(diff / SEC)
return `${icon} ${d}d ${h}h ${m}m ${s}s`
}
const timerCountdownEl = document.createElement('div')
timerCountdownEl.innerText = timerStr()
setInterval(() => {
timerCountdownEl.innerText = timerStr()
2020-12-22 22:35:09 +01:00
}, 50) // needs to be small, so that it updates quick enough in replay
2020-12-07 02:38:07 +01:00
const timerEl = document.createElement('div')
timerEl.classList.add('timer')
timerEl.appendChild(timerCountdownEl)
2020-12-22 22:35:09 +01:00
let replayControl = null
if (MODE === 'replay') {
const replayControlEl = document.createElement('div')
const speedUp = btn('⏫')
const speedDown = btn('⏬')
const pause = btn('⏸️')
const speed = document.createElement('div')
replayControlEl.appendChild(speed)
replayControlEl.appendChild(speedUp)
replayControlEl.appendChild(speedDown)
replayControlEl.appendChild(pause)
timerEl.appendChild(replayControlEl)
replayControl = { speedUp, speedDown, pause, speed }
}
2020-11-25 22:03:35 +01:00
const scoresEl = document.createElement('div')
scoresEl.classList.add('scores')
scoresEl.appendChild(scoresTitleEl)
scoresEl.appendChild(scoresListEl)
document.body.appendChild(settingsOverlay)
2020-11-25 22:03:35 +01:00
document.body.appendChild(previewOverlay)
2020-12-07 02:38:07 +01:00
document.body.appendChild(timerEl)
2020-11-25 22:03:35 +01:00
document.body.appendChild(menuEl)
document.body.appendChild(scoresEl)
return {
bgColorPickerEl,
playerColorPickerEl,
nameChangeEl,
updateScores,
2020-12-22 22:35:09 +01:00
replayControl,
2020-11-25 22:03:35 +01:00
}
}
function initme() {
// return uniqId()
let ID = localStorage.getItem('ID')
if (!ID) {
ID = Util.uniqId()
localStorage.setItem('ID', ID)
}
return ID
}
export default class EventAdapter {
constructor(canvas, viewport) {
this.events = []
this._viewport = viewport
canvas.addEventListener('mousedown', this._mouseDown.bind(this))
canvas.addEventListener('mouseup', this._mouseUp.bind(this))
canvas.addEventListener('mousemove', this._mouseMove.bind(this))
canvas.addEventListener('wheel', this._wheel.bind(this))
}
addEvent(event) {
this.events.push(event)
}
consumeAll() {
if (this.events.length === 0) {
return []
}
const all = this.events.slice()
this.events = []
return all
}
_mouseDown(e) {
if (e.button === 0) {
const pos = this._viewport.viewportToWorld({
x: e.offsetX,
y: e.offsetY,
})
2020-12-23 01:19:30 +01:00
this.addEvent([Protocol.INPUT_EV_MOUSE_DOWN, pos.x, pos.y])
2020-11-25 22:03:35 +01:00
}
}
_mouseUp(e) {
if (e.button === 0) {
const pos = this._viewport.viewportToWorld({
x: e.offsetX,
y: e.offsetY,
})
2020-12-23 01:19:30 +01:00
this.addEvent([Protocol.INPUT_EV_MOUSE_UP, pos.x, pos.y])
2020-11-25 22:03:35 +01:00
}
}
_mouseMove(e) {
const pos = this._viewport.viewportToWorld({
x: e.offsetX,
y: e.offsetY,
})
2020-12-23 01:19:30 +01:00
this.addEvent([Protocol.INPUT_EV_MOUSE_MOVE, pos.x, pos.y])
2020-11-25 22:03:35 +01:00
}
_wheel(e) {
const pos = this._viewport.viewportToWorld({
x: e.offsetX,
y: e.offsetY,
})
2020-12-23 01:19:30 +01:00
const evt = e.deltaY < 0 ? Protocol.INPUT_EV_ZOOM_IN : Protocol.INPUT_EV_ZOOM_OUT
2020-11-25 22:03:35 +01:00
this.addEvent([evt, pos.x, pos.y])
}
}
async function main() {
let gameId = GAME_ID
let CLIENT_ID = initme()
const cursorGrab = await Graphics.loadImageToBitmap('/grab.png')
const cursorHand = await Graphics.loadImageToBitmap('/hand.png')
const cursorGrabMask = await Graphics.loadImageToBitmap('/grab_mask.png')
const cursorHandMask = await Graphics.loadImageToBitmap('/hand_mask.png')
const cursors = {}
const getPlayerCursor = async (p) => {
let key = p.color + ' ' + p.d
if (!cursors[key]) {
const cursor = p.d ? cursorGrab : cursorHand
const mask = p.d ? cursorGrabMask : cursorHandMask
cursors[key] = await Graphics.colorize(cursor, mask, p.color)
}
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(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
let GAME_LOG
let GAME_LOG_IDX = 0
let REPLAY_SPEEDS = [0.5, 1, 2, 5, 10, 20, 50]
let REPLAY_SPEED_IDX = 1
let REPLAY_PAUSED = false
let lastRealTime = null
let lastGameTime = null
2020-12-23 01:19:30 +01:00
let GAME_START_TS = null
2020-12-22 22:35:09 +01:00
if (MODE === 'play') {
const game = await Communication.connect(gameId, CLIENT_ID)
2020-12-24 15:29:32 +01:00
Game.newGame(Util.decodeGame(game))
2020-12-22 22:35:09 +01:00
} else if (MODE === 'replay') {
const {game, log} = await Communication.connectReplay(gameId, CLIENT_ID)
2020-12-24 15:29:32 +01:00
Game.newGame(Util.decodeGame(game))
2020-12-22 22:35:09 +01:00
GAME_LOG = log
lastRealTime = Util.timestamp()
2020-12-23 01:19:30 +01:00
GAME_START_TS = GAME_LOG[0][GAME_LOG[0].length - 1]
lastGameTime = GAME_START_TS
2020-12-22 22:35:09 +01:00
TIME = () => lastGameTime
} else {
throw '[ 2020-12-22 MODE invalid, must be play|replay ]'
}
2020-11-25 22:03:35 +01:00
2020-12-22 22:35:09 +01:00
const bitmaps = await PuzzleGraphics.loadPuzzleBitmaps(Game.getPuzzle(gameId))
const {bgColorPickerEl, playerColorPickerEl, nameChangeEl, updateScores, replayControl} = addMenuToDom(gameId)
updateScores()
2020-12-09 01:27:47 +01:00
const longFinished = Game.getFinishTs(gameId)
let finished = longFinished ? true : false
const justFinished = () => !!(finished && !longFinished)
2020-12-22 22:35:09 +01:00
const fireworks = new fireworksController(canvas, Game.getRng(gameId))
2020-12-09 01:27:47 +01:00
fireworks.init(canvas)
2020-11-25 22:03:35 +01:00
const ctx = canvas.getContext('2d')
// initialize some view data
// this global data will change according to input events
const viewport = new Camera(canvas)
// center viewport
viewport.move(
2020-12-05 19:45:34 +01:00
-(Game.getTableWidth(gameId) - viewport.width) /2,
-(Game.getTableHeight(gameId) - viewport.height) /2
2020-11-25 22:03:35 +01:00
)
2020-12-07 12:20:09 +01:00
const playerBgColor = () => {
return (Game.getPlayerBgColor(gameId, CLIENT_ID)
|| localStorage.getItem('bg_color')
|| '#222222')
}
const playerColor = () => {
return (Game.getPlayerColor(gameId, CLIENT_ID)
|| localStorage.getItem('player_color')
|| '#ffffff')
}
const playerName = () => {
return (Game.getPlayerName(gameId, CLIENT_ID)
|| localStorage.getItem('player_name')
|| 'anon')
}
2020-11-25 22:03:35 +01:00
2020-12-07 12:20:09 +01:00
const evts = new EventAdapter(canvas, viewport)
2020-12-22 22:35:09 +01:00
if (MODE === 'play') {
bgColorPickerEl.value = playerBgColor()
2020-12-23 01:19:30 +01:00
evts.addEvent([Protocol.INPUT_EV_BG_COLOR, bgColorPickerEl.value])
2020-12-22 22:35:09 +01:00
bgColorPickerEl.addEventListener('change', () => {
localStorage.setItem('bg_color', bgColorPickerEl.value)
2020-12-23 01:19:30 +01:00
evts.addEvent([Protocol.INPUT_EV_BG_COLOR, bgColorPickerEl.value])
2020-12-22 22:35:09 +01:00
})
playerColorPickerEl.value = playerColor()
2020-12-23 01:19:30 +01:00
evts.addEvent([Protocol.INPUT_EV_PLAYER_COLOR, playerColorPickerEl.value])
2020-12-22 22:35:09 +01:00
playerColorPickerEl.addEventListener('change', () => {
localStorage.setItem('player_color', playerColorPickerEl.value)
2020-12-23 01:19:30 +01:00
evts.addEvent([Protocol.INPUT_EV_PLAYER_COLOR, playerColorPickerEl.value])
2020-12-22 22:35:09 +01:00
})
nameChangeEl.value = playerName()
2020-12-23 01:19:30 +01:00
evts.addEvent([Protocol.INPUT_EV_PLAYER_NAME, nameChangeEl.value])
2020-12-22 22:35:09 +01:00
nameChangeEl.addEventListener('change', () => {
localStorage.setItem('player_name', nameChangeEl.value)
2020-12-23 01:19:30 +01:00
evts.addEvent([Protocol.INPUT_EV_PLAYER_NAME, nameChangeEl.value])
2020-12-22 22:35:09 +01:00
})
} else if (MODE === 'replay') {
let setSpeedStatus = () => {
replayControl.speed.innerText = 'Replay-Speed: ' + (REPLAY_SPEEDS[REPLAY_SPEED_IDX] + 'x') + (REPLAY_PAUSED ? ' Paused' : '')
}
setSpeedStatus()
replayControl.speedUp.addEventListener('click', () => {
if (REPLAY_SPEED_IDX + 1 < REPLAY_SPEEDS.length) {
REPLAY_SPEED_IDX++
setSpeedStatus()
}
})
replayControl.speedDown.addEventListener('click', () => {
if (REPLAY_SPEED_IDX >= 1) {
REPLAY_SPEED_IDX--
setSpeedStatus()
}
})
replayControl.pause.addEventListener('click', () => {
REPLAY_PAUSED = !REPLAY_PAUSED
setSpeedStatus()
})
}
2020-11-25 22:03:35 +01:00
2020-12-22 22:35:09 +01:00
if (MODE === 'play') {
Communication.onServerChange((msg) => {
const msgType = msg[0]
const evClientId = msg[1]
const evClientSeq = msg[2]
const evChanges = msg[3]
for(let [changeType, changeData] of evChanges) {
switch (changeType) {
case 'player': {
const p = Util.decodePlayer(changeData)
if (p.id !== CLIENT_ID) {
Game.setPlayer(gameId, p.id, p)
RERENDER = true
}
} break;
case 'tile': {
const t = Util.decodeTile(changeData)
Game.setTile(gameId, t.idx, t)
2020-11-25 22:03:35 +01:00
RERENDER = true
2020-12-22 22:35:09 +01:00
} break;
case 'data': {
Game.setPuzzleData(gameId, changeData)
RERENDER = true
} break;
}
}
finished = Game.getFinishTs(gameId)
})
} else if (MODE === 'replay') {
// no external communication for replay mode,
// only the GAME_LOG is relevant
let inter = setInterval(() => {
let realTime = Util.timestamp()
if (REPLAY_PAUSED) {
lastRealTime = realTime
return
}
let timePassedReal = realTime - lastRealTime
let timePassedGame = timePassedReal * REPLAY_SPEEDS[REPLAY_SPEED_IDX]
let maxGameTs = lastGameTime + timePassedGame
do {
if (REPLAY_PAUSED) {
break
}
let nextIdx = GAME_LOG_IDX + 1
if (nextIdx >= GAME_LOG.length) {
clearInterval(inter)
break
}
let logEntry = GAME_LOG[nextIdx]
2020-12-23 01:19:30 +01:00
let nextTs = GAME_START_TS + logEntry[logEntry.length - 1]
2020-12-22 22:35:09 +01:00
if (nextTs > maxGameTs) {
break
}
2020-12-23 01:19:30 +01:00
let entryWithTs = logEntry.slice()
entryWithTs[entryWithTs.length - 1] = nextTs
if (entryWithTs[0] === Protocol.LOG_ADD_PLAYER) {
Game.addPlayer(gameId, ...entryWithTs.slice(1))
2020-11-25 22:03:35 +01:00
RERENDER = true
2020-12-23 01:19:30 +01:00
} else if (entryWithTs[0] === Protocol.LOG_UPDATE_PLAYER) {
let playerId = Game.getPlayerIdByIndex(gameId, entryWithTs[1])
Game.addPlayer(gameId, playerId, ...entryWithTs.slice(2))
RERENDER = true
} else if (entryWithTs[0] === Protocol.LOG_HANDLE_INPUT) {
let playerId = Game.getPlayerIdByIndex(gameId, entryWithTs[1])
Game.handleInput(gameId, playerId, ...entryWithTs.slice(2))
2020-11-25 22:03:35 +01:00
RERENDER = true
2020-12-22 22:35:09 +01:00
}
GAME_LOG_IDX = nextIdx
} while (true)
lastRealTime = realTime
lastGameTime = maxGameTs
}, 50)
}
2020-11-25 22:03:35 +01:00
let _last_mouse_down = null
const onUpdate = () => {
for (let evt of evts.consumeAll()) {
2020-12-22 22:35:09 +01:00
if (MODE === 'play') {
// LOCAL ONLY CHANGES
// -------------------------------------------------------------
const type = evt[0]
2020-12-23 01:19:30 +01:00
if (type === Protocol.INPUT_EV_MOUSE_MOVE) {
2020-12-22 22:35:09 +01:00
if (_last_mouse_down && !Game.getFirstOwnedTile(gameId, CLIENT_ID)) {
// 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
}
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)
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) {
2020-12-22 22:35:09 +01:00
if (viewport.zoomIn()) {
const pos = { x: evt[1], y: evt[2] }
RERENDER = true
Game.changePlayer(gameId, CLIENT_ID, pos)
}
2020-12-23 01:19:30 +01:00
} else if (type === Protocol.INPUT_EV_ZOOM_OUT) {
2020-12-22 22:35:09 +01:00
if (viewport.zoomOut()) {
const pos = { x: evt[1], y: evt[2] }
RERENDER = true
Game.changePlayer(gameId, CLIENT_ID, pos)
}
2020-11-25 22:03:35 +01:00
}
2020-12-22 22:35:09 +01:00
// LOCAL + SERVER CHANGES
// -------------------------------------------------------------
const ts = TIME()
const changes = Game.handleInput(GAME_ID, CLIENT_ID, evt, ts)
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 === 'replay') {
// LOCAL ONLY CHANGES
// -------------------------------------------------------------
const type = evt[0]
2020-12-23 01:19:30 +01:00
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) {
2020-12-22 22:35:09 +01:00
viewport.zoomIn()
RERENDER = true
2020-12-23 01:19:30 +01:00
} else if (type === Protocol.INPUT_EV_ZOOM_OUT) {
2020-12-22 22:35:09 +01:00
viewport.zoomOut()
2020-11-25 22:03:35 +01:00
RERENDER = true
}
}
}
2020-12-09 01:27:47 +01:00
finished = Game.getFinishTs(gameId)
if (justFinished()) {
fireworks.update()
RERENDER = true
}
2020-11-25 22:03:35 +01:00
}
const onRender = async () => {
if (!RERENDER) {
return
}
let pos
let dim
if (DEBUG) Debug.checkpoint_start(0)
// 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)
if (DEBUG) Debug.checkpoint('clear done')
// ---------------------------------------------------------------
// DRAW BOARD
// ---------------------------------------------------------------
2020-12-24 20:17:01 +01:00
pos = viewport.worldToViewportRaw({
2020-12-05 19:45:34 +01:00
x: (Game.getTableWidth(gameId) - Game.getPuzzleWidth(gameId)) / 2,
y: (Game.getTableHeight(gameId) - Game.getPuzzleHeight(gameId)) / 2
2020-11-25 22:03:35 +01:00
})
2020-12-24 20:17:01 +01:00
dim = viewport.worldDimToViewportRaw({
2020-12-05 19:45:34 +01:00
w: Game.getPuzzleWidth(gameId),
h: Game.getPuzzleHeight(gameId),
2020-11-25 22:03:35 +01:00
})
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)
if (DEBUG) Debug.checkpoint('board done')
// ---------------------------------------------------------------
// DRAW TILES
// ---------------------------------------------------------------
2020-12-05 19:45:34 +01:00
for (let tile of Game.getTilesSortedByZIndex(gameId)) {
2020-11-25 22:03:35 +01:00
const bmp = bitmaps[tile.idx]
2020-12-24 20:17:01 +01:00
pos = viewport.worldToViewportRaw({
2020-12-05 19:45:34 +01:00
x: Game.getTileDrawOffset(gameId) + tile.pos.x,
y: Game.getTileDrawOffset(gameId) + tile.pos.y,
2020-11-25 22:03:35 +01:00
})
2020-12-24 20:17:01 +01:00
dim = viewport.worldDimToViewportRaw({
2020-12-05 19:45:34 +01:00
w: Game.getTileDrawSize(gameId),
h: Game.getTileDrawSize(gameId),
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
)
}
if (DEBUG) Debug.checkpoint('tiles done')
// ---------------------------------------------------------------
// DRAW PLAYERS
// ---------------------------------------------------------------
2020-12-22 22:35:09 +01:00
const ts = TIME()
for (let player of Game.getActivePlayers(gameId, ts)) {
2020-12-05 19:45:34 +01:00
const cursor = await getPlayerCursor(player)
2020-12-24 20:17:01 +01:00
const pos = viewport.worldToViewportRaw(player)
2020-11-25 22:03:35 +01:00
ctx.drawImage(cursor,
Math.round(pos.x - cursor.width/2),
Math.round(pos.y - cursor.height/2)
)
2020-12-22 22:35:09 +01:00
if (MODE === 'play') {
if (player.id !== CLIENT_ID) {
ctx.fillStyle = 'white'
ctx.font = '10px sans-serif'
ctx.textAlign = 'center'
ctx.fillText(player.name + ' (' + player.points + ')',
Math.round(pos.x),
Math.round(pos.y) + cursor.height
)
}
} else if (MODE === 'replay') {
2020-11-25 22:03:35 +01:00
ctx.fillStyle = 'white'
ctx.font = '10px sans-serif'
ctx.textAlign = 'center'
2020-12-05 19:45:34 +01:00
ctx.fillText(player.name + ' (' + player.points + ')',
2020-11-25 22:03:35 +01:00
Math.round(pos.x),
Math.round(pos.y) + cursor.height
)
}
}
if (DEBUG) Debug.checkpoint('players done')
// DRAW PLAYERS
// ---------------------------------------------------------------
2020-12-07 02:38:07 +01:00
updateScores()
2020-11-25 22:03:35 +01:00
if (DEBUG) Debug.checkpoint('scores done')
// ---------------------------------------------------------------
2020-12-09 01:27:47 +01:00
if (justFinished()) {
fireworks.render()
}
2020-11-25 22:03:35 +01:00
RERENDER = false
}
run({
update: onUpdate,
render: onRender,
})
}
main()