diff --git a/docs/maps/api-ui.md b/docs/maps/api-ui.md
index edda8613..572de593 100644
--- a/docs/maps/api-ui.md
+++ b/docs/maps/api-ui.md
@@ -65,3 +65,26 @@ WA.room.onLeaveZone('myZone', () => {
helloWorldPopup.close();
});
```
+
+### register additional menu entries
+
+adds an additional Entry to the main menu , these exist until the map is unloaded
+
+
+```typescript
+registerMenuCommand(menuCommand: string, callback: (menuCommand: string) => void): void
+```
+Example:
+
+
+```javascript
+
+WA.registerMenuCommand("test", () => {
+ WA.sendChatMessage("test clicked", "menu cmd")
+})
+
+```
+
+
+
+
\ No newline at end of file
diff --git a/docs/maps/assets/menu-command.png b/docs/maps/assets/menu-command.png
new file mode 100644
index 00000000..0caf75c9
Binary files /dev/null and b/docs/maps/assets/menu-command.png differ
diff --git a/front/src/Api/Events/IframeEvent.ts b/front/src/Api/Events/IframeEvent.ts
index 4da8ea96..80fc5850 100644
--- a/front/src/Api/Events/IframeEvent.ts
+++ b/front/src/Api/Events/IframeEvent.ts
@@ -6,12 +6,14 @@ import type { ClosePopupEvent } from './ClosePopupEvent';
import type { EnterLeaveEvent } from './EnterLeaveEvent';
import type { GoToPageEvent } from './GoToPageEvent';
import type { LoadPageEvent } from './LoadPageEvent';
+import type { LoadSoundEvent } from "./LoadSoundEvent";
import type { OpenCoWebSiteEvent } from './OpenCoWebSiteEvent';
import type { OpenPopupEvent } from './OpenPopupEvent';
import type { OpenTabEvent } from './OpenTabEvent';
+import type { PlaySoundEvent } from "./PlaySoundEvent";
+import type { MenuItemClickedEvent } from './ui/MenuItemClickedEvent';
+import type { MenuItemRegisterEvent } from './ui/MenuItemRegisterEvent';
import type { UserInputChatEvent } from './UserInputChatEvent';
-import type { LoadSoundEvent} from "./LoadSoundEvent";
-import type {PlaySoundEvent} from "./PlaySoundEvent";
export interface TypedMessageEvent extends MessageEvent {
@@ -36,6 +38,7 @@ export type IframeEventMap = {
loadSound: LoadSoundEvent
playSound: PlaySoundEvent
stopSound: null,
+ registerMenuCommand: MenuItemRegisterEvent
}
export interface IframeEvent {
type: T;
@@ -52,6 +55,7 @@ export interface IframeResponseEventMap {
leaveEvent: EnterLeaveEvent
buttonClickedEvent: ButtonClickedEvent
// gameState: GameStateEvent
+ menuItemClicked: MenuItemClickedEvent
}
export interface IframeResponseEvent {
type: T;
diff --git a/front/src/Api/Events/ui/MenuItemClickedEvent.ts b/front/src/Api/Events/ui/MenuItemClickedEvent.ts
new file mode 100644
index 00000000..6444cb09
--- /dev/null
+++ b/front/src/Api/Events/ui/MenuItemClickedEvent.ts
@@ -0,0 +1,21 @@
+import * as tg from "generic-type-guard";
+import { iframeListener } from '../../IframeListener';
+
+export const isMenuItemClickedEvent =
+ new tg.IsInterface().withProperties({
+ menuItem: tg.isString
+ }).get();
+/**
+ * A message sent from the game to the iFrame when a menu item is clicked.
+ */
+export type MenuItemClickedEvent = tg.GuardedType;
+
+
+export function sendMenuClickedEvent(menuItem: string) {
+ iframeListener.postMessage({
+ 'type': 'menuItemClicked',
+ 'data': {
+ menuItem: menuItem,
+ } as MenuItemClickedEvent
+ });
+}
\ No newline at end of file
diff --git a/front/src/Api/Events/ui/MenuItemRegisterEvent.ts b/front/src/Api/Events/ui/MenuItemRegisterEvent.ts
new file mode 100644
index 00000000..4a56d8a0
--- /dev/null
+++ b/front/src/Api/Events/ui/MenuItemRegisterEvent.ts
@@ -0,0 +1,25 @@
+import * as tg from "generic-type-guard";
+import { Subject } from 'rxjs';
+
+export const isMenuItemRegisterEvent =
+ new tg.IsInterface().withProperties({
+ menutItem: tg.isString
+ }).get();
+/**
+ * A message sent from the iFrame to the game to add a new menu item.
+ */
+export type MenuItemRegisterEvent = tg.GuardedType;
+
+export const isMenuItemRegisterIframeEvent =
+ new tg.IsInterface().withProperties({
+ type: tg.isSingletonString("registerMenuCommand"),
+ data: isMenuItemRegisterEvent
+ }).get();
+
+
+const _registerMenuCommandStream: Subject = new Subject();
+export const registerMenuCommandStream = _registerMenuCommandStream.asObservable();
+
+export function handleMenuItemRegistrationEvent(event: MenuItemRegisterEvent) {
+ _registerMenuCommandStream.next(event.menutItem)
+}
\ No newline at end of file
diff --git a/front/src/Api/IframeListener.ts b/front/src/Api/IframeListener.ts
index 232502a1..11852358 100644
--- a/front/src/Api/IframeListener.ts
+++ b/front/src/Api/IframeListener.ts
@@ -1,21 +1,22 @@
import { Subject } from "rxjs";
-import { ChatEvent, isChatEvent } from "./Events/ChatEvent";
import { HtmlUtils } from "../WebRtc/HtmlUtils";
+import type { ButtonClickedEvent } from "./Events/ButtonClickedEvent";
+import { ChatEvent, isChatEvent } from "./Events/ChatEvent";
+import { ClosePopupEvent, isClosePopupEvent } from "./Events/ClosePopupEvent";
import type { EnterLeaveEvent } from "./Events/EnterLeaveEvent";
+import { GoToPageEvent, isGoToPageEvent } from "./Events/GoToPageEvent";
+import { IframeEvent, IframeEventMap, IframeResponseEvent, IframeResponseEventMap, isIframeEventWrapper, TypedMessageEvent } from "./Events/IframeEvent";
+import { isLoadPageEvent } from './Events/LoadPageEvent';
+import { isLoadSoundEvent, LoadSoundEvent } from "./Events/LoadSoundEvent";
+import { isOpenCoWebsite, OpenCoWebSiteEvent } from "./Events/OpenCoWebSiteEvent";
import { isOpenPopupEvent, OpenPopupEvent } from "./Events/OpenPopupEvent";
import { isOpenTabEvent, OpenTabEvent } from "./Events/OpenTabEvent";
-import type { ButtonClickedEvent } from "./Events/ButtonClickedEvent";
-import { ClosePopupEvent, isClosePopupEvent } from "./Events/ClosePopupEvent";
-import { scriptUtils } from "./ScriptUtils";
-import { GoToPageEvent, isGoToPageEvent } from "./Events/GoToPageEvent";
-import { isOpenCoWebsite, OpenCoWebSiteEvent } from "./Events/OpenCoWebSiteEvent";
-import { IframeEventMap, IframeEvent, IframeResponseEvent, IframeResponseEventMap, isIframeEventWrapper, TypedMessageEvent } from "./Events/IframeEvent";
+import { isPlaySoundEvent, PlaySoundEvent } from "./Events/PlaySoundEvent";
+import { isStopSoundEvent, StopSoundEvent } from "./Events/StopSoundEvent";
+import { handleMenuItemRegistrationEvent, isMenuItemRegisterIframeEvent } from './Events/ui/MenuItemRegisterEvent';
import type { UserInputChatEvent } from "./Events/UserInputChatEvent";
-import { isLoadPageEvent } from './Events/LoadPageEvent';
-import {isPlaySoundEvent, PlaySoundEvent} from "./Events/PlaySoundEvent";
-import {isStopSoundEvent, StopSoundEvent} from "./Events/StopSoundEvent";
-import {isLoadSoundEvent, LoadSoundEvent} from "./Events/LoadSoundEvent";
+import { scriptUtils } from "./ScriptUtils";
/**
* Listens to messages from iframes and turn those messages into easy to use observables.
* Also allows to send messages to those iframes.
@@ -33,7 +34,7 @@ class IframeListener {
private readonly _goToPageStream: Subject = new Subject();
public readonly goToPageStream = this._goToPageStream.asObservable();
-
+
private readonly _loadPageStream: Subject = new Subject();
public readonly loadPageStream = this._loadPageStream.asObservable();
@@ -137,9 +138,11 @@ class IframeListener {
}
else if (payload.type === 'removeBubble') {
this._removeBubbleStream.next();
- }else if (payload.type === 'loadPage' && isLoadPageEvent(payload.data)){
+ } else if (payload.type === 'loadPage' && isLoadPageEvent(payload.data)) {
this._loadPageStream.next(payload.data.url);
- }
+ } else if (isMenuItemRegisterIframeEvent(payload)) [
+ handleMenuItemRegistrationEvent(payload.data)
+ ]
}
@@ -263,7 +266,7 @@ class IframeListener {
/**
* Sends the message... to all allowed iframes.
*/
- private postMessage(message: IframeResponseEvent) {
+ public postMessage(message: IframeResponseEvent) {
for (const iframe of this.iframes) {
iframe.contentWindow?.postMessage(message, '*');
}
diff --git a/front/src/Api/iframe/ui.ts b/front/src/Api/iframe/ui.ts
index 629d3c36..8e9943b2 100644
--- a/front/src/Api/iframe/ui.ts
+++ b/front/src/Api/iframe/ui.ts
@@ -1,14 +1,17 @@
import { isButtonClickedEvent } from '../Events/ButtonClickedEvent';
-import type { ClosePopupEvent } from '../Events/ClosePopupEvent';
+import { isMenuItemClickedEvent } from '../Events/ui/MenuItemClickedEvent';
+import type { MenuItemRegisterEvent } from '../Events/ui/MenuItemRegisterEvent';
import { IframeApiContribution, sendToWorkadventure } from './IframeApiContribution';
import { apiCallback } from "./registeredCallbacks";
-import {Popup} from "./Ui/Popup";
-import type {ButtonClickedCallback, ButtonDescriptor} from "./Ui/ButtonDescriptor";
+import type { ButtonClickedCallback, ButtonDescriptor } from "./Ui/ButtonDescriptor";
+import { Popup } from "./Ui/Popup";
let popupId = 0;
const popups: Map = new Map();
const popupCallbacks: Map> = new Map>();
+const menuCallbacks: Map void> = new Map()
+
interface ZonedPopupOptions {
zone: string
objectLayerName?: string,
@@ -33,6 +36,16 @@ class WorkAdventureUiCommands extends IframeApiContribution {
+ const callback = menuCallbacks.get(event.menuItem);
+ if (callback) {
+ callback(event.menuItem)
+ }
+ }
})];
@@ -71,6 +84,16 @@ class WorkAdventureUiCommands extends IframeApiContribution void) {
+ menuCallbacks.set(commandDescriptor, callback);
+ sendToWorkadventure({
+ 'type': 'registerMenuCommand',
+ 'data': {
+ menutItem: commandDescriptor
+ } as MenuItemRegisterEvent
+ });
+ }
+
displayBubble(): void {
sendToWorkadventure({ 'type': 'displayBubble', data: null });
}
diff --git a/front/src/Phaser/Game/GameScene.ts b/front/src/Phaser/Game/GameScene.ts
index b5876d5a..317b27bb 100644
--- a/front/src/Phaser/Game/GameScene.ts
+++ b/front/src/Phaser/Game/GameScene.ts
@@ -1,4 +1,10 @@
-import {gameManager, HasMovedEvent} from "./GameManager";
+import { Queue } from 'queue-typescript';
+import type { Subscription } from "rxjs";
+import { ConsoleGlobalMessageManager } from "../../Administration/ConsoleGlobalMessageManager";
+import { GlobalMessageManager } from "../../Administration/GlobalMessageManager";
+import { userMessageManager } from "../../Administration/UserMessageManager";
+import { iframeListener } from "../../Api/IframeListener";
+import { connectionManager } from "../../Connexion/ConnectionManager";
import type {
GroupCreatedUpdatedMessageInterface,
MessageUserJoined,
@@ -9,13 +15,50 @@ import type {
PositionInterface,
RoomJoinedMessageInterface
} from "../../Connexion/ConnexionModels";
-import {hasMovedEventName, Player, requestEmoteEventName} from "../Player/Player";
+import { localUserStore } from "../../Connexion/LocalUserStore";
+import { Room } from "../../Connexion/Room";
+import type { RoomConnection } from "../../Connexion/RoomConnection";
+import { worldFullMessageStream } from "../../Connexion/WorldFullMessageStream";
import {
DEBUG_MODE,
JITSI_PRIVATE_MODE,
MAX_PER_GROUP,
- POSITION_DELAY,
+ POSITION_DELAY
} from "../../Enum/EnvironmentVariable";
+import { TextureError } from "../../Exception/TextureError";
+import type { UserMovedMessage } from "../../Messages/generated/messages_pb";
+import { ProtobufClientUtils } from "../../Network/ProtobufClientUtils";
+import { peerStore } from "../../Stores/PeerStore";
+import { touchScreenManager } from "../../Touch/TouchScreenManager";
+import { urlManager } from "../../Url/UrlManager";
+import { audioManager } from "../../WebRtc/AudioManager";
+import { coWebsiteManager } from "../../WebRtc/CoWebsiteManager";
+import { HtmlUtils } from "../../WebRtc/HtmlUtils";
+import { jitsiFactory } from "../../WebRtc/JitsiFactory";
+import {
+ AUDIO_LOOP_PROPERTY, AUDIO_VOLUME_PROPERTY, CenterListener,
+ JITSI_MESSAGE_PROPERTIES,
+ layoutManager,
+ LayoutMode,
+ ON_ACTION_TRIGGER_BUTTON,
+ TRIGGER_JITSI_PROPERTIES,
+ TRIGGER_WEBSITE_PROPERTIES,
+ WEBSITE_MESSAGE_PROPERTIES
+} from "../../WebRtc/LayoutManager";
+import { mediaManager } from "../../WebRtc/MediaManager";
+import { SimplePeer, UserSimplePeerInterface } from "../../WebRtc/SimplePeer";
+import { lazyLoadCompanionResource } from "../Companion/CompanionTexturesLoadingManager";
+import { ChatModeIcon } from "../Components/ChatModeIcon";
+import { addLoader } from "../Components/Loader";
+import { joystickBaseImg, joystickBaseKey, joystickThumbImg, joystickThumbKey } from "../Components/MobileJoystick";
+import { OpenChatIcon, openChatIconName } from "../Components/OpenChatIcon";
+import { PresentationModeIcon } from "../Components/PresentationModeIcon";
+import { TextUtils } from "../Components/TextUtils";
+import { lazyLoadPlayerCharacterTextures, loadCustomTexture } from "../Entity/PlayerTexturesLoadingManager";
+import { RemotePlayer } from "../Entity/RemotePlayer";
+import type { ActionableItem } from "../Items/ActionableItem";
+import type { ItemFactoryInterface } from "../Items/ItemFactoryInterface";
+import { SelectCharacterScene, SelectCharacterSceneName } from "../Login/SelectCharacterScene";
import type {
ITiledMap,
ITiledMapLayer,
@@ -24,80 +67,35 @@ import type {
ITiledMapTileLayer,
ITiledTileSet
} from "../Map/ITiledMap";
-import type {AddPlayerInterface} from "./AddPlayerInterface";
-import {PlayerAnimationDirections} from "../Player/Animation";
-import {PlayerMovement} from "./PlayerMovement";
-import {PlayersPositionInterpolator} from "./PlayersPositionInterpolator";
-import {RemotePlayer} from "../Entity/RemotePlayer";
-import {Queue} from 'queue-typescript';
-import {SimplePeer, UserSimplePeerInterface} from "../../WebRtc/SimplePeer";
-import {ReconnectingSceneName} from "../Reconnecting/ReconnectingScene";
-import {lazyLoadPlayerCharacterTextures, loadCustomTexture} from "../Entity/PlayerTexturesLoadingManager";
-import {
- CenterListener,
- JITSI_MESSAGE_PROPERTIES,
- layoutManager,
- LayoutMode,
- ON_ACTION_TRIGGER_BUTTON,
- TRIGGER_JITSI_PROPERTIES,
- TRIGGER_WEBSITE_PROPERTIES,
- WEBSITE_MESSAGE_PROPERTIES,
- AUDIO_VOLUME_PROPERTY,
- AUDIO_LOOP_PROPERTY
-} from "../../WebRtc/LayoutManager";
-import {GameMap} from "./GameMap";
-import {coWebsiteManager} from "../../WebRtc/CoWebsiteManager";
-import {mediaManager} from "../../WebRtc/MediaManager";
-import type {ItemFactoryInterface} from "../Items/ItemFactoryInterface";
-import type {ActionableItem} from "../Items/ActionableItem";
-import {UserInputManager} from "../UserInput/UserInputManager";
-import {soundManager} from "./SoundManager";
-import type {UserMovedMessage} from "../../Messages/generated/messages_pb";
-import {ProtobufClientUtils} from "../../Network/ProtobufClientUtils";
-import {connectionManager} from "../../Connexion/ConnectionManager";
-import type {RoomConnection} from "../../Connexion/RoomConnection";
-import {GlobalMessageManager} from "../../Administration/GlobalMessageManager";
-import {userMessageManager} from "../../Administration/UserMessageManager";
-import {ConsoleGlobalMessageManager} from "../../Administration/ConsoleGlobalMessageManager";
-import {ResizableScene} from "../Login/ResizableScene";
-import {Room} from "../../Connexion/Room";
-import {jitsiFactory} from "../../WebRtc/JitsiFactory";
-import {urlManager} from "../../Url/UrlManager";
-import {audioManager} from "../../WebRtc/AudioManager";
-import {PresentationModeIcon} from "../Components/PresentationModeIcon";
-import {ChatModeIcon} from "../Components/ChatModeIcon";
-import {OpenChatIcon, openChatIconName} from "../Components/OpenChatIcon";
-import {SelectCharacterScene, SelectCharacterSceneName} from "../Login/SelectCharacterScene";
-import {TextureError} from "../../Exception/TextureError";
-import {addLoader} from "../Components/Loader";
-import {ErrorSceneName} from "../Reconnecting/ErrorScene";
-import {localUserStore} from "../../Connexion/LocalUserStore";
-import {iframeListener} from "../../Api/IframeListener";
-import {HtmlUtils} from "../../WebRtc/HtmlUtils";
+import { MenuScene, MenuSceneName } from '../Menu/MenuScene';
+import { PlayerAnimationDirections } from "../Player/Animation";
+import { hasMovedEventName, Player, requestEmoteEventName } from "../Player/Player";
+import { ErrorSceneName } from "../Reconnecting/ErrorScene";
+import { ReconnectingSceneName } from "../Reconnecting/ReconnectingScene";
+import { waScaleManager } from "../Services/WaScaleManager";
+import { PinchManager } from "../UserInput/PinchManager";
+import { UserInputManager } from "../UserInput/UserInputManager";
+import type { AddPlayerInterface } from "./AddPlayerInterface";
+import { DEPTH_OVERLAY_INDEX } from "./DepthIndexes";
+import { DirtyScene } from "./DirtyScene";
+import { EmoteManager } from "./EmoteManager";
+import { gameManager, HasMovedEvent } from "./GameManager";
+import { GameMap } from "./GameMap";
+import { PlayerMovement } from "./PlayerMovement";
+import { PlayersPositionInterpolator } from "./PlayersPositionInterpolator";
+import { soundManager } from "./SoundManager";
import Texture = Phaser.Textures.Texture;
import Sprite = Phaser.GameObjects.Sprite;
import CanvasTexture = Phaser.Textures.CanvasTexture;
import GameObject = Phaser.GameObjects.GameObject;
import FILE_LOAD_ERROR = Phaser.Loader.Events.FILE_LOAD_ERROR;
import DOMElement = Phaser.GameObjects.DOMElement;
-import EVENT_TYPE =Phaser.Scenes.Events
-import type {Subscription} from "rxjs";
-import {worldFullMessageStream} from "../../Connexion/WorldFullMessageStream";
-import { lazyLoadCompanionResource } from "../Companion/CompanionTexturesLoadingManager";
+import EVENT_TYPE = Phaser.Scenes.Events
import RenderTexture = Phaser.GameObjects.RenderTexture;
import Tilemap = Phaser.Tilemaps.Tilemap;
-import {DirtyScene} from "./DirtyScene";
-import {TextUtils} from "../Components/TextUtils";
-import {touchScreenManager} from "../../Touch/TouchScreenManager";
-import {PinchManager} from "../UserInput/PinchManager";
-import {joystickBaseImg, joystickBaseKey, joystickThumbImg, joystickThumbKey} from "../Components/MobileJoystick";
-import {DEPTH_OVERLAY_INDEX} from "./DepthIndexes";
-import {waScaleManager} from "../Services/WaScaleManager";
-import {peerStore} from "../../Stores/PeerStore";
-import {EmoteManager} from "./EmoteManager";
export interface GameSceneInitInterface {
- initPosition: PointInterface|null,
+ initPosition: PointInterface | null,
reconnecting: boolean
}
@@ -134,10 +132,10 @@ interface DeleteGroupEventInterface {
const defaultStartLayerName = 'start';
export class GameScene extends DirtyScene implements CenterListener {
- Terrains : Array;
+ Terrains: Array;
CurrentPlayer!: Player;
MapPlayers!: Phaser.Physics.Arcade.Group;
- MapPlayersByKey : Map = new Map();
+ MapPlayersByKey: Map = new Map();
Map!: Phaser.Tilemaps.Tilemap;
Layers!: Array;
Objects!: Array;
@@ -147,10 +145,10 @@ export class GameScene extends DirtyScene implements CenterListener {
startY!: number;
circleTexture!: CanvasTexture;
circleRedTexture!: CanvasTexture;
- pendingEvents: Queue = new Queue();
- private initPosition: PositionInterface|null = null;
+ pendingEvents: Queue = new Queue();
+ private initPosition: PositionInterface | null = null;
private playersPositionInterpolator = new PlayersPositionInterpolator();
- public connection: RoomConnection|undefined;
+ public connection: RoomConnection | undefined;
private simplePeer!: SimplePeer;
private GlobalMessageManager!: GlobalMessageManager;
public ConsoleGlobalMessageManager!: ConsoleGlobalMessageManager;
@@ -159,7 +157,7 @@ export class GameScene extends DirtyScene implements CenterListener {
// A promise that will resolve when the "create" method is called (signaling loading is ended)
private createPromise: Promise;
private createPromiseResolve!: (value?: void | PromiseLike) => void;
- private iframeSubscriptionList! : Array;
+ private iframeSubscriptionList!: Array;
private peerStoreUnsubscribe!: () => void;
MapUrlFile: string;
RoomId: string;
@@ -179,22 +177,22 @@ export class GameScene extends DirtyScene implements CenterListener {
private gameMap!: GameMap;
private actionableItems: Map = new Map();
// The item that can be selected by pressing the space key.
- private outlinedItem: ActionableItem|null = null;
+ private outlinedItem: ActionableItem | null = null;
public userInputManager!: UserInputManager;
- private isReconnecting: boolean|undefined = undefined;
+ private isReconnecting: boolean | undefined = undefined;
private startLayerName!: string | null;
private openChatIcon!: OpenChatIcon;
private playerName!: string;
private characterLayers!: string[];
- private companion!: string|null;
- private messageSubscription: Subscription|null = null;
- private popUpElements : Map = new Map();
- private originalMapUrl: string|undefined;
- private pinchManager: PinchManager|undefined;
+ private companion!: string | null;
+ private messageSubscription: Subscription | null = null;
+ private popUpElements: Map = new Map();
+ private originalMapUrl: string | undefined;
+ private pinchManager: PinchManager | undefined;
private mapTransitioning: boolean = false; //used to prevent transitions happenning at the same time.
private emoteManager!: EmoteManager;
- constructor(private room: Room, MapUrlFile: string, customKey?: string|undefined) {
+ constructor(private room: Room, MapUrlFile: string, customKey?: string | undefined) {
super({
key: customKey ?? room.id
});
@@ -234,13 +232,13 @@ export class GameScene extends DirtyScene implements CenterListener {
//this.load.audio('audio-report-message', '/resources/objects/report-message.mp3');
this.sound.pauseOnBlur = false;
- this.load.on(FILE_LOAD_ERROR, (file: {src: string}) => {
+ this.load.on(FILE_LOAD_ERROR, (file: { src: string }) => {
// If we happen to be in HTTP and we are trying to load a URL in HTTPS only... (this happens only in dev environments)
if (window.location.protocol === 'http:' && file.src === this.MapUrlFile && file.src.startsWith('http:') && this.originalMapUrl === undefined) {
this.originalMapUrl = this.MapUrlFile;
this.MapUrlFile = this.MapUrlFile.replace('http://', 'https://');
this.load.tilemapTiledJSON(this.MapUrlFile, this.MapUrlFile);
- this.load.on('filecomplete-tilemapJSON-'+this.MapUrlFile, (key: string, type: string, data: unknown) => {
+ this.load.on('filecomplete-tilemapJSON-' + this.MapUrlFile, (key: string, type: string, data: unknown) => {
this.onMapLoad(data);
});
return;
@@ -254,7 +252,7 @@ export class GameScene extends DirtyScene implements CenterListener {
this.originalMapUrl = this.MapUrlFile;
this.MapUrlFile = this.MapUrlFile.replace('https://', 'http://');
this.load.tilemapTiledJSON(this.MapUrlFile, this.MapUrlFile);
- this.load.on('filecomplete-tilemapJSON-'+this.MapUrlFile, (key: string, type: string, data: unknown) => {
+ this.load.on('filecomplete-tilemapJSON-' + this.MapUrlFile, (key: string, type: string, data: unknown) => {
this.onMapLoad(data);
});
return;
@@ -266,7 +264,7 @@ export class GameScene extends DirtyScene implements CenterListener {
message: this.originalMapUrl ?? file.src
});
});
- this.load.on('filecomplete-tilemapJSON-'+this.MapUrlFile, (key: string, type: string, data: unknown) => {
+ this.load.on('filecomplete-tilemapJSON-' + this.MapUrlFile, (key: string, type: string, data: unknown) => {
this.onMapLoad(data);
});
//TODO strategy to add access token
@@ -278,7 +276,7 @@ export class GameScene extends DirtyScene implements CenterListener {
this.onMapLoad(data);
}
- this.load.spritesheet('layout_modes', 'resources/objects/layout_modes.png', {frameWidth: 32, frameHeight: 32});
+ this.load.spritesheet('layout_modes', 'resources/objects/layout_modes.png', { frameWidth: 32, frameHeight: 32 });
this.load.bitmapFont('main_font', 'resources/fonts/arcade.png', 'resources/fonts/arcade.xml');
//eslint-disable-next-line @typescript-eslint/no-explicit-any
(this.load as any).rexWebFont({
@@ -315,7 +313,7 @@ export class GameScene extends DirtyScene implements CenterListener {
for (const layer of this.mapFile.layers) {
if (layer.type === 'objectgroup') {
for (const object of layer.objects) {
- let objectsOfType: ITiledMapObject[]|undefined;
+ let objectsOfType: ITiledMapObject[] | undefined;
if (!objects.has(object.type)) {
objectsOfType = new Array();
} else {
@@ -343,7 +341,7 @@ export class GameScene extends DirtyScene implements CenterListener {
}
default:
continue;
- //throw new Error('Unsupported object type: "'+ itemType +'"');
+ //throw new Error('Unsupported object type: "'+ itemType +'"');
}
itemFactory.preload(this.load);
@@ -378,7 +376,7 @@ export class GameScene extends DirtyScene implements CenterListener {
}
//hook initialisation
- init(initData : GameSceneInitInterface) {
+ init(initData: GameSceneInitInterface) {
if (initData.initPosition !== undefined) {
this.initPosition = initData.initPosition; //todo: still used?
}
@@ -457,7 +455,7 @@ export class GameScene extends DirtyScene implements CenterListener {
this.Objects = new Array();
//initialise list of other player
- this.MapPlayers = this.physics.add.group({immovable: true});
+ this.MapPlayers = this.physics.add.group({ immovable: true });
//create input to move
@@ -563,7 +561,7 @@ export class GameScene extends DirtyScene implements CenterListener {
bottom: camera.scrollY + camera.height,
},
this.companion
- ).then((onConnect: OnConnectInterface) => {
+ ).then((onConnect: OnConnectInterface) => {
this.connection = onConnect.connection;
this.connection.onUserJoins((message: MessageUserJoined) => {
@@ -716,23 +714,23 @@ export class GameScene extends DirtyScene implements CenterListener {
const contextRed = this.circleRedTexture.context;
contextRed.beginPath();
contextRed.arc(48, 48, 48, 0, 2 * Math.PI, false);
- //context.lineWidth = 5;
+ //context.lineWidth = 5;
contextRed.strokeStyle = '#ff0000';
contextRed.stroke();
this.circleRedTexture.refresh();
}
- private safeParseJSONstring(jsonString: string|undefined, propertyName: string) {
+ private safeParseJSONstring(jsonString: string | undefined, propertyName: string) {
try {
return jsonString ? JSON.parse(jsonString) : {};
- } catch(e) {
+ } catch (e) {
console.warn('Invalid JSON found in property "' + propertyName + '" of the map:' + jsonString, e);
return {}
}
}
- private triggerOnMapLayerPropertyChange(){
+ private triggerOnMapLayerPropertyChange() {
this.gameMap.onPropertyChange('exitSceneUrl', (newValue, oldValue) => {
if (newValue) this.onMapExit(newValue as string);
});
@@ -743,22 +741,22 @@ export class GameScene extends DirtyScene implements CenterListener {
if (newValue === undefined) {
layoutManager.removeActionButton('openWebsite', this.userInputManager);
coWebsiteManager.closeCoWebsite();
- }else{
+ } else {
const openWebsiteFunction = () => {
coWebsiteManager.loadCoWebsite(newValue as string, this.MapUrlFile, allProps.get('openWebsiteAllowApi') as boolean | undefined, allProps.get('openWebsitePolicy') as string | undefined);
layoutManager.removeActionButton('openWebsite', this.userInputManager);
};
const openWebsiteTriggerValue = allProps.get(TRIGGER_WEBSITE_PROPERTIES);
- if(openWebsiteTriggerValue && openWebsiteTriggerValue === ON_ACTION_TRIGGER_BUTTON) {
+ if (openWebsiteTriggerValue && openWebsiteTriggerValue === ON_ACTION_TRIGGER_BUTTON) {
let message = allProps.get(WEBSITE_MESSAGE_PROPERTIES);
- if(message === undefined){
+ if (message === undefined) {
message = 'Press SPACE or touch here to open web site';
}
layoutManager.addActionButton('openWebsite', message.toString(), () => {
openWebsiteFunction();
}, this.userInputManager);
- }else{
+ } else {
openWebsiteFunction();
}
}
@@ -767,12 +765,12 @@ export class GameScene extends DirtyScene implements CenterListener {
if (newValue === undefined) {
layoutManager.removeActionButton('jitsiRoom', this.userInputManager);
this.stopJitsi();
- }else{
+ } else {
const openJitsiRoomFunction = () => {
const roomName = jitsiFactory.getRoomName(newValue.toString(), this.instance);
- const jitsiUrl = allProps.get("jitsiUrl") as string|undefined;
+ const jitsiUrl = allProps.get("jitsiUrl") as string | undefined;
if (JITSI_PRIVATE_MODE && !jitsiUrl) {
- const adminTag = allProps.get("jitsiRoomAdminTag") as string|undefined;
+ const adminTag = allProps.get("jitsiRoomAdminTag") as string | undefined;
this.connection?.emitQueryJitsiJwtMessage(roomName, adminTag);
} else {
@@ -782,7 +780,7 @@ export class GameScene extends DirtyScene implements CenterListener {
}
const jitsiTriggerValue = allProps.get(TRIGGER_JITSI_PROPERTIES);
- if(jitsiTriggerValue && jitsiTriggerValue === ON_ACTION_TRIGGER_BUTTON) {
+ if (jitsiTriggerValue && jitsiTriggerValue === ON_ACTION_TRIGGER_BUTTON) {
let message = allProps.get(JITSI_MESSAGE_PROPERTIES);
if (message === undefined) {
message = 'Press SPACE or touch here to enter Jitsi Meet room';
@@ -790,7 +788,7 @@ export class GameScene extends DirtyScene implements CenterListener {
layoutManager.addActionButton('jitsiRoom', message.toString(), () => {
openJitsiRoomFunction();
}, this.userInputManager);
- }else{
+ } else {
openJitsiRoomFunction();
}
}
@@ -803,8 +801,8 @@ export class GameScene extends DirtyScene implements CenterListener {
}
});
this.gameMap.onPropertyChange('playAudio', (newValue, oldValue, allProps) => {
- const volume = allProps.get(AUDIO_VOLUME_PROPERTY) as number|undefined;
- const loop = allProps.get(AUDIO_LOOP_PROPERTY) as boolean|undefined;
+ const volume = allProps.get(AUDIO_VOLUME_PROPERTY) as number | undefined;
+ const loop = allProps.get(AUDIO_LOOP_PROPERTY) as boolean | undefined;
newValue === undefined ? audioManager.unloadAudio() : audioManager.playAudio(newValue, this.getMapDirUrl(), volume, loop);
});
// TODO: This legacy property should be removed at some point
@@ -823,13 +821,13 @@ export class GameScene extends DirtyScene implements CenterListener {
}
private listenToIframeEvents(): void {
- this.iframeSubscriptionList = [];
- this.iframeSubscriptionList.push(iframeListener.openPopupStream.subscribe((openPopupEvent) => {
+ this.iframeSubscriptionList = [];
+ this.iframeSubscriptionList.push(iframeListener.openPopupStream.subscribe((openPopupEvent) => {
- let objectLayerSquare : ITiledMapObject;
+ let objectLayerSquare: ITiledMapObject;
const targetObjectData = this.getObjectLayerData(openPopupEvent.targetObject);
- if (targetObjectData !== undefined){
- objectLayerSquare = targetObjectData;
+ if (targetObjectData !== undefined) {
+ objectLayerSquare = targetObjectData;
} else {
console.error("Error while opening a popup. Cannot find an object on the map with name '" + openPopupEvent.targetObject + "'. The first parameter of WA.openPopup() must be the name of a rectangle object in your map.");
return;
@@ -842,14 +840,14 @@ ${escapedMessage}
html += buttonContainer;
let id = 0;
for (const button of openPopupEvent.buttons) {
- html += ``;
+ html += ``;
id++;
}
html += '';
- const domElement = this.add.dom(objectLayerSquare.x ,
+ const domElement = this.add.dom(objectLayerSquare.x,
objectLayerSquare.y).createFromHTML(html);
- const container : HTMLDivElement = domElement.getChildByID("container") as HTMLDivElement;
+ const container: HTMLDivElement = domElement.getChildByID("container") as HTMLDivElement;
container.style.width = objectLayerSquare.width + "px";
domElement.scale = 0;
domElement.setClassName('popUpElement');
@@ -869,73 +867,70 @@ ${escapedMessage}
id++;
}
this.tweens.add({
- targets : domElement ,
- scale : 1,
- ease : "EaseOut",
- duration : 400,
+ targets: domElement,
+ scale: 1,
+ ease: "EaseOut",
+ duration: 400,
});
this.popUpElements.set(openPopupEvent.popupId, domElement);
}));
- this.iframeSubscriptionList.push(iframeListener.closePopupStream.subscribe((closePopupEvent) => {
+ this.iframeSubscriptionList.push(iframeListener.closePopupStream.subscribe((closePopupEvent) => {
const popUpElement = this.popUpElements.get(closePopupEvent.popupId);
if (popUpElement === undefined) {
- console.error('Could not close popup with ID ', closePopupEvent.popupId,'. Maybe it has already been closed?');
+ console.error('Could not close popup with ID ', closePopupEvent.popupId, '. Maybe it has already been closed?');
}
this.tweens.add({
- targets : popUpElement ,
- scale : 0,
- ease : "EaseOut",
- duration : 400,
- onComplete : () => {
+ targets: popUpElement,
+ scale: 0,
+ ease: "EaseOut",
+ duration: 400,
+ onComplete: () => {
popUpElement?.destroy();
this.popUpElements.delete(closePopupEvent.popupId);
},
});
}));
- this.iframeSubscriptionList.push(iframeListener.disablePlayerControlStream.subscribe(()=>{
+ this.iframeSubscriptionList.push(iframeListener.disablePlayerControlStream.subscribe(() => {
this.userInputManager.disableControls();
}));
- this.iframeSubscriptionList.push(iframeListener.playSoundStream.subscribe((playSoundEvent)=>
- {
- const url = new URL(playSoundEvent.url, this.MapUrlFile);
- soundManager.playSound(this.load,this.sound,url.toString(),playSoundEvent.config);
- }))
+ this.iframeSubscriptionList.push(iframeListener.playSoundStream.subscribe((playSoundEvent) => {
+ const url = new URL(playSoundEvent.url, this.MapUrlFile);
+ soundManager.playSound(this.load, this.sound, url.toString(), playSoundEvent.config);
+ }))
- this.iframeSubscriptionList.push(iframeListener.stopSoundStream.subscribe((stopSoundEvent)=>
- {
+ this.iframeSubscriptionList.push(iframeListener.stopSoundStream.subscribe((stopSoundEvent) => {
const url = new URL(stopSoundEvent.url, this.MapUrlFile);
- soundManager.stopSound(this.sound,url.toString());
+ soundManager.stopSound(this.sound, url.toString());
}))
- this.iframeSubscriptionList.push(iframeListener.loadSoundStream.subscribe((loadSoundEvent)=>
- {
+ this.iframeSubscriptionList.push(iframeListener.loadSoundStream.subscribe((loadSoundEvent) => {
const url = new URL(loadSoundEvent.url, this.MapUrlFile);
- soundManager.loadSound(this.load,this.sound,url.toString());
+ soundManager.loadSound(this.load, this.sound, url.toString());
}))
- this.iframeSubscriptionList.push(iframeListener.enablePlayerControlStream.subscribe(()=>{
+ this.iframeSubscriptionList.push(iframeListener.enablePlayerControlStream.subscribe(() => {
this.userInputManager.restoreControls();
}));
- this.iframeSubscriptionList.push(iframeListener.loadPageStream.subscribe((url:string)=>{
- this.loadNextGame(url).then(()=>{
- this.events.once(EVENT_TYPE.POST_UPDATE,()=>{
+ this.iframeSubscriptionList.push(iframeListener.loadPageStream.subscribe((url: string) => {
+ this.loadNextGame(url).then(() => {
+ this.events.once(EVENT_TYPE.POST_UPDATE, () => {
this.onMapExit(url);
})
})
}));
- let scriptedBubbleSprite : Sprite;
- this.iframeSubscriptionList.push(iframeListener.displayBubbleStream.subscribe(()=>{
- scriptedBubbleSprite = new Sprite(this,this.CurrentPlayer.x + 25,this.CurrentPlayer.y,'circleSprite-white');
+ let scriptedBubbleSprite: Sprite;
+ this.iframeSubscriptionList.push(iframeListener.displayBubbleStream.subscribe(() => {
+ scriptedBubbleSprite = new Sprite(this, this.CurrentPlayer.x + 25, this.CurrentPlayer.y, 'circleSprite-white');
scriptedBubbleSprite.setDisplayOrigin(48, 48);
this.add.existing(scriptedBubbleSprite);
}));
- this.iframeSubscriptionList.push(iframeListener.removeBubbleStream.subscribe(()=>{
+ this.iframeSubscriptionList.push(iframeListener.removeBubbleStream.subscribe(() => {
scriptedBubbleSprite.destroy();
}));
@@ -948,9 +943,11 @@ ${escapedMessage}
private onMapExit(exitKey: string) {
if (this.mapTransitioning) return;
this.mapTransitioning = true;
- const {roomId, hash} = Room.getIdFromIdentifier(exitKey, this.MapUrlFile, this.instance);
- if (!roomId) throw new Error('Could not find the room from its exit key: '+exitKey);
+ const { roomId, hash } = Room.getIdFromIdentifier(exitKey, this.MapUrlFile, this.instance);
+ if (!roomId) throw new Error('Could not find the room from its exit key: ' + exitKey);
urlManager.pushStartLayerNameToUrl(hash);
+ const menuScene: MenuScene = this.scene.get(MenuSceneName) as MenuScene
+ menuScene.reset()
if (roomId !== this.scene.key) {
if (this.scene.get(roomId) === null) {
console.error("next room not loaded", exitKey);
@@ -992,7 +989,7 @@ ${escapedMessage}
mediaManager.hideGameOverlay();
- for(const iframeEvents of this.iframeSubscriptionList){
+ for (const iframeEvents of this.iframeSubscriptionList) {
iframeEvents.unsubscribe();
}
}
@@ -1012,7 +1009,7 @@ ${escapedMessage}
private switchLayoutMode(): void {
//if discussion is activated, this layout cannot be activated
- if(mediaManager.activatedDiscussion){
+ if (mediaManager.activatedDiscussion) {
return;
}
const mode = layoutManager.getLayoutMode();
@@ -1053,24 +1050,24 @@ ${escapedMessage}
private initPositionFromLayerName(layerName: string) {
for (const layer of this.gameMap.layersIterator) {
- if ((layerName === layer.name || layer.name.endsWith('/'+layerName)) && layer.type === 'tilelayer' && (layerName === defaultStartLayerName || this.isStartLayer(layer))) {
+ if ((layerName === layer.name || layer.name.endsWith('/' + layerName)) && layer.type === 'tilelayer' && (layerName === defaultStartLayerName || this.isStartLayer(layer))) {
const startPosition = this.startUser(layer);
- this.startX = startPosition.x + this.mapFile.tilewidth/2;
- this.startY = startPosition.y + this.mapFile.tileheight/2;
+ this.startX = startPosition.x + this.mapFile.tilewidth / 2;
+ this.startY = startPosition.y + this.mapFile.tileheight / 2;
}
}
}
- private getExitUrl(layer: ITiledMapLayer): string|undefined {
- return this.getProperty(layer, "exitUrl") as string|undefined;
+ private getExitUrl(layer: ITiledMapLayer): string | undefined {
+ return this.getProperty(layer, "exitUrl") as string | undefined;
}
/**
* @deprecated the map property exitSceneUrl is deprecated
*/
- private getExitSceneUrl(layer: ITiledMapLayer): string|undefined {
- return this.getProperty(layer, "exitSceneUrl") as string|undefined;
+ private getExitSceneUrl(layer: ITiledMapLayer): string | undefined {
+ return this.getProperty(layer, "exitSceneUrl") as string | undefined;
}
private isStartLayer(layer: ITiledMapLayer): boolean {
@@ -1081,8 +1078,8 @@ ${escapedMessage}
return (this.getProperties(map, "script") as string[]).map((script) => (new URL(script, this.MapUrlFile)).toString());
}
- private getProperty(layer: ITiledMapLayer|ITiledMap, name: string): string|boolean|number|undefined {
- const properties: ITiledMapLayerProperty[]|undefined = layer.properties;
+ private getProperty(layer: ITiledMapLayer | ITiledMap, name: string): string | boolean | number | undefined {
+ const properties: ITiledMapLayerProperty[] | undefined = layer.properties;
if (!properties) {
return undefined;
}
@@ -1093,8 +1090,8 @@ ${escapedMessage}
return obj.value;
}
- private getProperties(layer: ITiledMapLayer|ITiledMap, name: string): (string|number|boolean|undefined)[] {
- const properties: ITiledMapLayerProperty[]|undefined = layer.properties;
+ private getProperties(layer: ITiledMapLayer | ITiledMap, name: string): (string | number | boolean | undefined)[] {
+ const properties: ITiledMapLayerProperty[] | undefined = layer.properties;
if (!properties) {
return [];
}
@@ -1103,29 +1100,29 @@ ${escapedMessage}
//todo: push that into the gameManager
private loadNextGame(exitSceneIdentifier: string): Promise {
- const {roomId, hash} = Room.getIdFromIdentifier(exitSceneIdentifier, this.MapUrlFile, this.instance);
+ const { roomId, hash } = Room.getIdFromIdentifier(exitSceneIdentifier, this.MapUrlFile, this.instance);
const room = new Room(roomId);
- return gameManager.loadMap(room, this.scene).catch(() => {});
+ return gameManager.loadMap(room, this.scene).catch(() => { });
}
private startUser(layer: ITiledMapTileLayer): PositionInterface {
const tiles = layer.data;
- if (typeof(tiles) === 'string') {
+ if (typeof (tiles) === 'string') {
throw new Error('The content of a JSON map must be filled as a JSON array, not as a string');
}
- const possibleStartPositions : PositionInterface[] = [];
- tiles.forEach((objectKey : number, key: number) => {
- if(objectKey === 0){
+ const possibleStartPositions: PositionInterface[] = [];
+ tiles.forEach((objectKey: number, key: number) => {
+ if (objectKey === 0) {
return;
}
const y = Math.floor(key / layer.width);
const x = key % layer.width;
- possibleStartPositions.push({x: x * this.mapFile.tilewidth, y: y * this.mapFile.tilewidth});
+ possibleStartPositions.push({ x: x * this.mapFile.tilewidth, y: y * this.mapFile.tilewidth });
});
// Get a value at random amongst allowed values
if (possibleStartPositions.length === 0) {
- console.warn('The start layer "'+layer.name+'" for this map is empty.');
+ console.warn('The start layer "' + layer.name + '" for this map is empty.');
return {
x: 0,
y: 0
@@ -1137,12 +1134,12 @@ ${escapedMessage}
//todo: in a dedicated class/function?
initCamera() {
- this.cameras.main.setBounds(0,0, this.Map.widthInPixels, this.Map.heightInPixels);
+ this.cameras.main.setBounds(0, 0, this.Map.widthInPixels, this.Map.heightInPixels);
this.cameras.main.startFollow(this.CurrentPlayer, true);
this.updateCameraOffset();
}
- addLayer(Layer : Phaser.Tilemaps.TilemapLayer){
+ addLayer(Layer: Phaser.Tilemaps.TilemapLayer) {
this.Layers.push(Layer);
}
@@ -1152,7 +1149,7 @@ ${escapedMessage}
this.physics.add.collider(this.CurrentPlayer, Layer, (object1: GameObject, object2: GameObject) => {
//this.CurrentPlayer.say("Collision with layer : "+ (object2 as Tile).layer.name)
});
- Layer.setCollisionByProperty({collides: true});
+ Layer.setCollisionByProperty({ collides: true });
if (DEBUG_MODE) {
//debug code to see the collision hitbox of the object in the top layer
Layer.renderDebug(this.add.graphics(), {
@@ -1164,7 +1161,7 @@ ${escapedMessage}
});
}
- createCurrentPlayer(){
+ createCurrentPlayer() {
//TODO create animation moving between exit and start
const texturesPromise = lazyLoadPlayerCharacterTextures(this.load, this.characterLayers);
try {
@@ -1189,8 +1186,8 @@ ${escapedMessage}
this.CurrentPlayer.on(requestEmoteEventName, (emoteKey: string) => {
this.connection?.emitEmoteEvent(emoteKey);
})
- }catch (err){
- if(err instanceof TextureError) {
+ } catch (err) {
+ if (err instanceof TextureError) {
gameManager.leaveGame(this, SelectCharacterSceneName, new SelectCharacterScene());
}
throw err;
@@ -1251,7 +1248,7 @@ ${escapedMessage}
}
let shortestDistance: number = Infinity;
- let selectedItem: ActionableItem|null = null;
+ let selectedItem: ActionableItem | null = null;
for (const item of this.actionableItems.values()) {
const distance = item.actionableDistance(x, y);
if (distance !== null && distance < shortestDistance) {
@@ -1285,7 +1282,7 @@ ${escapedMessage}
* @param time
* @param delta The delta time in ms since the last frame. This is a smoothed and capped value based on the FPS rate.
*/
- update(time: number, delta: number) : void {
+ update(time: number, delta: number): void {
this.dirty = false;
mediaManager.updateScene();
this.currentTick = time;
@@ -1345,8 +1342,8 @@ ${escapedMessage}
const currentPlayerId = this.connection?.getUserId();
this.removeAllRemotePlayers();
// load map
- usersPosition.forEach((userPosition : MessageUserPositionInterface) => {
- if(userPosition.userId === currentPlayerId){
+ usersPosition.forEach((userPosition: MessageUserPositionInterface) => {
+ if (userPosition.userId === currentPlayerId) {
return;
}
this.addPlayer(userPosition);
@@ -1356,16 +1353,16 @@ ${escapedMessage}
/**
* Called by the connexion when a new player arrives on a map
*/
- public addPlayer(addPlayerData : AddPlayerInterface) : void {
+ public addPlayer(addPlayerData: AddPlayerInterface): void {
this.pendingEvents.enqueue({
type: "AddPlayerEvent",
event: addPlayerData
});
}
- private doAddPlayer(addPlayerData : AddPlayerInterface): void {
+ private doAddPlayer(addPlayerData: AddPlayerInterface): void {
//check if exist player, if exist, move position
- if(this.MapPlayersByKey.has(addPlayerData.userId)){
+ if (this.MapPlayersByKey.has(addPlayerData.userId)) {
this.updatePlayerPosition({
userId: addPlayerData.userId,
position: addPlayerData.position
@@ -1427,10 +1424,10 @@ ${escapedMessage}
}
private doUpdatePlayerPosition(message: MessageUserMovedInterface): void {
- const player : RemotePlayer | undefined = this.MapPlayersByKey.get(message.userId);
+ const player: RemotePlayer | undefined = this.MapPlayersByKey.get(message.userId);
if (player === undefined) {
//throw new Error('Cannot find player with ID "' + message.userId +'"');
- console.error('Cannot update position of player with ID "' + message.userId +'": player not found');
+ console.error('Cannot update position of player with ID "' + message.userId + '": player not found');
return;
}
@@ -1474,7 +1471,7 @@ ${escapedMessage}
doDeleteGroup(groupId: number): void {
const group = this.groups.get(groupId);
- if(!group){
+ if (!group) {
return;
}
group.destroy();
@@ -1503,7 +1500,7 @@ ${escapedMessage}
bottom: camera.scrollY + camera.height,
});
}
- private getObjectLayerData(objectName : string) : ITiledMapObject| undefined{
+ private getObjectLayerData(objectName: string): ITiledMapObject | undefined {
for (const layer of this.mapFile.layers) {
if (layer.type === 'objectgroup' && layer.name === 'floorLayer') {
for (const object of layer.objects) {
@@ -1537,7 +1534,7 @@ ${escapedMessage}
const game = HtmlUtils.querySelectorOrFail('#game canvas');
// Let's put this in Game coordinates by applying the zoom level:
- this.cameras.main.setFollowOffset((xCenter - game.offsetWidth/2) * window.devicePixelRatio / this.scale.zoom , (yCenter - game.offsetHeight/2) * window.devicePixelRatio / this.scale.zoom);
+ this.cameras.main.setFollowOffset((xCenter - game.offsetWidth / 2) * window.devicePixelRatio / this.scale.zoom, (yCenter - game.offsetHeight / 2) * window.devicePixelRatio / this.scale.zoom);
}
public onCenterChange(): void {
@@ -1546,16 +1543,16 @@ ${escapedMessage}
public startJitsi(roomName: string, jwt?: string): void {
const allProps = this.gameMap.getCurrentProperties();
- const jitsiConfig = this.safeParseJSONstring(allProps.get("jitsiConfig") as string|undefined, 'jitsiConfig');
- const jitsiInterfaceConfig = this.safeParseJSONstring(allProps.get("jitsiInterfaceConfig") as string|undefined, 'jitsiInterfaceConfig');
- const jitsiUrl = allProps.get("jitsiUrl") as string|undefined;
+ const jitsiConfig = this.safeParseJSONstring(allProps.get("jitsiConfig") as string | undefined, 'jitsiConfig');
+ const jitsiInterfaceConfig = this.safeParseJSONstring(allProps.get("jitsiInterfaceConfig") as string | undefined, 'jitsiInterfaceConfig');
+ const jitsiUrl = allProps.get("jitsiUrl") as string | undefined;
jitsiFactory.start(roomName, this.playerName, jwt, jitsiConfig, jitsiInterfaceConfig, jitsiUrl);
this.connection?.setSilent(true);
mediaManager.hideGameOverlay();
//permit to stop jitsi when user close iframe
- mediaManager.addTriggerCloseJitsiFrameButton('close-jisi',() => {
+ mediaManager.addTriggerCloseJitsiFrameButton('close-jisi', () => {
this.stopJitsi();
});
}
@@ -1569,7 +1566,7 @@ ${escapedMessage}
}
//todo: put this into an 'orchestrator' scene (EntryScene?)
- private bannedUser(){
+ private bannedUser() {
this.cleanupClosingScene();
this.userInputManager.disableControls();
this.scene.start(ErrorSceneName, {
@@ -1580,22 +1577,22 @@ ${escapedMessage}
}
//todo: put this into an 'orchestrator' scene (EntryScene?)
- private showWorldFullError(message: string|null): void {
+ private showWorldFullError(message: string | null): void {
this.cleanupClosingScene();
this.scene.stop(ReconnectingSceneName);
this.scene.remove(ReconnectingSceneName);
this.userInputManager.disableControls();
//FIX ME to use status code
- if(message == undefined){
+ if (message == undefined) {
this.scene.start(ErrorSceneName, {
title: 'Connection rejected',
subTitle: 'The world you are trying to join is full. Try again later.',
message: 'If you want more information, you may contact us at: workadventure@thecodingmachine.com'
});
- }else{
+ } else {
this.scene.start(ErrorSceneName, {
title: 'Connection rejected',
- subTitle: 'You cannot join the World. Try again later. \n\r \n\r Error: '+message+'.',
+ subTitle: 'You cannot join the World. Try again later. \n\r \n\r Error: ' + message + '.',
message: 'If you want more information, you may contact administrator or contact us at: workadventure@thecodingmachine.com'
});
}
diff --git a/front/src/Phaser/Menu/MenuScene.ts b/front/src/Phaser/Menu/MenuScene.ts
index 54fa395a..d5d0387a 100644
--- a/front/src/Phaser/Menu/MenuScene.ts
+++ b/front/src/Phaser/Menu/MenuScene.ts
@@ -1,16 +1,20 @@
-import {LoginScene, LoginSceneName} from "../Login/LoginScene";
-import {SelectCharacterScene, SelectCharacterSceneName} from "../Login/SelectCharacterScene";
-import {SelectCompanionScene, SelectCompanionSceneName} from "../Login/SelectCompanionScene";
-import {gameManager} from "../Game/GameManager";
-import {localUserStore} from "../../Connexion/LocalUserStore";
-import {mediaManager} from "../../WebRtc/MediaManager";
-import {gameReportKey, gameReportRessource, ReportMenu} from "./ReportMenu";
-import {connectionManager} from "../../Connexion/ConnectionManager";
-import {GameConnexionTypes} from "../../Url/UrlManager";
-import {WarningContainer, warningContainerHtml, warningContainerKey} from "../Components/WarningContainer";
-import {worldFullWarningStream} from "../../Connexion/WorldFullWarningStream";
-import {menuIconVisible} from "../../Stores/MenuStore";
-import {videoConstraintStore} from "../../Stores/MediaStore";
+import { Subscription } from 'rxjs';
+import { sendMenuClickedEvent } from '../../Api/Events/ui/MenuItemClickedEvent';
+import { registerMenuCommandStream } from '../../Api/Events/ui/MenuItemRegisterEvent';
+import { connectionManager } from "../../Connexion/ConnectionManager";
+import { localUserStore } from "../../Connexion/LocalUserStore";
+import { worldFullWarningStream } from "../../Connexion/WorldFullWarningStream";
+import { videoConstraintStore } from "../../Stores/MediaStore";
+import { menuIconVisible } from "../../Stores/MenuStore";
+import { GameConnexionTypes } from "../../Url/UrlManager";
+import { HtmlUtils } from '../../WebRtc/HtmlUtils';
+import { mediaManager } from "../../WebRtc/MediaManager";
+import { WarningContainer, warningContainerHtml, warningContainerKey } from "../Components/WarningContainer";
+import { gameManager } from "../Game/GameManager";
+import { LoginScene, LoginSceneName } from "../Login/LoginScene";
+import { SelectCharacterScene, SelectCharacterSceneName } from "../Login/SelectCharacterScene";
+import { SelectCompanionScene, SelectCompanionSceneName } from "../Login/SelectCompanionScene";
+import { gameReportKey, gameReportRessource, ReportMenu } from "./ReportMenu";
export const MenuSceneName = 'MenuScene';
const gameMenuKey = 'gameMenu';
@@ -37,15 +41,38 @@ export class MenuScene extends Phaser.Scene {
private menuButton!: Phaser.GameObjects.DOMElement;
private warningContainer: WarningContainer | null = null;
private warningContainerTimeout: NodeJS.Timeout | null = null;
-
+ private subscriptions = new Subscription()
constructor() {
- super({key: MenuSceneName});
+ super({ key: MenuSceneName });
this.gameQualityValue = localUserStore.getGameQualityValue();
this.videoQualityValue = localUserStore.getVideoQualityValue();
+
+ this.subscriptions.add(registerMenuCommandStream.subscribe(menuCommand => {
+ this.addMenuOption(menuCommand);
+
+ }))
}
- preload () {
+ reset() {
+ const addedMenuItems = [...this.menuElement.node.querySelectorAll(".fromApi")];
+ for (let index = addedMenuItems.length - 1; index >= 0; index--) {
+ addedMenuItems[index].remove()
+ }
+ }
+
+ public addMenuOption(menuText: string) {
+ const wrappingSection = document.createElement("section")
+ const escapedHtml = HtmlUtils.escapeHtml(menuText);
+ wrappingSection.innerHTML = ``
+ const menuItemContainer = this.menuElement.node.querySelector("#gameMenu main");
+ if (menuItemContainer) {
+ menuItemContainer.querySelector(`#${escapedHtml}.fromApi`)?.remove()
+ menuItemContainer.insertBefore(wrappingSection, menuItemContainer.querySelector("#socialLinks"))
+ }
+ }
+
+ preload() {
this.load.html(gameMenuKey, 'resources/html/gameMenu.html');
this.load.html(gameMenuIconKey, 'resources/html/gameMenuIcon.html');
this.load.html(gameSettingsMenuKey, 'resources/html/gameQualityMenu.html');
@@ -68,11 +95,11 @@ export class MenuScene extends Phaser.Scene {
this.gameShareElement = this.add.dom(middleX, -400).createFromCache(gameShare);
MenuScene.revealMenusAfterInit(this.gameShareElement, gameShare);
this.gameShareElement.addListener('click');
- this.gameShareElement.on('click', (event:MouseEvent) => {
+ this.gameShareElement.on('click', (event: MouseEvent) => {
event.preventDefault();
- if((event?.target as HTMLInputElement).id === 'gameShareFormSubmit') {
+ if ((event?.target as HTMLInputElement).id === 'gameShareFormSubmit') {
this.copyLink();
- }else if((event?.target as HTMLInputElement).id === 'gameShareFormCancel') {
+ } else if ((event?.target as HTMLInputElement).id === 'gameShareFormCancel') {
this.closeGameShare();
}
});
@@ -128,8 +155,8 @@ export class MenuScene extends Phaser.Scene {
}
//TODO bind with future metadata of card
//if (connectionManager.getConnexionType === GameConnexionTypes.anonymous){
- const adminSection = this.menuElement.getChildByID('socialLinks') as HTMLElement;
- adminSection.hidden = false;
+ const adminSection = this.menuElement.getChildByID('socialLinks') as HTMLElement;
+ adminSection.hidden = false;
//}
this.tweens.add({
targets: this.menuElement,
@@ -179,28 +206,28 @@ export class MenuScene extends Phaser.Scene {
this.settingsMenuOpened = true;
const gameQualitySelect = this.gameQualityMenuElement.getChildByID('select-game-quality') as HTMLInputElement;
- gameQualitySelect.value = ''+this.gameQualityValue;
+ gameQualitySelect.value = '' + this.gameQualityValue;
const videoQualitySelect = this.gameQualityMenuElement.getChildByID('select-video-quality') as HTMLInputElement;
- videoQualitySelect.value = ''+this.videoQualityValue;
+ videoQualitySelect.value = '' + this.videoQualityValue;
this.gameQualityMenuElement.addListener('click');
- this.gameQualityMenuElement.on('click', (event:MouseEvent) => {
+ this.gameQualityMenuElement.on('click', (event: MouseEvent) => {
event.preventDefault();
if ((event?.target as HTMLInputElement).id === 'gameQualityFormSubmit') {
const gameQualitySelect = this.gameQualityMenuElement.getChildByID('select-game-quality') as HTMLInputElement;
const videoQualitySelect = this.gameQualityMenuElement.getChildByID('select-video-quality') as HTMLInputElement;
this.saveSetting(parseInt(gameQualitySelect.value), parseInt(videoQualitySelect.value));
- } else if((event?.target as HTMLInputElement).id === 'gameQualityFormCancel') {
+ } else if ((event?.target as HTMLInputElement).id === 'gameQualityFormCancel') {
this.closeGameQualityMenu();
}
});
- let middleY = this.scale.height / 2 - 392/2;
- if(middleY < 0){
+ let middleY = this.scale.height / 2 - 392 / 2;
+ if (middleY < 0) {
middleY = 0;
}
- let middleX = this.scale.width / 2 - 457/2;
- if(middleX < 0){
+ let middleX = this.scale.width / 2 - 457 / 2;
+ if (middleX < 0) {
middleX = 0;
}
this.tweens.add({
@@ -226,7 +253,7 @@ export class MenuScene extends Phaser.Scene {
}
- private openGameShare(): void{
+ private openGameShare(): void {
if (this.gameShareOpened) {
this.closeGameShare();
return;
@@ -240,11 +267,11 @@ export class MenuScene extends Phaser.Scene {
this.gameShareOpened = true;
let middleY = this.scale.height / 2 - 85;
- if(middleY < 0){
+ if (middleY < 0) {
middleY = 0;
}
let middleX = this.scale.width / 2 - 200;
- if(middleX < 0){
+ if (middleX < 0) {
middleX = 0;
}
this.tweens.add({
@@ -256,7 +283,7 @@ export class MenuScene extends Phaser.Scene {
});
}
- private closeGameShare(): void{
+ private closeGameShare(): void {
const gameShareInfo = this.gameShareElement.getChildByID('gameShareInfo') as HTMLParagraphElement;
gameShareInfo.innerText = '';
gameShareInfo.style.display = 'none';
@@ -269,12 +296,18 @@ export class MenuScene extends Phaser.Scene {
});
}
- private onMenuClick(event:MouseEvent) {
- if((event?.target as HTMLInputElement).classList.contains('not-button')){
+ private onMenuClick(event: MouseEvent) {
+ const htmlMenuItem = (event?.target as HTMLInputElement);
+ if (htmlMenuItem.classList.contains('not-button')) {
return;
}
event.preventDefault();
+ if (htmlMenuItem.classList.contains("fromApi")) {
+ sendMenuClickedEvent(htmlMenuItem.id)
+ return
+ }
+
switch ((event?.target as HTMLInputElement).id) {
case 'changeNameButton':
this.closeSideMenu();
@@ -316,7 +349,7 @@ export class MenuScene extends Phaser.Scene {
gameShareInfo.style.display = 'block';
}
- private saveSetting(valueGame: number, valueVideo: number){
+ private saveSetting(valueGame: number, valueVideo: number) {
if (valueGame !== this.gameQualityValue) {
this.gameQualityValue = valueGame;
localUserStore.setGameQualityValue(valueGame);
@@ -337,7 +370,7 @@ export class MenuScene extends Phaser.Scene {
window.open(sparkHost, '_blank');
}
- private closeAll(){
+ private closeAll() {
this.closeGameQualityMenu();
this.closeGameShare();
this.gameReportElement.close();