Phaser3 - 开始新场景时音乐中断
我对 Phaser 还很陌生。我有一个播放音乐的主平台游戏场景。一切都很顺利,直到我尝试向游戏添加开始菜单。这是菜单的相关代码:
public create(): void {
super.create();
this.newGameText = this.add
.text(+this.game.config.width / 2, +this.game.config.height / 2 - 72, "New game", { fontSize: "72px", color: "#fff" })
.setOrigin(0.5, 0.5)
.setInteractive();
this.exitGameText = this.add
.text(+this.game.config.width / 2, +this.game.config.height / 2 + 72, "Exit game", { fontSize: "72px", color: "#fff" })
.setOrigin(0.5, 0.5)
.setInteractive();
this.music = this.sound.add(Keys.Musics.MainMenu, { loop: true });
this.music.play();
}
public update(time: number, delta: number): void {
super.update(time, delta);
this.newGameText.on(Keys.MouseEvents.PointerDown, () => this.startGame());
this.exitGameText.on(Keys.MouseEvents.PointerDown, () => this.exitGame());
}
private startGame(): void {
this.scene.start(Keys.Scenes.Game);
}
private exitGame(): void {
this.game.destroy(true, true);
}
游戏场景在
create
函数中开始播放自己的音乐,如下所示:
this.sound.play(Keys.Musics.Level1, {
loop: true,
volume: 0.3,
});
当我单击“新游戏”时,游戏场景加载,但声音很糟糕,我不知道如何描述它,但是发生了一些错误。
如果在主菜单场景的
startGame()
函数中,我添加
this.music.destroy()
,下一个场景可以正常播放,但出现以下错误:
phaser.js:107083 Uncaught TypeError: Cannot read properties of null (reading 'disconnect')
at WebAudioSound.destroy (phaser.js:107083:1)
这是发生这种情况的源代码:
我做错了什么?
可以在 这里 找到源代码。
编辑:如果我从主菜单中删除音乐,问题仍然存在
更好的解决方案是将两个事件侦听器挂钩移至
create
函数中
(设置应始终在
create
函数中完成[或在某些情况下在
init
中完成])
。只需将两行移至
create
函数中:
public create(): void {
...
this.newGameText.on(Keys.MouseEvents.PointerDown, () => this.startGame());
this.exitGameText.on(Keys.MouseEvents.PointerDown, () => this.exitGame());
}
create
函数将仅被调用“一次”,这应该足够了。
Checkout this unofficial flow chart of the phaser -game lifeCycle
btw.: theupdate
function is called 60 times pre second.
好的,我找到了原因。
this.newGameText.on(Keys.MouseEvents.PointerDown, () => this.startGame());
这被调用了~100次,因此它启动了100个场景...
这是我修复它的方法:
private startGame(): void {
if (!this.startingScene) {
this.startingScene = true;
this.music.stop();
this.scene.start(Keys.Scenes.Game);
}
}
也许有更好的方法?