Action objects and update dices on all screens after roll

This commit is contained in:
Martin Berg Alstad 2023-05-18 23:51:44 +02:00
parent 19c87bae68
commit 033bbbea03
10 changed files with 108 additions and 55 deletions

View File

@ -33,29 +33,34 @@ export default class WebSocketService {
if (this._onError) this.ws.onerror = this._onError; if (this._onError) this.ws.onerror = this._onError;
} }
public send(data: WebSocketData): void { public send(data: ActionRequest | string): void {
if (typeof data !== "string") {
data = JSON.stringify(data);
}
this.ws?.send(data); this.ws?.send(data);
} }
public async sendAndReceive<T>(data: WebSocketData): Promise<T> { public async sendAndReceive<R>(data: ActionRequest): Promise<R> {
if (!this.isOpen()) return Promise.reject("WebSocket is not open"); if (!this.isOpen()) return Promise.reject("WebSocket is not open");
let result: T | undefined; let result: R | undefined;
this.onReceive = (event: MessageEvent) => { this.ws!.onmessage = (event: MessageEvent<string>) => {
result = JSON.parse(event.data) as T; result = JSON.parse(event.data) as R;
}; };
this.send(data); this.send(data);
return new Promise<T>((resolve) => { return new Promise<R>((resolve) => {
function f() { const f = () => {
if (result === undefined) { if (result === undefined) {
setTimeout(f, 50); setTimeout(f, 50);
return; return;
} }
} const resolved = resolve(result);
if (this._onReceive) this.onReceive = this._onReceive;
return resolved;
};
f(); f();
return resolve(result!);
}); });
} }
@ -90,4 +95,4 @@ export default class WebSocketService {
if (!this.ws) return; if (!this.ws) return;
this.ws.onerror = onError; this.ws.onerror = onError;
} }
} }

View File

@ -0,0 +1,4 @@
export enum Action {
rollDice,
pickDice,
}

View File

@ -1,14 +1,14 @@
import React from "react"; import React from "react";
interface AllDiceProps extends ComponentProps { interface AllDiceProps extends ComponentProps {
values: number[], values?: number[],
} }
export const AllDice: Component<AllDiceProps> = ({className, values}) => { export const AllDice: Component<AllDiceProps> = ({className, values}) => {
return ( return (
<> <div className={"flex gap-5 justify-center"}>
{values?.map((value, index) => <Dice key={index} className={className}/>)} {values?.map((value, index) => <Dice key={index} className={className} value={value}/>)}
</> </div>
); );
}; };
@ -16,8 +16,6 @@ interface DiceProps extends ComponentProps {
value?: number, value?: number,
} }
export const Dice: Component<DiceProps> = ({className, value}) => { export const Dice: Component<DiceProps> = ({className, value}) => (
return ( <p className={`text-2xl ${className}`}>{value?.toString()}</p>
<div className={className}>{value?.toString()}</div> );
);
};

View File

@ -3,33 +3,42 @@ import GameCanvas from "../components/gameCanvas";
import Game from "../game/game"; import Game from "../game/game";
import {AllDice} from "./dice"; import {AllDice} from "./dice";
let game: Game;
export const GameComponent: Component = () => { export const GameComponent: Component = () => {
const [dice, setDice] = React.useState<number[]>([0, 0]); const [dice, setDice] = React.useState<number[]>();
function startGameLoop() {
if (!game.isConnected()) {
setTimeout(startGameLoop, 50);
return;
}
void game.gameLoop(setDice);
}
function updateState() {
game.wsService.onReceive = (message) => {
const parsed = JSON.parse(message.data);
if (parsed instanceof Array) {
setDice(parsed);
}
};
}
React.useEffect(() => { React.useEffect(() => {
let game: Game = new Game(); game = new Game();
updateState();
game.connectToServer(); game.connectToServer();
function f() { startGameLoop();
if (!game.isConnected()) {
setTimeout(f, 50);
return;
}
game.gameLoop(setDice);
}
f();
// TODO only call gameLoop after the previous one has finished
// const id = setInterval(() => game.gameLoop(), 5000);
// return () => clearInterval(id);
}, []); }, []);
React.useEffect(() => {
console.log(dice);
}, [dice]);
return ( return (
<div> <div>
<h1 className={"w-fit mx-auto"}>Pac-Man</h1> <h1 className={"w-fit mx-auto"}>Pac-Man The Board Game</h1>
<div className={"flex justify-center"}>
<button onClick={startGameLoop}>Roll dice</button>
</div>
<AllDice values={dice}/> <AllDice values={dice}/>
<GameCanvas className={"mx-auto"}/> <GameCanvas className={"mx-auto"}/>
</div> </div>

View File

@ -1,11 +1,12 @@
import WebSocketService from "../classes/WebSocketService"; import WebSocketService from "../classes/WebSocketService";
import {Action} from "../classes/actions";
export default class Game { export default class Game {
private wsService: WebSocketService; private _wsService: WebSocketService;
constructor() { constructor() {
this.wsService = new WebSocketService("wss://localhost:3000/api/game"); this._wsService = new WebSocketService("wss://localhost:3000/api/game");
// Connect to the server // Connect to the server
// Create players // Create players
@ -15,12 +16,10 @@ export default class Game {
// Roll to start // Roll to start
} }
public gameLoop(setDice: Setter<number[]>): void { public async gameLoop(setDice: Setter<number[] | undefined>): Promise<void> {
// Throw the dices // Throw the dices
this.rollDice().then((dices) => { const result = await this.rollDice();
console.log(dices); setDice(result);
setDice(dices);
});
// Choose a dice and move pac-man or a ghost // Choose a dice and move pac-man or a ghost
@ -32,12 +31,12 @@ export default class Game {
} }
public connectToServer(): void { public connectToServer(): void {
this.wsService.open(); this._wsService.open();
this.wsService.registerEvents(); this._wsService.registerEvents();
} }
public isConnected(): boolean { public isConnected(): boolean {
return this.wsService.isOpen(); return this._wsService.isOpen();
} }
private createPlayers(): void { private createPlayers(): void {
@ -54,7 +53,7 @@ export default class Game {
private async rollDice(): Promise<number[]> { private async rollDice(): Promise<number[]> {
let result: number[]; let result: number[];
result = await this.wsService.sendAndReceive<number[]>("roll"); result = await this._wsService.sendAndReceive<number[]>({action: Action.rollDice});
return result; return result;
} }
@ -78,4 +77,8 @@ export default class Game {
throw new Error("Not implemented"); throw new Error("Not implemented");
} }
get wsService(): WebSocketService {
return this._wsService;
}
} }

View File

@ -10,3 +10,7 @@
h1 { h1 {
@apply text-4xl; @apply text-4xl;
} }
button {
@apply bg-blue-500 hover:bg-blue-600 text-white font-bold py-2 px-4 rounded;
}

View File

@ -3,3 +3,8 @@ type MessageEventFunction = (data: MessageEvent<any>) => void;
type Setter<T> = React.Dispatch<React.SetStateAction<T>>; type Setter<T> = React.Dispatch<React.SetStateAction<T>>;
type WebSocketData = string | ArrayBufferLike | Blob | ArrayBufferView; type WebSocketData = string | ArrayBufferLike | Blob | ArrayBufferView;
type ActionRequest = {
action: import("../classes/actions").Action,
data?: object
}

View File

@ -1,7 +1,8 @@
using System.Net.WebSockets; using System.Net.WebSockets;
using System.Text;
using System.Text.Json; using System.Text.Json;
using System.Text.RegularExpressions;
using Microsoft.AspNetCore.Mvc; using Microsoft.AspNetCore.Mvc;
using pacMan.Game;
using pacMan.Game.Interfaces; using pacMan.Game.Interfaces;
using pacMan.Game.Items; using pacMan.Game.Items;
using pacMan.Interfaces; using pacMan.Interfaces;
@ -14,6 +15,7 @@ namespace pacMan.Controllers;
public class GameController : GenericController public class GameController : GenericController
{ {
private readonly IDiceCup _diceCup; private readonly IDiceCup _diceCup;
public GameController(ILogger<GameController> logger, IWebSocketService wsService) : base(logger, wsService) public GameController(ILogger<GameController> logger, IWebSocketService wsService) : base(logger, wsService)
{ {
_diceCup = new DiceCup(); _diceCup = new DiceCup();
@ -25,11 +27,21 @@ public class GameController : GenericController
protected override ArraySegment<byte> Run(WebSocketReceiveResult result, byte[] data) protected override ArraySegment<byte> Run(WebSocketReceiveResult result, byte[] data)
{ {
var stringResult = data.GetString(data.Length); var stringResult = data.GetString(data.Length);
Logger.Log(LogLevel.Information, "Received: {}", stringResult); // Removes invalid characters from the string
stringResult = Regex.Replace(stringResult, @"\p{C}+", "");
var rolls = _diceCup.Roll();
Logger.Log(LogLevel.Information, "Rolled {}", string.Join(", ", rolls));
return rolls.ToArraySegment(); Logger.Log(LogLevel.Information, "Received: {}", stringResult);
var action = JsonSerializer.Deserialize<ActionRequest>(stringResult);
switch (action?.Action)
{
case GameAction.RollDice:
var rolls = _diceCup.Roll();
Logger.Log(LogLevel.Information, "Rolled {}", string.Join(", ", rolls));
return rolls.ToArraySegment();
default:
return new ArraySegment<byte>("Invalid action"u8.ToArray());
}
} }
} }

View File

@ -0,0 +1,6 @@
namespace pacMan.Game;
public enum GameAction
{
RollDice
}

View File

@ -0,0 +1,7 @@
namespace pacMan.Game;
public class ActionRequest
{
public GameAction Action { get; set; }
public object? Data { get; set; }
}