pokerogue/src/battle-scene.ts

1856 lines
62 KiB
TypeScript
Raw Normal View History

2023-03-28 19:54:52 +01:00
import Phaser from 'phaser';
2023-10-26 21:33:59 +01:00
import UI, { Mode } from './ui/ui';
2024-03-01 01:08:50 +00:00
import { NextEncounterPhase, NewBiomeEncounterPhase, SelectBiomePhase, MessagePhase, CheckLoadPhase, TurnInitPhase, ReturnPhase, LevelCapPhase, ShowTrainerPhase, LoginPhase, ConsolidateDataPhase, MovePhase } from './phases';
import Pokemon, { PlayerPokemon, EnemyPokemon } from './field/pokemon';
import PokemonSpecies, { PokemonSpeciesFilter, allSpecies, getPokemonSpecies, initSpecies } from './data/pokemon-species';
2023-03-28 19:54:52 +01:00
import * as Utils from './utils';
import { Modifier, ModifierBar, ConsumablePokemonModifier, ConsumableModifier, PokemonHpRestoreModifier, HealingBoosterModifier, PersistentModifier, PokemonHeldItemModifier, ModifierPredicate, DoubleBattleChanceBoosterModifier, FusePokemonModifier, PokemonFormChangeItemModifier, TerastallizeModifier } from './modifier/modifier';
2023-04-20 20:46:05 +01:00
import { PokeballType } from './data/pokeball';
import { initCommonAnims, initMoveAnim, loadCommonAnimAssets, loadMoveAnimAssets, populateAnims } from './data/battle-anims';
import { Phase } from './phase';
2023-04-20 20:46:05 +01:00
import { initGameSpeed } from './system/game-speed';
import { Biome } from "./data/enums/biome";
2024-03-01 01:08:50 +00:00
import { Arena, ArenaBase, getBiomeHasProps, getBiomeKey } from './field/arena';
2024-02-06 21:15:35 +00:00
import { GameData, PlayerGender } from './system/game-data';
import StarterSelectUiHandler from './ui/starter-select-ui-handler';
2023-04-20 20:46:05 +01:00
import { TextStyle, addTextObject } from './ui/text';
import { Moves } from "./data/enums/moves";
import { } from "./data/move";
import { initMoves } from './data/move';
import { ModifierPoolType, getDefaultModifierTypeForTier, getEnemyModifierTypesForWave } from './modifier/modifier-type';
2023-04-27 06:14:15 +01:00
import AbilityBar from './ui/ability-bar';
import { BlockItemTheftAbAttr, DoubleBattleChanceAbAttr, applyAbAttrs, initAbilities } from './data/ability';
import Battle, { BattleType, FixedBattleConfig, fixedBattles } from './battle';
2024-03-14 20:26:57 +00:00
import { GameMode, GameModes, gameModes } from './game-mode';
2023-12-30 02:04:40 +00:00
import FieldSpritePipeline from './pipelines/field-sprite';
2023-06-02 23:33:51 +01:00
import SpritePipeline from './pipelines/sprite';
import PartyExpBar from './ui/party-exp-bar';
import { trainerConfigs } from './data/trainer-config';
import { TrainerType } from "./data/enums/trainer-type";
2024-03-01 01:08:50 +00:00
import Trainer from './field/trainer';
2023-10-07 21:08:33 +01:00
import TrainerData from './system/trainer-data';
import SoundFade from 'phaser3-rex-plugins/plugins/soundfade';
import { pokemonPrevolutions } from './data/pokemon-evolutions';
import PokeballTray from './ui/pokeball-tray';
2023-10-26 21:33:59 +01:00
import { Setting, settingOptions } from './system/settings';
import SettingsUiHandler from './ui/settings-ui-handler';
import MessageUiHandler from './ui/message-ui-handler';
import { Species } from './data/enums/species';
2023-11-08 03:23:42 +00:00
import InvertPostFX from './pipelines/invert';
import { Achv, ModifierAchv, achvs } from './system/achv';
import { GachaType } from './data/egg';
import { Voucher, vouchers } from './system/voucher';
import { Gender } from './data/gender';
2023-12-30 23:41:25 +00:00
import UIPlugin from 'phaser3-rex-plugins/templates/ui/ui-plugin';
import { WindowVariant, getWindowVariantSuffix } from './ui/window';
2024-01-08 04:17:24 +00:00
import PokemonData from './system/pokemon-data';
import { Nature } from './data/nature';
import { SpeciesFormChangeTimeOfDayTrigger, SpeciesFormChangeTrigger, pokemonFormChanges } from './data/pokemon-forms';
2024-01-10 04:34:43 +00:00
import { FormChangePhase, QuietFormChangePhase } from './form-change-phase';
import { BattleSpec } from './enums/battle-spec';
import { getTypeRgb } from './data/type';
2024-03-01 01:08:50 +00:00
import PokemonSpriteSparkleHandler from './field/pokemon-sprite-sparkle-handler';
import CharSprite from './ui/char-sprite';
2024-03-01 05:27:46 +00:00
import DamageNumberHandler from './field/damage-number-handler';
2024-03-08 03:43:15 +00:00
import PokemonInfoContainer from './ui/pokemon-info-container';
2023-03-28 19:54:52 +01:00
2023-12-30 23:41:25 +00:00
export const bypassLogin = false;
export const startingLevel = 5;
export const startingWave = 1;
export const startingBiome = Biome.TOWN;
export const startingMoney = 1000;
2023-04-09 05:22:14 +01:00
2024-02-25 02:16:19 +00:00
const expSpriteKeys: string[] = [];
export enum Button {
UP,
DOWN,
LEFT,
RIGHT,
2023-12-30 23:41:25 +00:00
SUBMIT,
ACTION,
CANCEL,
2023-10-26 21:33:59 +01:00
MENU,
CYCLE_SHINY,
CYCLE_FORM,
CYCLE_GENDER,
2023-04-26 17:50:21 +01:00
CYCLE_ABILITY,
2024-01-06 03:24:05 +00:00
CYCLE_NATURE,
SPEED_UP,
SLOW_DOWN
}
2023-04-28 20:03:42 +01:00
export interface PokeballCounts {
[pb: string]: integer;
}
2023-10-26 21:33:59 +01:00
export type AnySound = Phaser.Sound.WebAudioSound | Phaser.Sound.HTML5AudioSound | Phaser.Sound.NoAudioSound;
2023-03-28 19:54:52 +01:00
export default class BattleScene extends Phaser.Scene {
2023-12-30 23:41:25 +00:00
public rexUI: UIPlugin;
2024-01-12 01:27:50 +00:00
public sessionPlayTime: integer = null;
2023-10-26 21:33:59 +01:00
public masterVolume: number = 0.5;
public bgmVolume: number = 1;
public seVolume: number = 1;
2023-04-12 16:30:47 +01:00
public gameSpeed: integer = 1;
2024-03-01 05:27:46 +00:00
public damageNumbersMode: integer = 0;
2023-11-05 01:53:38 +00:00
public showLevelUpStats: boolean = true;
2024-02-13 23:42:11 +00:00
public enableTutorials: boolean = true;
public windowType: integer = 1;
2024-02-25 02:16:19 +00:00
public experimentalSprites: boolean = false;
2024-03-06 02:54:26 +00:00
public fusionPaletteSwaps: boolean = true;
public enableTouchControls: boolean = false;
public enableVibration: boolean = false;
2023-10-21 13:58:39 +01:00
2023-04-18 06:32:26 +01:00
public gameData: GameData;
private phaseQueue: Phase[];
private phaseQueuePrepend: Phase[];
private phaseQueuePrependSpliceIndex: integer;
2024-03-11 22:13:07 +00:00
private nextCommandPhaseQueue: Phase[];
private currentPhase: Phase;
private standbyPhase: Phase;
2023-03-28 19:54:52 +01:00
public field: Phaser.GameObjects.Container;
public fieldUI: Phaser.GameObjects.Container;
public charSprite: CharSprite;
public pbTray: PokeballTray;
public pbTrayEnemy: PokeballTray;
2023-04-27 06:14:15 +01:00
public abilityBar: AbilityBar;
public partyExpBar: PartyExpBar;
public arenaBg: Phaser.GameObjects.Sprite;
public arenaBgTransition: Phaser.GameObjects.Sprite;
public arenaPlayer: ArenaBase;
public arenaPlayerTransition: ArenaBase;
public arenaEnemy: ArenaBase;
public arenaNextEnemy: ArenaBase;
public arena: Arena;
public gameMode: GameMode;
2023-03-28 19:54:52 +01:00
public trainer: Phaser.GameObjects.Sprite;
public lastEnemyTrainer: Trainer;
2023-03-31 04:02:35 +01:00
public currentBattle: Battle;
public pokeballCounts: PokeballCounts;
public money: integer;
2024-03-08 03:43:15 +00:00
public pokemonInfoContainer: PokemonInfoContainer;
2023-03-28 19:54:52 +01:00
private party: PlayerPokemon[];
2023-04-19 04:54:07 +01:00
private waveCountText: Phaser.GameObjects.Text;
private moneyText: Phaser.GameObjects.Text;
2023-03-28 19:54:52 +01:00
private modifierBar: ModifierBar;
2023-04-21 00:44:56 +01:00
private enemyModifierBar: ModifierBar;
private fieldOverlay: Phaser.GameObjects.Rectangle;
2023-04-10 00:15:21 +01:00
private modifiers: PersistentModifier[];
private enemyModifiers: PersistentModifier[];
2023-03-28 19:54:52 +01:00
public uiContainer: Phaser.GameObjects.Container;
public ui: UI;
public seed: string;
public waveSeed: string;
2024-03-01 05:27:46 +00:00
public damageNumberHandler: DamageNumberHandler
private spriteSparkleHandler: PokemonSpriteSparkleHandler;
2023-12-30 02:04:40 +00:00
public fieldSpritePipeline: FieldSpritePipeline;
2023-06-02 23:33:51 +01:00
public spritePipeline: SpritePipeline;
2023-04-04 01:47:41 +01:00
2023-10-26 21:33:59 +01:00
private bgm: AnySound;
2023-04-18 06:32:26 +01:00
private bgmResumeTimer: Phaser.Time.TimerEvent;
2023-10-26 21:33:59 +01:00
private bgmCache: Set<string> = new Set();
2024-01-12 01:27:50 +00:00
private playTimeTimer: Phaser.Time.TimerEvent;
2023-03-28 19:54:52 +01:00
private buttonKeys: Phaser.Input.Keyboard.Key[][];
2023-03-28 19:54:52 +01:00
private blockInput: boolean;
constructor() {
super('battle');
initSpecies();
initMoves();
initAbilities();
2023-03-28 19:54:52 +01:00
this.phaseQueue = [];
this.phaseQueuePrepend = [];
this.phaseQueuePrependSpliceIndex = -1;
2024-03-11 22:13:07 +00:00
this.nextCommandPhaseQueue = [];
2023-03-28 19:54:52 +01:00
}
loadImage(key: string, folder: string, filename?: string) {
if (!filename)
filename = `${key}.png`;
this.load.image(key, `images/${folder}/${filename}`);
}
loadAtlas(key: string, folder: string, filenameRoot?: string) {
if (!filenameRoot)
filenameRoot = key;
if (folder)
folder += '/';
2023-04-10 21:17:25 +01:00
this.load.atlas(key, `images/${folder}${filenameRoot}.png`, `images/${folder}/${filenameRoot}.json`);
2023-03-28 19:54:52 +01:00
}
2024-02-25 02:16:19 +00:00
loadPokemonAtlas(key: string, atlasPath: string, experimental?: boolean) {
if (experimental === undefined)
experimental = this.experimentalSprites;
if (experimental) {
const keyMatch = /^pkmn__(back__)?(shiny__)?(female__)?(\d+)(\-.*?)?$/g.exec(key);
let k = keyMatch[4];
if (keyMatch[2])
k += 's';
if (keyMatch[1])
k += 'b';
if (keyMatch[3])
k += 'f';
if (keyMatch[5])
k += keyMatch[5];
if (expSpriteKeys.indexOf(k) === -1)
experimental = false;
}
this.load.atlas(key, `images/pokemon/${experimental ? 'exp/' : ''}${atlasPath}.png`, `images/pokemon/${experimental ? 'exp/' : ''}${atlasPath}.json`);
}
2023-04-04 01:47:41 +01:00
loadSpritesheet(key: string, folder: string, size: integer, filename?: string) {
if (!filename)
filename = `${key}.png`;
this.load.spritesheet(key, `images/${folder}/${filename}`, { frameWidth: size, frameHeight: size });
}
2023-03-28 19:54:52 +01:00
loadSe(key: string, folder?: string, filenames?: string | string[]) {
if (!filenames)
filenames = `${key}.wav`;
if (!folder)
folder = '';
else
folder += '/';
if (!Array.isArray(filenames))
filenames = [ filenames ];
for (let f of filenames as string[]) {
this.load.audio(key, `audio/se/${folder}${f}`);
}
}
loadBgm(key: string, filename?: string) {
if (!filename)
filename = `${key}.mp3`;
this.load.audio(key, `audio/bgm/${filename}`);
}
preload() {
// Load menu images
this.loadImage('bg', 'ui');
this.loadImage('command_fight_labels', 'ui');
2023-03-28 19:54:52 +01:00
this.loadAtlas('prompt', 'ui');
this.loadImage('cursor', 'ui');
2023-12-30 23:41:25 +00:00
for (let wv of Utils.getEnumValues(WindowVariant)) {
for (let w = 1; w <= 4; w++)
this.loadImage(`window_${w}${getWindowVariantSuffix(wv)}`, 'ui/windows');
}
this.loadImage('namebox', 'ui');
2023-03-28 19:54:52 +01:00
this.loadImage('pbinfo_player', 'ui');
this.loadImage('pbinfo_player_mini', 'ui');
this.loadImage('pbinfo_enemy_mini', 'ui');
2024-01-08 04:17:24 +00:00
this.loadImage('pbinfo_enemy_boss', 'ui');
2023-03-28 19:54:52 +01:00
this.loadImage('overlay_lv', 'ui');
this.loadAtlas('numbers', 'ui');
this.loadAtlas('numbers_red', 'ui');
2023-03-28 19:54:52 +01:00
this.loadAtlas('overlay_hp', 'ui');
2024-01-08 04:17:24 +00:00
this.loadAtlas('overlay_hp_boss', 'ui');
2023-03-28 19:54:52 +01:00
this.loadImage('overlay_exp', 'ui');
2023-04-18 06:32:26 +01:00
this.loadImage('icon_owned', 'ui');
2023-04-27 06:14:15 +01:00
this.loadImage('ability_bar', 'ui');
this.loadImage('party_exp_bar', 'ui');
this.loadImage('achv_bar', 'ui');
this.loadImage('achv_bar_2', 'ui');
this.loadImage('achv_bar_3', 'ui');
this.loadImage('achv_bar_4', 'ui');
2023-07-05 16:54:36 +01:00
this.loadImage('shiny_star', 'ui', 'shiny.png');
this.loadImage('icon_spliced', 'ui');
this.loadImage('icon_tera', 'ui');
this.loadImage('type_tera', 'ui');
this.loadAtlas('type_bgs', 'ui');
2023-03-28 19:54:52 +01:00
this.loadImage('pb_tray_overlay_player', 'ui');
this.loadImage('pb_tray_overlay_enemy', 'ui');
this.loadAtlas('pb_tray_ball', 'ui');
2023-03-28 19:54:52 +01:00
this.loadImage('party_bg', 'ui');
this.loadImage('party_bg_double', 'ui');
2023-03-28 19:54:52 +01:00
this.loadAtlas('party_slot_main', 'ui');
this.loadAtlas('party_slot', 'ui');
this.loadImage('party_slot_overlay_lv', 'ui');
this.loadImage('party_slot_hp_bar', 'ui');
this.loadAtlas('party_slot_hp_overlay', 'ui');
this.loadAtlas('party_pb', 'ui');
this.loadAtlas('party_cancel', 'ui');
this.loadImage('summary_bg', 'ui');
2023-04-06 15:05:12 +01:00
this.loadImage('summary_overlay_shiny', 'ui');
this.loadImage('summary_profile', 'ui');
this.loadImage('summary_status', 'ui');
2023-04-23 21:36:03 +01:00
this.loadImage('summary_stats', 'ui');
this.loadImage('summary_stats_overlay_exp', 'ui');
2023-04-06 15:05:12 +01:00
this.loadImage('summary_moves', 'ui');
this.loadImage('summary_moves_effect', 'ui');
this.loadImage('summary_moves_overlay_row', 'ui');
2023-04-09 01:35:45 +01:00
this.loadImage('summary_moves_overlay_pp', 'ui');
this.loadAtlas('summary_moves_cursor', 'ui');
2023-04-23 23:40:21 +01:00
for (let t = 1; t <= 3; t++)
this.loadImage(`summary_tabs_${t}`, 'ui');
2023-04-13 00:09:15 +01:00
this.loadImage('starter_select_bg', 'ui');
this.loadImage('starter_select_cursor', 'ui');
this.loadImage('starter_select_cursor_highlight', 'ui');
this.loadImage('starter_select_cursor_pokerus', 'ui');
2023-04-13 00:09:15 +01:00
this.loadImage('starter_select_gen_cursor', 'ui');
this.loadImage('starter_select_gen_cursor_highlight', 'ui');
this.loadImage('default_bg', 'arenas');
2023-03-28 19:54:52 +01:00
// Load arena images
Utils.getEnumValues(Biome).map(bt => {
const btKey = Biome[bt].toLowerCase();
const isBaseAnimated = btKey === 'end';
const baseAKey = `${btKey}_a`;
const baseBKey = `${btKey}_b`;
this.loadImage(`${btKey}_bg`, 'arenas');
if (!isBaseAnimated)
this.loadImage(baseAKey, 'arenas');
else
this.loadAtlas(baseAKey, 'arenas');
if (!isBaseAnimated)
this.loadImage(baseBKey, 'arenas');
else
this.loadAtlas(baseBKey, 'arenas');
if (getBiomeHasProps(bt)) {
for (let p = 1; p <= 3; p++) {
const isPropAnimated = p === 3 && btKey === 'end';
const propKey = `${btKey}_b_${p}`;
if (!isPropAnimated)
this.loadImage(propKey, 'arenas');
else
this.loadAtlas(propKey, 'arenas');
}
}
2023-03-29 23:55:41 +01:00
});
2023-03-28 19:54:52 +01:00
// Load trainer images
this.loadAtlas('trainer_m_back', 'trainer');
this.loadAtlas('trainer_m_back_pb', 'trainer');
this.loadAtlas('trainer_f_back', 'trainer');
this.loadAtlas('trainer_f_back_pb', 'trainer');
2023-03-28 19:54:52 +01:00
2023-10-07 21:08:33 +01:00
Utils.getEnumValues(TrainerType).map(tt => {
const config = trainerConfigs[tt];
this.loadAtlas(config.getKey(), 'trainer');
if (config.isDouble)
this.loadAtlas(config.getKey(true), 'trainer');
});
// Load character sprites
2024-02-26 00:09:24 +00:00
this.loadAtlas('c_rival_m', 'character', 'rival_m');
this.loadAtlas('c_rival_f', 'character', 'rival_f');
2023-03-28 19:54:52 +01:00
// Load pokemon-related images
this.loadImage(`pkmn__back__sub`, 'pokemon/back', 'sub.png');
this.loadImage(`pkmn__sub`, 'pokemon', 'sub.png');
2023-04-11 04:15:06 +01:00
this.loadAtlas('battle_stats', 'effects');
2023-04-10 21:52:27 +01:00
this.loadAtlas('shiny', 'effects');
this.loadImage('tera', 'effects');
this.loadAtlas('pb_particles', 'effects');
2023-04-10 12:59:00 +01:00
this.loadImage('evo_sparkle', 'effects');
this.loadAtlas('tera_sparkle', 'effects');
2023-06-05 02:47:43 +01:00
this.load.video('evo_bg', 'images/effects/evo_bg.mp4', true);
2023-03-28 19:54:52 +01:00
this.loadAtlas('pb', '');
this.loadAtlas('items', '');
2023-04-01 01:19:57 +01:00
this.loadAtlas('types', '');
this.loadAtlas('statuses', '');
2023-04-09 01:35:45 +01:00
this.loadAtlas('categories', '');
this.loadAtlas('egg', 'egg');
this.loadAtlas('egg_crack', 'egg');
this.loadAtlas('egg_icons', 'egg');
this.loadAtlas('egg_shard', 'egg');
this.loadAtlas('egg_lightrays', 'egg');
Utils.getEnumKeys(GachaType).forEach(gt => {
const key = gt.toLowerCase();
this.loadImage(`gacha_${key}`, 'egg');
this.loadAtlas(`gacha_underlay_${key}`, 'egg');
});
this.loadImage('gacha_glass', 'egg');
this.loadImage('gacha_eggs', 'egg');
this.loadAtlas('gacha_hatch', 'egg');
this.loadImage('gacha_knob', 'egg');
this.loadImage('egg_list_bg', 'ui');
2023-03-28 19:54:52 +01:00
for (let i = 0; i < 10; i++)
2023-03-28 19:54:52 +01:00
this.loadAtlas(`pokemon_icons_${i}`, 'ui');
this.loadSe('select');
this.loadSe('menu_open');
this.loadSe('hit');
this.loadSe('hit_strong');
this.loadSe('hit_weak');
2023-04-11 04:15:06 +01:00
this.loadSe('stat_up');
this.loadSe('stat_down');
2023-03-28 19:54:52 +01:00
this.loadSe('faint');
this.loadSe('flee');
2023-04-12 17:48:02 +01:00
this.loadSe('low_hp');
2023-03-28 19:54:52 +01:00
this.loadSe('exp');
this.loadSe('level_up');
2023-04-10 18:54:06 +01:00
this.loadSe('sparkle');
2023-03-28 19:54:52 +01:00
this.loadSe('restore');
2023-04-10 18:54:06 +01:00
this.loadSe('shine');
this.loadSe('charge');
this.loadSe('beam');
2023-04-12 17:48:02 +01:00
this.loadSe('upgrade');
this.loadSe('buy');
this.loadSe('achv');
2023-03-28 19:54:52 +01:00
this.loadSe('error');
this.loadSe('pb_rel');
this.loadSe('pb_throw');
this.loadSe('pb_bounce_1');
this.loadSe('pb_bounce_2');
this.loadSe('pb_move');
this.loadSe('pb_catch');
this.loadSe('pb_lock');
this.loadSe('pb_tray_enter');
this.loadSe('pb_tray_ball');
this.loadSe('pb_tray_empty');
this.loadSe('egg_crack');
this.loadSe('egg_hatch');
this.loadSe('gacha_dial');
this.loadSe('gacha_running');
this.loadSe('gacha_dispense');
this.loadSe('PRSFX- Transform', 'battle_anims');
2023-04-13 00:09:15 +01:00
this.loadBgm('menu');
this.loadBgm('level_up_fanfare', 'bw/level_up_fanfare.mp3');
this.loadBgm('item_fanfare', 'bw/item_fanfare.mp3');
2024-01-10 04:34:43 +00:00
this.loadBgm('minor_fanfare', 'bw/minor_fanfare.mp3');
this.loadBgm('heal', 'bw/heal.mp3');
this.loadBgm('victory_trainer', 'bw/victory_trainer.mp3');
this.loadBgm('victory_gym', 'bw/victory_gym.mp3');
this.loadBgm('victory_champion', 'bw/victory_champion.mp3');
this.loadBgm('evolution', 'bw/evolution.mp3');
this.loadBgm('evolution_fanfare', 'bw/evolution_fanfare.mp3');
2023-04-04 01:47:41 +01:00
populateAnims();
2023-12-26 19:49:23 +00:00
2023-12-30 23:41:25 +00:00
this.load.plugin('rextexteditplugin', 'https://raw.githubusercontent.com/rexrainbow/phaser3-rex-notes/master/dist/rextexteditplugin.min.js', true);
2023-03-28 19:54:52 +01:00
}
create() {
2023-04-12 16:30:47 +01:00
initGameSpeed.apply(this);
this.gameData = new GameData(this);
this.setupControls();
2023-03-28 19:54:52 +01:00
this.load.setBaseURL();
2023-06-02 23:33:51 +01:00
this.spritePipeline = new SpritePipeline(this.game);
(this.renderer as Phaser.Renderer.WebGL.WebGLRenderer).pipelines.add('Sprite', this.spritePipeline);
2023-04-04 01:47:41 +01:00
2023-12-30 02:04:40 +00:00
this.fieldSpritePipeline = new FieldSpritePipeline(this.game);
(this.renderer as Phaser.Renderer.WebGL.WebGLRenderer).pipelines.add('FieldSprite', this.fieldSpritePipeline);
this.time.delayedCall(20, () => this.launchBattle());
}
update() {
this.checkInput();
2023-11-04 04:32:12 +00:00
this.ui?.update();
}
launchBattle() {
this.arenaBg = this.addFieldSprite(0, 0, 'plains_bg', null, 0);
this.arenaBgTransition = this.addFieldSprite(0, 0, `plains_bg`, null, 1);
[ this.arenaBgTransition, this.arenaBg ].forEach(a => {
a.setScale(6);
a.setOrigin(0);
});
2023-03-28 19:54:52 +01:00
const field = this.add.container(0, 0);
field.setScale(6);
this.field = field;
const fieldUI = this.add.container(0, this.game.canvas.height);
2023-04-11 04:15:06 +01:00
fieldUI.setDepth(1);
2023-03-28 19:54:52 +01:00
fieldUI.setScale(6);
this.fieldUI = fieldUI;
const uiContainer = this.add.container(0, 0);
2023-04-11 04:15:06 +01:00
uiContainer.setDepth(2);
2023-03-28 19:54:52 +01:00
uiContainer.setScale(6);
this.uiContainer = uiContainer;
const overlayWidth = this.game.canvas.width / 6;
const overlayHeight = (this.game.canvas.height / 6) - 48;
this.fieldOverlay = this.add.rectangle(0, overlayHeight * -1 - 48, overlayWidth, overlayHeight, 0x424242);
this.fieldOverlay.setOrigin(0, 0);
this.fieldOverlay.setAlpha(0);
this.fieldUI.add(this.fieldOverlay);
2023-03-28 19:54:52 +01:00
this.modifiers = [];
2023-04-21 00:44:56 +01:00
this.enemyModifiers = [];
2023-03-28 19:54:52 +01:00
this.modifierBar = new ModifierBar(this);
2023-03-29 05:31:25 +01:00
this.add.existing(this.modifierBar);
uiContainer.add(this.modifierBar);
2023-03-28 19:54:52 +01:00
2023-04-21 00:44:56 +01:00
this.enemyModifierBar = new ModifierBar(this, true);
this.add.existing(this.enemyModifierBar);
uiContainer.add(this.enemyModifierBar);
this.charSprite = new CharSprite(this);
this.charSprite.setup();
this.fieldUI.add(this.charSprite);
this.pbTray = new PokeballTray(this, true);
this.pbTray.setup();
this.pbTrayEnemy = new PokeballTray(this, false);
this.pbTrayEnemy.setup();
this.fieldUI.add(this.pbTray);
this.fieldUI.add(this.pbTrayEnemy);
2023-04-27 06:14:15 +01:00
this.abilityBar = new AbilityBar(this);
this.abilityBar.setup();
this.fieldUI.add(this.abilityBar);
this.partyExpBar = new PartyExpBar(this);
this.partyExpBar.setup();
this.fieldUI.add(this.partyExpBar);
this.waveCountText = addTextObject(this, (this.game.canvas.width / 6) - 2, 0, startingWave.toString(), TextStyle.BATTLE_INFO);
2023-04-19 04:54:07 +01:00
this.waveCountText.setOrigin(1, 0);
this.fieldUI.add(this.waveCountText);
this.moneyText = addTextObject(this, (this.game.canvas.width / 6) - 2, 0, startingWave.toString(), TextStyle.MONEY);
this.moneyText.setOrigin(1, 0);
this.fieldUI.add(this.moneyText);
this.updateUIPositions();
2024-03-01 05:27:46 +00:00
this.damageNumberHandler = new DamageNumberHandler();
this.spriteSparkleHandler = new PokemonSpriteSparkleHandler();
this.spriteSparkleHandler.setup(this);
2024-03-08 03:43:15 +00:00
this.pokemonInfoContainer = new PokemonInfoContainer(this, (this.game.canvas.width / 6) + 52, -(this.game.canvas.height / 6) + 66);
this.pokemonInfoContainer.setup();
this.fieldUI.add(this.pokemonInfoContainer);
2023-03-28 19:54:52 +01:00
this.party = [];
2023-03-29 05:31:25 +01:00
let loadPokemonAssets = [];
this.arenaPlayer = new ArenaBase(this, true);
this.arenaPlayerTransition = new ArenaBase(this, true);
this.arenaEnemy = new ArenaBase(this, false);
this.arenaNextEnemy = new ArenaBase(this, false);
2023-04-12 05:37:56 +01:00
this.arenaBgTransition.setVisible(false);
this.arenaPlayerTransition.setVisible(false);
this.arenaNextEnemy.setVisible(false);
2023-04-12 05:37:56 +01:00
[ this.arenaPlayer, this.arenaPlayerTransition, this.arenaEnemy, this.arenaNextEnemy ].forEach(a => {
if (a instanceof Phaser.GameObjects.Sprite)
a.setOrigin(0, 0);
2023-04-12 05:37:56 +01:00
field.add(a);
});
2024-02-06 21:15:35 +00:00
const trainer = this.addFieldSprite(0, 0, `trainer_${this.gameData.gender === PlayerGender.FEMALE ? 'f' : 'm'}_back`);
2023-03-28 19:54:52 +01:00
trainer.setOrigin(0.5, 1);
field.add(trainer);
this.trainer = trainer;
this.anims.create({
key: 'prompt',
frames: this.anims.generateFrameNumbers('prompt', { start: 1, end: 4 }),
frameRate: 6,
repeat: -1,
showOnStart: true
});
this.anims.create({
key: 'tera_sparkle',
frames: this.anims.generateFrameNumbers('tera_sparkle', { start: 0, end: 12 }),
frameRate: 18,
repeat: 0,
showOnStart: true,
hideOnComplete: true
});
this.reset();
2023-03-28 19:54:52 +01:00
const ui = new UI(this);
this.uiContainer.add(ui);
this.ui = ui;
ui.setup();
2023-04-19 23:19:55 +01:00
Promise.all([
Promise.all(loadPokemonAssets),
initCommonAnims().then(() => loadCommonAnimAssets(this, true)),
initMoveAnim(Moves.STRUGGLE).then(() => loadMoveAnimAssets(this, [ Moves.STRUGGLE ], true))
]).then(() => {
this.pushPhase(new LoginPhase(this));
if (!bypassLogin)
this.pushPhase(new ConsolidateDataPhase(this)); // TODO: Remove
this.pushPhase(new CheckLoadPhase(this));
2023-03-29 05:31:25 +01:00
this.shiftPhase();
});
2023-03-28 19:54:52 +01:00
}
2024-01-12 01:27:50 +00:00
initSession(): void {
this.sessionPlayTime = 0;
if (this.playTimeTimer)
this.playTimeTimer.destroy();
this.playTimeTimer = this.time.addEvent({
delay: Utils.fixedInt(1000),
repeat: -1,
callback: () => {
if (this.gameData)
this.gameData.gameStats.playTime++;
if (this.sessionPlayTime !== null)
this.sessionPlayTime++;
}
});
this.updateWaveCountText();
this.updateMoneyText();
}
2024-02-25 02:16:19 +00:00
initExpSprites(): void {
if (expSpriteKeys.length)
return;
fetch('./exp_sprites.json').then(res => res.json()).then(keys => {
if (Array.isArray(keys))
expSpriteKeys.push(...keys);
});
}
setupControls() {
const keyCodes = Phaser.Input.Keyboard.KeyCodes;
const keyConfig = {
[Button.UP]: [keyCodes.UP, keyCodes.W],
[Button.DOWN]: [keyCodes.DOWN, keyCodes.S],
[Button.LEFT]: [keyCodes.LEFT, keyCodes.A],
[Button.RIGHT]: [keyCodes.RIGHT, keyCodes.D],
2023-12-30 23:41:25 +00:00
[Button.SUBMIT]: [keyCodes.ENTER],
[Button.ACTION]: [keyCodes.SPACE, keyCodes.ENTER, keyCodes.Z],
2023-10-26 21:33:59 +01:00
[Button.CANCEL]: [keyCodes.BACKSPACE, keyCodes.X],
[Button.MENU]: [keyCodes.ESC, keyCodes.M],
[Button.CYCLE_SHINY]: [keyCodes.R],
[Button.CYCLE_FORM]: [keyCodes.F],
[Button.CYCLE_GENDER]: [keyCodes.G],
2023-04-26 17:50:21 +01:00
[Button.CYCLE_ABILITY]: [keyCodes.E],
2024-01-06 03:24:05 +00:00
[Button.CYCLE_NATURE]: [keyCodes.N],
[Button.SPEED_UP]: [keyCodes.PLUS],
[Button.SLOW_DOWN]: [keyCodes.MINUS]
};
2023-12-25 20:03:50 +00:00
const mobileKeyConfig = {};
this.buttonKeys = [];
for (let b of Utils.getEnumValues(Button)) {
const keys: Phaser.Input.Keyboard.Key[] = [];
if (keyConfig.hasOwnProperty(b)) {
for (let k of keyConfig[b])
2023-12-30 23:41:25 +00:00
keys.push(this.input.keyboard.addKey(k, false));
2023-12-25 20:03:50 +00:00
mobileKeyConfig[Button[b]] = keys[0];
}
this.buttonKeys[b] = keys;
}
2023-12-25 20:03:50 +00:00
initTouchControls(mobileKeyConfig);
2023-03-28 19:54:52 +01:00
}
getParty(): PlayerPokemon[] {
return this.party;
}
getPlayerPokemon(): PlayerPokemon {
return this.getPlayerField().find(p => p.isActive());
2023-04-21 00:44:56 +01:00
}
getPlayerField(): PlayerPokemon[] {
const party = this.getParty();
return party.slice(0, Math.min(party.length, this.currentBattle?.double ? 2 : 1));
2023-03-28 19:54:52 +01:00
}
2023-10-07 21:08:33 +01:00
getEnemyParty(): EnemyPokemon[] {
return this.currentBattle?.enemyParty || [];
}
2023-03-28 19:54:52 +01:00
getEnemyPokemon(): EnemyPokemon {
return this.getEnemyField().find(p => p.isActive());
}
getEnemyField(): EnemyPokemon[] {
2023-10-07 21:08:33 +01:00
const party = this.getEnemyParty();
return party.slice(0, Math.min(party.length, this.currentBattle?.double ? 2 : 1));
}
getField(activeOnly: boolean = false): Pokemon[] {
const ret = new Array(4).fill(null);
const playerField = this.getPlayerField();
const enemyField = this.getEnemyField();
ret.splice(0, playerField.length, ...playerField);
ret.splice(2, enemyField.length, ...enemyField);
return activeOnly
? ret.filter(p => p?.isActive())
: ret;
}
2023-04-23 03:14:53 +01:00
getPokemonById(pokemonId: integer): Pokemon {
const findInParty = (party: Pokemon[]) => party.find(p => p.id === pokemonId);
return findInParty(this.getParty()) || findInParty(this.getEnemyParty());
2023-04-23 03:14:53 +01:00
}
2024-01-08 04:17:24 +00:00
addPlayerPokemon(species: PokemonSpecies, level: integer, abilityIndex: integer, formIndex: integer, gender?: Gender, shiny?: boolean, ivs?: integer[], nature?: Nature, dataSource?: Pokemon | PokemonData, postProcess?: (playerPokemon: PlayerPokemon) => void): PlayerPokemon {
const pokemon = new PlayerPokemon(this, species, level, abilityIndex, formIndex, gender, shiny, ivs, nature, dataSource);
if (postProcess)
postProcess(pokemon);
pokemon.init();
return pokemon;
}
addEnemyPokemon(species: PokemonSpecies, level: integer, trainer: boolean, boss: boolean = false, dataSource?: PokemonData, postProcess?: (enemyPokemon: EnemyPokemon) => void): EnemyPokemon {
const pokemon = new EnemyPokemon(this, species, level, trainer, boss, dataSource);
if (postProcess)
postProcess(pokemon);
pokemon.init();
return pokemon;
}
2023-12-30 23:41:25 +00:00
reset(clearScene?: boolean): void {
2023-10-20 03:19:14 +01:00
this.seed = Utils.randomString(16);
console.log('Seed:', this.seed);
2024-03-14 20:26:57 +00:00
this.gameMode = gameModes[GameModes.CLASSIC];
this.money = startingMoney;
this.pokeballCounts = Object.fromEntries(Utils.getEnumValues(PokeballType).filter(p => p <= PokeballType.MASTER_BALL).map(t => [ t, 0 ]));
2023-04-25 03:32:12 +01:00
this.pokeballCounts[PokeballType.POKEBALL] += 5;
this.modifiers = [];
this.enemyModifiers = [];
this.modifierBar.removeAll(true);
this.enemyModifierBar.removeAll(true);
for (let p of this.getParty())
p.destroy();
this.party = [];
for (let p of this.getEnemyParty())
p.destroy();
this.currentBattle = null;
this.waveCountText.setText(startingWave.toString());
2023-04-28 20:03:42 +01:00
this.waveCountText.setVisible(false);
this.updateMoneyText();
this.moneyText.setVisible(false);
2023-04-28 20:03:42 +01:00
this.newArena(startingBiome, true);
this.arenaBgTransition.setPosition(0, 0);
this.arenaPlayer.setPosition(300, 0);
2023-04-30 16:38:46 +01:00
this.arenaPlayerTransition.setPosition(0, 0);
[ this.arenaEnemy, this.arenaNextEnemy ].forEach(a => a.setPosition(-280, 0));
this.arenaNextEnemy.setVisible(false);
2024-02-06 21:15:35 +00:00
this.trainer.setTexture(`trainer_${this.gameData.gender === PlayerGender.FEMALE ? 'f' : 'm'}_back`);
this.trainer.setPosition(406, 186);
this.trainer.setVisible(true)
2023-12-30 23:41:25 +00:00
if (clearScene) {
this.fadeOutBgm(250, false);
this.tweens.add({
targets: [ this.uiContainer ],
alpha: 0,
duration: 250,
ease: 'Sine.easeInOut',
onComplete: () => {
this.clearPhaseQueue();
this.children.removeAll(true);
this.game.domContainer.innerHTML = '';
this.launchBattle();
}
});
}
2023-03-28 19:54:52 +01:00
}
2023-10-07 21:08:33 +01:00
newBattle(waveIndex?: integer, battleType?: BattleType, trainerData?: TrainerData, double?: boolean): Battle {
let newWaveIndex = waveIndex || ((this.currentBattle?.waveIndex || (startingWave - 1)) + 1);
let newDouble: boolean;
2023-10-07 21:08:33 +01:00
let newBattleType: BattleType;
let newTrainer: Trainer;
let battleConfig: FixedBattleConfig = null;
2023-10-07 21:08:33 +01:00
this.resetSeed(newWaveIndex);
2024-03-14 20:26:57 +00:00
if (this.gameMode.hasFixedBattles && fixedBattles.hasOwnProperty(newWaveIndex) && trainerData === undefined) {
battleConfig = fixedBattles[newWaveIndex];
newDouble = battleConfig.double;
newBattleType = battleConfig.battleType;
this.executeWithSeedOffset(() => newTrainer = battleConfig.getTrainer(this), (battleConfig.seedOffsetWaveIndex || newWaveIndex) << 8);
if (newTrainer)
this.field.add(newTrainer);
} else {
2024-03-14 20:26:57 +00:00
if (!this.gameMode.hasTrainers)
newBattleType = BattleType.WILD;
else if (battleType === undefined) {
2024-03-14 20:26:57 +00:00
if ((newWaveIndex % 30) === 20 && !this.gameMode.isWaveFinal(newWaveIndex))
newBattleType = BattleType.TRAINER;
else if (newWaveIndex % 10 !== 1 && newWaveIndex % 10) {
const trainerChance = this.arena.getTrainerChance();
let allowTrainerBattle = true;
2024-03-14 20:26:57 +00:00
if (trainerChance) {
const waveBase = Math.floor(newWaveIndex / 10) * 10;
for (let w = Math.max(newWaveIndex - 3, waveBase + 2); w <= Math.min(newWaveIndex + 3, waveBase + 9); w++) {
if (w === newWaveIndex)
continue;
if ((w % 30) === 20 || fixedBattles.hasOwnProperty(w)) {
allowTrainerBattle = false;
break;
} else if (w < newWaveIndex) {
this.executeWithSeedOffset(() => {
const waveTrainerChance = this.arena.getTrainerChance();
if (!Utils.randSeedInt(waveTrainerChance))
allowTrainerBattle = false;
}, w);
if (!allowTrainerBattle)
break;
}
}
}
newBattleType = allowTrainerBattle && trainerChance && !Utils.randSeedInt(trainerChance) ? BattleType.TRAINER : BattleType.WILD;
} else
newBattleType = BattleType.WILD;
} else
newBattleType = battleType;
if (newBattleType === BattleType.TRAINER) {
newTrainer = trainerData !== undefined ? trainerData.toTrainer(this) : new Trainer(this, this.arena.randomTrainerType(newWaveIndex), !!Utils.randSeedInt(2));
this.field.add(newTrainer);
}
2023-10-07 21:08:33 +01:00
}
const playerField = this.getPlayerField();
if (double === undefined && newWaveIndex > 1) {
2024-03-14 20:26:57 +00:00
if (newBattleType === BattleType.WILD && !this.gameMode.isWaveFinal(newWaveIndex)) {
2023-10-07 21:08:33 +01:00
const doubleChance = new Utils.IntegerHolder(newWaveIndex % 10 === 0 ? 32 : 8);
this.applyModifiers(DoubleBattleChanceBoosterModifier, true, doubleChance);
playerField.forEach(p => applyAbAttrs(DoubleBattleChanceAbAttr, p, null, doubleChance));
newDouble = !Utils.randSeedInt(doubleChance.value);
} else if (newBattleType === BattleType.TRAINER)
2023-10-07 21:08:33 +01:00
newDouble = newTrainer.config.isDouble;
} else if (!battleConfig)
newDouble = !!double;
const lastBattle = this.currentBattle;
const maxExpLevel = this.getMaxExpLevel();
this.lastEnemyTrainer = lastBattle?.trainer ?? null;
this.currentBattle = new Battle(this.gameMode, newWaveIndex, newBattleType, newTrainer, newDouble);
this.currentBattle.incrementTurn(this);
//this.pushPhase(new TrainerMessageTestPhase(this, TrainerType.RIVAL, TrainerType.RIVAL_2, TrainerType.RIVAL_3, TrainerType.RIVAL_4, TrainerType.RIVAL_5, TrainerType.RIVAL_6));
2023-12-20 05:35:41 +00:00
2023-12-30 02:04:40 +00:00
if (!waveIndex && lastBattle) {
const isNewBiome = !(lastBattle.waveIndex % 10);
const resetArenaState = isNewBiome || this.currentBattle.battleType === BattleType.TRAINER || this.currentBattle.battleSpec === BattleSpec.FINAL_BOSS;
2023-12-30 02:04:40 +00:00
this.getEnemyParty().forEach(enemyPokemon => enemyPokemon.destroy());
this.trySpreadPokerus();
if (!isNewBiome && (newWaveIndex % 10) == 5)
this.arena.updatePoolsForTimeOfDay();
2023-12-30 02:04:40 +00:00
if (resetArenaState) {
this.arena.removeAllTags();
playerField.forEach((_, p) => this.unshiftPhase(new ReturnPhase(this, p)));
this.unshiftPhase(new ShowTrainerPhase(this));
2024-01-10 04:34:43 +00:00
}
for (let pokemon of this.getParty()) {
if (pokemon) {
if (resetArenaState)
2023-12-30 02:04:40 +00:00
pokemon.resetBattleData();
2024-01-10 04:34:43 +00:00
this.triggerPokemonFormChange(pokemon, SpeciesFormChangeTimeOfDayTrigger);
}
2023-12-30 02:04:40 +00:00
}
2024-03-14 20:26:57 +00:00
if (!this.gameMode.hasRandomBiomes && !isNewBiome)
2023-12-30 02:04:40 +00:00
this.pushPhase(new NextEncounterPhase(this));
else {
this.pushPhase(new SelectBiomePhase(this));
this.pushPhase(new NewBiomeEncounterPhase(this));
const newMaxExpLevel = this.getMaxExpLevel();
if (newMaxExpLevel > maxExpLevel)
this.pushPhase(new LevelCapPhase(this));
}
}
2023-04-19 04:54:07 +01:00
2023-03-31 04:02:35 +01:00
return this.currentBattle;
2023-03-28 19:54:52 +01:00
}
2023-04-28 20:03:42 +01:00
newArena(biome: Biome, init?: boolean): Arena {
this.arena = new Arena(this, biome, Biome[biome].toLowerCase());
2023-04-28 20:03:42 +01:00
if (init) {
const biomeKey = getBiomeKey(biome);
2023-04-28 20:03:42 +01:00
this.arenaBg.setTexture(`${biomeKey}_bg`);
this.arenaBg.pipelineData['terrainColorRatio'] = this.arena.getBgTerrainColorRatioForBiome();
2023-04-28 20:03:42 +01:00
this.arenaBgTransition.setTexture(`${biomeKey}_bg`);
this.arenaPlayer.setBiome(biome);
this.arenaPlayerTransition.setBiome(biome);
this.arenaEnemy.setBiome(biome);
this.arenaNextEnemy.setBiome(biome);
2023-04-28 20:03:42 +01:00
}
2023-03-31 21:04:39 +01:00
return this.arena;
2023-03-28 19:54:52 +01:00
}
2024-02-15 04:25:12 +00:00
updateFieldScale(): Promise<void> {
return new Promise(resolve => {
const fieldScale = Math.floor(Math.pow(1 / this.getField(true)
2024-02-15 04:25:12 +00:00
.map(p => p.getSpriteScale())
.reduce((highestScale: number, scale: number) => highestScale = Math.max(scale, highestScale), 0), 0.7) * 40
) / 40;
this.setFieldScale(fieldScale).then(() => resolve());
});
}
setFieldScale(scale: number, instant: boolean = false): Promise<void> {
return new Promise(resolve => {
scale *= 6;
if (this.field.scale === scale)
return resolve();
const defaultWidth = this.arenaBg.width * 6;
const defaultHeight = this.arenaBg.height * 6;
const scaledWidth = this.arenaBg.width * scale;
const scaledHeight = this.arenaBg.height * scale;
this.tweens.add({
targets: this.field,
scale: scale,
x: (defaultWidth - scaledWidth) / 2,
y: defaultHeight - scaledHeight,
duration: !instant ? Utils.fixedInt(Math.abs(this.field.scale - scale) * 200) : 0,
ease: 'Sine.easeInOut',
onComplete: () => resolve()
});
});
}
2024-01-10 04:34:43 +00:00
getSpeciesFormIndex(species: PokemonSpecies, gender?: Gender, nature?: Nature, ignoreArena?: boolean): integer {
2023-10-30 18:57:23 +00:00
if (!species.forms?.length)
return 0;
switch (species.speciesId) {
case Species.UNOWN:
case Species.SHELLOS:
case Species.GASTRODON:
2023-10-30 18:57:23 +00:00
case Species.DEERLING:
case Species.SAWSBUCK:
case Species.ORICORIO:
case Species.SQUAWKABILLY:
case Species.TATSUGIRI:
case Species.PALDEA_TAUROS:
2023-10-30 18:57:23 +00:00
return Utils.randSeedInt(species.forms.length);
case Species.MEOWSTIC:
case Species.INDEEDEE:
case Species.OINKOLOGNE:
return gender === Gender.FEMALE ? 1 : 0;
2024-01-10 04:34:43 +00:00
case Species.TOXTRICITY:
const lowkeyNatures = [ Nature.LONELY, Nature.BOLD, Nature.RELAXED, Nature.TIMID, Nature.SERIOUS, Nature.MODEST, Nature.MILD, Nature.QUIET, Nature.BASHFUL, Nature.CALM, Nature.GENTLE, Nature.CAREFUL ];
if (nature !== undefined && lowkeyNatures.indexOf(nature) > -1)
return 1;
return 0;
2023-10-30 18:57:23 +00:00
}
if (ignoreArena) {
switch (species.speciesId) {
case Species.BURMY:
case Species.WORMADAM:
case Species.LYCANROC:
case Species.CALYREX:
return Utils.randSeedInt(species.forms.length);
}
return 0;
}
return this.arena.getSpeciesFormIndex(species);
2023-10-30 18:57:23 +00:00
}
2023-12-30 02:04:40 +00:00
getWaveCycleOffset(): integer {
let ret = 0;
this.executeWithSeedOffset(() => {
ret = Utils.randSeedInt(8) * 5;
}, 0, this.seed.toString());
return ret;
}
2024-01-08 04:17:24 +00:00
getEncounterBossSegments(waveIndex: integer, level: integer, species?: PokemonSpecies, forceBoss: boolean = false): integer {
let isBoss: boolean;
if (forceBoss || (species && (species.pseudoLegendary || species.legendary || species.mythical)))
isBoss = true;
else {
this.executeWithSeedOffset(() => {
2024-03-14 20:26:57 +00:00
isBoss = waveIndex % 10 === 0 || (this.gameMode.hasRandomBosses && Utils.randSeedInt(100) < Math.min(Math.max(Math.ceil((waveIndex - 250) / 50), 0) * 2, 30));
2024-01-08 04:17:24 +00:00
}, waveIndex << 2);
}
if (!isBoss)
return 0;
let ret: integer = 2;
if (level >= 100)
ret++;
if (species) {
if (species.baseTotal >= 670)
ret++;
}
ret += Math.floor(waveIndex / 250);
return ret;
}
trySpreadPokerus(): void {
const party = this.getParty();
const infectedIndexes: integer[] = [];
party.forEach((pokemon, p) => {
if (!pokemon.pokerus || infectedIndexes.indexOf(p) > -1)
return;
this.executeWithSeedOffset(() => {
if (p) {
const partyMember = party[p - 1];
if (!partyMember.pokerus && !Utils.randSeedInt(10)) {
partyMember.pokerus = true;
infectedIndexes.push(p - 1);
}
}
if (p < party.length - 1) {
const partyMember = party[p + 1];
if (!partyMember.pokerus && !Utils.randSeedInt(10)) {
partyMember.pokerus = true;
infectedIndexes.push(p + 1);
}
}
}, this.currentBattle.waveIndex + (p << 8));
});
}
resetSeed(waveIndex?: integer): void {
2023-12-30 02:04:40 +00:00
this.waveSeed = Utils.shiftCharCodes(this.seed, waveIndex || this.currentBattle?.waveIndex || 0);
Phaser.Math.RND.sow([ this.waveSeed ]);
}
executeWithSeedOffset(func: Function, offset: integer, seedOverride?: string): void {
if (!func)
return;
const state = Phaser.Math.RND.state();
Phaser.Math.RND.sow([ Utils.shiftCharCodes(seedOverride || this.seed, offset) ]);
func();
Phaser.Math.RND.state(state);
}
addFieldSprite(x: number, y: number, texture: string | Phaser.Textures.Texture, frame?: string | number, terrainColorRatio: number = 0): Phaser.GameObjects.Sprite {
2023-12-30 02:04:40 +00:00
const ret = this.add.sprite(x, y, texture, frame);
ret.setPipeline(this.fieldSpritePipeline);
if (terrainColorRatio)
ret.pipelineData['terrainColorRatio'] = terrainColorRatio;
2023-12-30 02:04:40 +00:00
return ret;
}
addPokemonSprite(pokemon: Pokemon, x: number, y: number, texture: string | Phaser.Textures.Texture, frame?: string | number, hasShadow: boolean = false, ignoreOverride: boolean = false): Phaser.GameObjects.Sprite {
const ret = this.addFieldSprite(x, y, texture, frame);
this.initPokemonSprite(ret, pokemon, hasShadow, ignoreOverride);
return ret;
}
initPokemonSprite(sprite: Phaser.GameObjects.Sprite, pokemon?: Pokemon, hasShadow: boolean = false, ignoreOverride: boolean = false): Phaser.GameObjects.Sprite {
sprite.setPipeline(this.spritePipeline, { tone: [ 0.0, 0.0, 0.0, 0.0 ], hasShadow: hasShadow, ignoreOverride: ignoreOverride, teraColor: pokemon ? getTypeRgb(pokemon.getTeraType()) : undefined });
this.spriteSparkleHandler.add(sprite);
return sprite;
}
showFieldOverlay(duration: integer): Promise<void> {
return new Promise(resolve => {
this.tweens.add({
targets: this.fieldOverlay,
alpha: 0.5,
ease: 'Sine.easeOut',
duration: duration,
onComplete: () => resolve()
});
});
}
hideFieldOverlay(duration: integer): Promise<void> {
return new Promise(resolve => {
this.tweens.add({
targets: this.fieldOverlay,
alpha: 0,
duration: duration,
ease: 'Cubic.easeIn',
onComplete: () => resolve()
});
});
}
2023-04-21 00:44:56 +01:00
updateWaveCountText(): void {
2023-04-19 04:54:07 +01:00
const isBoss = !(this.currentBattle.waveIndex % 10);
this.waveCountText.setText(this.currentBattle.waveIndex.toString());
this.waveCountText.setColor(!isBoss ? '#404040' : '#f89890');
this.waveCountText.setShadowColor(!isBoss ? '#ded6b5' : '#984038');
2023-04-28 20:03:42 +01:00
this.waveCountText.setVisible(true);
2023-04-19 04:54:07 +01:00
}
updateMoneyText(): void {
this.moneyText.setText(`${this.money.toLocaleString('en-US')}`);
this.moneyText.setVisible(true);
}
updateUIPositions(): void {
const enemyModifierCount = this.enemyModifiers.filter(m => m.isIconVisible(this)).length;
this.waveCountText.setY(-(this.game.canvas.height / 6) + (enemyModifierCount ? enemyModifierCount <= 12 ? 15 : 24 : 0));
this.moneyText.setY(this.waveCountText.y + 10);
this.partyExpBar.setY(this.moneyText.y + 15);
this.ui?.achvBar.setY((this.game.canvas.height / 6 + this.moneyText.y + 15));
2023-04-21 00:44:56 +01:00
}
getMaxExpLevel(ignoreLevelCap?: boolean): integer {
if (ignoreLevelCap)
return Number.MAX_SAFE_INTEGER;
const lastWaveIndex = Math.ceil((this.currentBattle?.waveIndex || 1) / 10) * 10;
const baseLevel = (1 + lastWaveIndex / 2 + Math.pow(lastWaveIndex / 25, 2)) * 1.2;
2024-02-29 20:25:15 +00:00
return Math.ceil(baseLevel / 2) * 2 + 2;
}
2023-11-08 23:36:30 +00:00
randomSpecies(waveIndex: integer, level: integer, fromArenaPool?: boolean, speciesFilter?: PokemonSpeciesFilter, filterAllEvolutions?: boolean): PokemonSpecies {
if (fromArenaPool)
return this.arena.randomSpecies(waveIndex, level);
2023-12-21 06:24:24 +00:00
const filteredSpecies = speciesFilter ? [...new Set(allSpecies.filter(s => s.isCatchable()).filter(speciesFilter).map(s => {
2023-11-08 23:36:30 +00:00
if (!filterAllEvolutions) {
while (pokemonPrevolutions.hasOwnProperty(s.speciesId))
s = getPokemonSpecies(pokemonPrevolutions[s.speciesId]);
}
return s;
2023-12-21 06:24:24 +00:00
}))] : allSpecies.filter(s => s.isCatchable());
return filteredSpecies[Utils.randSeedInt(filteredSpecies.length)];
2023-03-28 19:54:52 +01:00
}
checkInput(): boolean {
if (this.blockInput)
return;
let inputSuccess = false;
let vibrationLength = 0;
if (this.isButtonPressed(Button.UP)) {
inputSuccess = this.ui.processInput(Button.UP);
vibrationLength = 5;
} else if (this.isButtonPressed(Button.DOWN)) {
inputSuccess = this.ui.processInput(Button.DOWN);
vibrationLength = 5;
} else if (this.isButtonPressed(Button.LEFT)) {
inputSuccess = this.ui.processInput(Button.LEFT);
vibrationLength = 5;
} else if (this.isButtonPressed(Button.RIGHT)) {
inputSuccess = this.ui.processInput(Button.RIGHT);
vibrationLength = 5;
2023-12-30 23:41:25 +00:00
} else if (this.isButtonPressed(Button.SUBMIT)) {
inputSuccess = this.ui.processInput(Button.SUBMIT) || this.ui.processInput(Button.ACTION);
} else if (this.isButtonPressed(Button.ACTION))
inputSuccess = this.ui.processInput(Button.ACTION);
else if (this.isButtonPressed(Button.CANCEL)) {
inputSuccess = this.ui.processInput(Button.CANCEL);
} else if (this.isButtonPressed(Button.MENU)) {
switch (this.ui?.getMode()) {
2023-10-26 21:33:59 +01:00
case Mode.MESSAGE:
if (!(this.ui.getHandler() as MessageUiHandler).pendingPrompt)
return;
case Mode.COMMAND:
case Mode.FIGHT:
case Mode.BALL:
case Mode.TARGET_SELECT:
case Mode.PARTY:
case Mode.SUMMARY:
case Mode.BIOME_SELECT:
case Mode.STARTER_SELECT:
case Mode.CONFIRM:
this.ui.setOverlayMode(Mode.MENU);
inputSuccess = true;
2023-10-26 21:33:59 +01:00
break;
2023-11-12 05:34:36 +00:00
case Mode.MENU:
2023-10-26 21:33:59 +01:00
case Mode.SETTINGS:
2023-11-12 05:34:36 +00:00
case Mode.ACHIEVEMENTS:
2023-10-26 21:33:59 +01:00
this.ui.revertMode();
this.playSound('select');
inputSuccess = true;
2023-10-26 21:33:59 +01:00
break;
default:
return;
}
} else if (this.ui?.getHandler() instanceof StarterSelectUiHandler) {
if (this.isButtonPressed(Button.CYCLE_SHINY))
inputSuccess = this.ui.processInput(Button.CYCLE_SHINY);
else if (this.isButtonPressed(Button.CYCLE_FORM))
inputSuccess = this.ui.processInput(Button.CYCLE_FORM);
else if (this.isButtonPressed(Button.CYCLE_GENDER))
inputSuccess = this.ui.processInput(Button.CYCLE_GENDER);
2023-04-26 17:50:21 +01:00
else if (this.isButtonPressed(Button.CYCLE_ABILITY))
inputSuccess = this.ui.processInput(Button.CYCLE_ABILITY);
2024-01-06 03:24:05 +00:00
else if (this.isButtonPressed(Button.CYCLE_NATURE))
inputSuccess = this.ui.processInput(Button.CYCLE_NATURE);
else
return;
} else if (this.isButtonPressed(Button.SPEED_UP)) {
2023-10-26 21:33:59 +01:00
if (this.gameSpeed < 5) {
this.gameData.saveSetting(Setting.Game_Speed, settingOptions[Setting.Game_Speed].indexOf(`${this.gameSpeed}x`) + 1);
if (this.ui?.getMode() === Mode.SETTINGS)
2023-10-26 21:33:59 +01:00
(this.ui.getHandler() as SettingsUiHandler).show([]);
}
2023-04-12 16:30:47 +01:00
} else if (this.isButtonPressed(Button.SLOW_DOWN)) {
if (this.gameSpeed > 1) {
2023-10-26 21:33:59 +01:00
this.gameData.saveSetting(Setting.Game_Speed, Math.max(settingOptions[Setting.Game_Speed].indexOf(`${this.gameSpeed}x`) - 1, 0));
if (this.ui?.getMode() === Mode.SETTINGS)
2023-10-26 21:33:59 +01:00
(this.ui.getHandler() as SettingsUiHandler).show([]);
2023-04-09 05:22:14 +01:00
}
} else
2023-03-28 19:54:52 +01:00
return;
2024-02-28 18:01:38 +00:00
if (inputSuccess && this.enableVibration && typeof navigator.vibrate !== 'undefined')
navigator.vibrate(vibrationLength || 10);
2023-03-28 19:54:52 +01:00
this.blockInput = true;
this.time.delayedCall(Utils.fixedInt(250), () => this.blockInput = false);
2023-03-28 19:54:52 +01:00
}
isButtonPressed(button: Button): boolean {
return this.buttonKeys[button].filter(k => k.isDown).length >= 1;
}
isBgmPlaying(): boolean {
return this.bgm && this.bgm.isPlaying;
}
playBgm(bgmName?: string, fadeOut?: boolean): void {
if (bgmName === undefined)
bgmName = this.currentBattle.getBgmOverride(this) || this.arena.bgm;
if (this.bgm && bgmName === this.bgm.key) {
if (!this.bgm.isPlaying) {
this.bgm.play({
2023-10-26 21:33:59 +01:00
volume: this.masterVolume * this.bgmVolume
});
}
2023-04-10 18:54:06 +01:00
return;
}
if (fadeOut && !this.bgm)
fadeOut = false;
2023-10-26 21:33:59 +01:00
this.bgmCache.add(bgmName);
this.loadBgm(bgmName);
let loopPoint = 0;
loopPoint = bgmName === this.arena.bgm
? this.arena.getBgmLoopPoint()
: this.getBgmLoopPoint(bgmName);
let loaded = false;
const playNewBgm = () => {
2023-11-12 02:04:20 +00:00
if (bgmName === null && this.bgm && !this.bgm.pendingRemove) {
this.bgm.play({
2023-10-26 21:33:59 +01:00
volume: this.masterVolume * this.bgmVolume
});
return;
}
2023-11-12 02:04:20 +00:00
if (this.bgm && !this.bgm.pendingRemove && this.bgm.isPlaying)
this.bgm.stop();
this.bgm = this.sound.add(bgmName, { loop: true });
2023-10-21 13:58:39 +01:00
this.bgm.play({
2023-10-26 21:33:59 +01:00
volume: this.masterVolume * this.bgmVolume
2023-10-21 13:58:39 +01:00
});
if (loopPoint)
this.bgm.on('looped', () => this.bgm.play({ seek: loopPoint }));
};
this.load.once(Phaser.Loader.Events.COMPLETE, () => {
loaded = true;
if (!fadeOut || !this.bgm.isPlaying)
playNewBgm();
});
if (fadeOut) {
const onBgmFaded = () => {
2023-11-12 02:04:20 +00:00
if (loaded && (!this.bgm.isPlaying || this.bgm.pendingRemove))
playNewBgm();
};
this.time.delayedCall(this.fadeOutBgm(500, true) ? 750 : 250, onBgmFaded);
}
if (!this.load.isLoading())
this.load.start();
2023-03-28 19:54:52 +01:00
}
2023-10-26 21:33:59 +01:00
pauseBgm(): boolean {
2023-11-12 02:04:20 +00:00
if (this.bgm && !this.bgm.pendingRemove && this.bgm.isPlaying) {
2023-03-28 19:54:52 +01:00
this.bgm.pause();
2023-10-26 21:33:59 +01:00
return true;
}
return false;
2023-03-28 19:54:52 +01:00
}
2023-10-26 21:33:59 +01:00
resumeBgm(): boolean {
2023-11-12 02:04:20 +00:00
if (this.bgm && !this.bgm.pendingRemove && this.bgm.isPaused) {
2023-03-28 19:54:52 +01:00
this.bgm.resume();
2023-10-26 21:33:59 +01:00
return true;
}
return false;
}
updateSoundVolume(): void {
if (this.sound) {
for (let sound of this.sound.getAllPlaying())
(sound as AnySound).setVolume(this.masterVolume * (this.bgmCache.has(sound.key) ? this.bgmVolume : this.seVolume));
}
2023-03-28 19:54:52 +01:00
}
fadeOutBgm(duration?: integer, destroy?: boolean): boolean {
if (!this.bgm)
2023-12-30 23:41:25 +00:00
return false;
if (!duration)
duration = 500;
if (destroy === undefined)
destroy = true;
const bgm = this.sound.getAllPlaying().find(bgm => bgm.key === this.bgm.key);
if (bgm) {
SoundFade.fadeOut(this, this.bgm, duration, destroy);
return true;
}
return false;
2023-04-10 18:54:06 +01:00
}
2023-11-04 04:32:12 +00:00
playSound(sound: string | AnySound, config?: object): AnySound {
2023-10-21 13:58:39 +01:00
if (config) {
if (config.hasOwnProperty('volume'))
2023-10-26 21:33:59 +01:00
config['volume'] *= this.masterVolume * this.seVolume;
2023-10-21 13:58:39 +01:00
else
2023-10-26 21:33:59 +01:00
config['volume'] = this.masterVolume * this.seVolume;
2023-10-21 13:58:39 +01:00
} else
2023-10-26 21:33:59 +01:00
config = { volume: this.masterVolume * this.seVolume };
2023-11-04 04:32:12 +00:00
if (typeof sound === 'string') {
this.sound.play(sound, config);
return this.sound.get(sound) as AnySound;
} else {
sound.play(config);
return sound;
}
2023-10-21 13:58:39 +01:00
}
2023-10-26 21:33:59 +01:00
playSoundWithoutBgm(soundName: string, pauseDuration?: integer): AnySound {
this.bgmCache.add(soundName);
const resumeBgm = this.pauseBgm();
2023-10-21 13:58:39 +01:00
this.playSound(soundName);
2023-10-26 21:33:59 +01:00
const sound = this.sound.get(soundName) as AnySound;
2023-04-18 06:32:26 +01:00
if (this.bgmResumeTimer)
this.bgmResumeTimer.destroy();
2023-10-26 21:33:59 +01:00
if (resumeBgm) {
this.bgmResumeTimer = this.time.delayedCall((pauseDuration || Utils.fixedInt(sound.totalDuration * 1000)), () => {
this.resumeBgm();
this.bgmResumeTimer = null;
});
}
return sound;
2023-04-18 06:32:26 +01:00
}
getBgmLoopPoint(bgmName: string): number {
switch (bgmName) {
case 'battle_kanto_champion':
return 13.950;
case 'battle_johto_champion':
return 23.498;
case 'battle_hoenn_champion':
return 11.328;
case 'battle_sinnoh_champion':
return 12.235;
case 'battle_champion_alder':
return 27.653;
case 'battle_champion_iris':
return 10.145;
case 'battle_elite':
return 17.730;
case 'battle_final_encounter':
return 19.159;
case 'battle_final':
return 16.453;
case 'battle_kanto_gym':
return 13.857;
case 'battle_johto_gym':
return 12.911;
case 'battle_hoenn_gym':
return 12.379;
case 'battle_sinnoh_gym':
return 13.122;
case 'battle_unova_gym':
return 19.145;
case 'battle_legendary':
return 13.855;
case 'battle_legendary_k':
return 18.314;
case 'battle_legendary_rz':
return 18.329;
case 'battle_rival':
return 13.689;
case 'battle_rival_2':
return 17.714;
case 'battle_rival_3':
return 17.586;
case 'battle_trainer':
return 13.686;
case 'battle_wild':
return 12.703;
case 'battle_wild_strong':
return 13.940;
case 'end_summit':
return 30.025;
}
return 0;
}
2023-11-08 03:23:42 +00:00
toggleInvert(invert: boolean): void {
if (invert)
this.cameras.main.setPostPipeline(InvertPostFX);
else
this.cameras.main.removePostPipeline('InvertPostFX');
}
getCurrentPhase(): Phase {
2023-03-28 19:54:52 +01:00
return this.currentPhase;
}
getStandbyPhase(): Phase {
2024-01-10 04:34:43 +00:00
return this.standbyPhase;
}
2024-03-11 22:13:07 +00:00
pushPhase(phase: Phase, defer: boolean = false): void {
(!defer ? this.phaseQueue : this.nextCommandPhaseQueue).push(phase);
2023-03-28 19:54:52 +01:00
}
unshiftPhase(phase: Phase): void {
if (this.phaseQueuePrependSpliceIndex === -1)
this.phaseQueuePrepend.push(phase);
else
this.phaseQueuePrepend.splice(this.phaseQueuePrependSpliceIndex, 0, phase);
2023-03-28 19:54:52 +01:00
}
clearPhaseQueue(): void {
this.phaseQueue.splice(0, this.phaseQueue.length);
}
setPhaseQueueSplice(): void {
this.phaseQueuePrependSpliceIndex = this.phaseQueuePrepend.length;
}
clearPhaseQueueSplice(): void {
this.phaseQueuePrependSpliceIndex = -1;
}
2023-03-28 19:54:52 +01:00
shiftPhase(): void {
2024-01-10 04:34:43 +00:00
if (this.standbyPhase) {
this.currentPhase = this.standbyPhase;
this.standbyPhase = null;
return;
}
if (this.phaseQueuePrependSpliceIndex > -1)
this.clearPhaseQueueSplice();
2023-03-28 19:54:52 +01:00
if (this.phaseQueuePrepend.length) {
while (this.phaseQueuePrepend.length)
this.phaseQueue.unshift(this.phaseQueuePrepend.pop());
}
if (!this.phaseQueue.length)
this.populatePhaseQueue();
this.currentPhase = this.phaseQueue.shift();
this.currentPhase.start();
}
2024-01-10 04:34:43 +00:00
overridePhase(phase: Phase): boolean {
2024-01-10 04:34:43 +00:00
if (this.standbyPhase)
return false;
this.standbyPhase = this.currentPhase;
this.currentPhase = phase;
phase.start();
return true;
}
2023-03-28 19:54:52 +01:00
findPhase(phaseFilter: (phase: Phase) => boolean): Phase {
return this.phaseQueue.find(phaseFilter);
}
pushMovePhase(movePhase: MovePhase, priorityOverride?: integer): void {
const priority = priorityOverride !== undefined ? priorityOverride : movePhase.move.getMove().priority;
const lowerPriorityPhase = this.phaseQueue.find(p => p instanceof MovePhase && p.move.getMove().priority < priority);
if (lowerPriorityPhase)
this.phaseQueue.splice(this.phaseQueue.indexOf(lowerPriorityPhase), 0, movePhase);
else
this.pushPhase(movePhase);
}
2023-12-23 03:46:05 +00:00
queueMessage(message: string, callbackDelay?: integer, prompt?: boolean, promptDelay?: integer, defer?: boolean) {
const phase = new MessagePhase(this, message, callbackDelay, prompt, promptDelay);
if (!defer)
this.unshiftPhase(phase);
else
this.pushPhase(phase);
2023-04-22 00:30:04 +01:00
}
2023-03-28 19:54:52 +01:00
populatePhaseQueue(): void {
2024-03-11 22:13:07 +00:00
if (this.nextCommandPhaseQueue.length) {
this.phaseQueue.push(...this.nextCommandPhaseQueue);
this.nextCommandPhaseQueue.splice(0, this.nextCommandPhaseQueue.length);
}
this.phaseQueue.push(new TurnInitPhase(this));
2023-03-28 19:54:52 +01:00
}
getWaveMoneyAmount(moneyMultiplier: number): integer {
2024-01-18 22:22:18 +00:00
const waveIndex = this.currentBattle.waveIndex;
const waveSetIndex = Math.ceil(waveIndex / 10) - 1;
const moneyValue = Math.pow((waveSetIndex + 1 + (0.75 + (((waveIndex - 1) % 10) + 1) / 10)) * 100, 1 + 0.005 * waveSetIndex) * moneyMultiplier;
return Math.floor(moneyValue / 10) * 10;
}
2023-12-23 04:57:05 +00:00
addModifier(modifier: Modifier, ignoreUpdate?: boolean, playSound?: boolean, virtual?: boolean, instant?: boolean): Promise<void> {
2023-04-04 23:28:21 +01:00
return new Promise(resolve => {
const soundName = modifier.type.soundName;
this.validateAchvs(ModifierAchv, modifier);
const modifiersToRemove: PersistentModifier[] = [];
2023-04-10 00:15:21 +01:00
if (modifier instanceof PersistentModifier) {
if (modifier instanceof TerastallizeModifier)
modifiersToRemove.push(...(this.findModifiers(m => m instanceof TerastallizeModifier && m.pokemonId === modifier.pokemonId)));
if ((modifier as PersistentModifier).add(this.modifiers, !!virtual, this)) {
if (modifier instanceof PokemonFormChangeItemModifier || modifier instanceof TerastallizeModifier)
modifier.apply([ this.getPokemonById(modifier.pokemonId), true ]);
2023-04-21 00:44:56 +01:00
if (playSound && !this.sound.get(soundName))
2023-10-21 13:58:39 +01:00
this.playSound(soundName);
2023-04-20 20:46:05 +01:00
} else if (!virtual) {
const defaultModifierType = getDefaultModifierTypeForTier(modifier.type.tier);
2023-04-22 00:30:04 +01:00
this.queueMessage(`The stack for this item is full.\n You will receive ${defaultModifierType.name} instead.`, null, true);
2023-12-23 04:57:05 +00:00
return this.addModifier(defaultModifierType.newModifier(), ignoreUpdate, playSound, false, instant).then(() => resolve());
}
for (let rm of modifiersToRemove)
this.removeModifier(rm);
2023-03-28 19:54:52 +01:00
if (!ignoreUpdate && !virtual)
2023-12-23 04:57:05 +00:00
return this.updateModifiers(true, instant).then(() => resolve());
2023-04-10 00:15:21 +01:00
} else if (modifier instanceof ConsumableModifier) {
2023-04-21 00:44:56 +01:00
if (playSound && !this.sound.get(soundName))
2023-10-21 13:58:39 +01:00
this.playSound(soundName);
2023-03-28 19:54:52 +01:00
2023-04-10 00:15:21 +01:00
if (modifier instanceof ConsumablePokemonModifier) {
for (let p in this.party) {
const pokemon = this.party[p];
2023-04-04 23:28:21 +01:00
2023-04-10 00:15:21 +01:00
const args: any[] = [ pokemon ];
if (modifier instanceof PokemonHpRestoreModifier) {
2023-04-20 20:46:05 +01:00
if (!(modifier as PokemonHpRestoreModifier).fainted) {
const hpRestoreMultiplier = new Utils.IntegerHolder(1);
2023-04-21 00:44:56 +01:00
this.applyModifiers(HealingBoosterModifier, true, hpRestoreMultiplier);
2023-04-20 20:46:05 +01:00
args.push(hpRestoreMultiplier.value);
} else
args.push(1);
2023-11-04 04:32:12 +00:00
} else if (modifier instanceof FusePokemonModifier)
args.push(this.getPokemonById(modifier.fusePokemonId) as PlayerPokemon);
2023-04-11 16:04:39 +01:00
2023-04-04 23:28:21 +01:00
if (modifier.shouldApply(args))
modifier.apply(args);
}
2023-04-10 00:15:21 +01:00
2023-12-23 04:57:05 +00:00
return Promise.allSettled(this.party.map(p => p.updateInfo(instant))).then(() => resolve());
2023-04-10 00:15:21 +01:00
} else {
const args = [ this ];
if (modifier.shouldApply(args))
modifier.apply(args);
}
}
2023-11-01 14:38:54 +00:00
resolve();
2023-04-10 00:15:21 +01:00
});
}
2023-03-28 19:54:52 +01:00
addEnemyModifier(modifier: PersistentModifier, ignoreUpdate?: boolean, instant?: boolean): Promise<void> {
2023-04-23 15:24:22 +01:00
return new Promise(resolve => {
const modifiersToRemove: PersistentModifier[] = [];
if (modifier instanceof TerastallizeModifier)
modifiersToRemove.push(...(this.findModifiers(m => m instanceof TerastallizeModifier && m.pokemonId === modifier.pokemonId, false)));
if ((modifier as PersistentModifier).add(this.enemyModifiers, false, this)) {
if (modifier instanceof PokemonFormChangeItemModifier || modifier instanceof TerastallizeModifier)
modifier.apply([ this.getPokemonById(modifier.pokemonId), true ]);
for (let rm of modifiersToRemove)
this.removeModifier(rm, true);
}
if (!ignoreUpdate)
2023-12-23 04:57:05 +00:00
this.updateModifiers(false, instant).then(() => resolve());
else
resolve();
2023-04-23 15:24:22 +01:00
});
}
tryTransferHeldItemModifier(itemModifier: PokemonHeldItemModifier, target: Pokemon, transferStack: boolean, playSound: boolean, instant?: boolean, ignoreUpdate?: boolean): Promise<boolean> {
2023-04-21 20:45:48 +01:00
return new Promise(resolve => {
2024-03-07 02:05:23 +00:00
const source = itemModifier.pokemonId ? itemModifier.getPokemon(target.scene) : null;
2023-05-04 19:06:31 +01:00
const cancelled = new Utils.BooleanHolder(false);
2024-03-14 17:31:13 +00:00
Utils.executeIf(source && source.isPlayer() !== target.isPlayer(), () => applyAbAttrs(BlockItemTheftAbAttr, source, cancelled)).then(() => {
2023-12-23 04:57:05 +00:00
if (cancelled.value)
return resolve(false);
const newItemModifier = itemModifier.clone() as PokemonHeldItemModifier;
newItemModifier.pokemonId = target.id;
const matchingModifier = target.scene.findModifier(m => m instanceof PokemonHeldItemModifier
&& (m as PokemonHeldItemModifier).matchType(itemModifier) && m.pokemonId === target.id, target.isPlayer()) as PokemonHeldItemModifier;
let removeOld = true;
if (matchingModifier) {
2024-03-07 02:05:23 +00:00
const maxStackCount = matchingModifier.getMaxStackCount(target.scene);
2023-12-23 04:57:05 +00:00
if (matchingModifier.stackCount >= maxStackCount)
return resolve(false);
const countTaken = transferStack ? Math.min(itemModifier.stackCount, maxStackCount - matchingModifier.stackCount) : 1;
itemModifier.stackCount -= countTaken;
newItemModifier.stackCount = matchingModifier.stackCount + countTaken;
removeOld = !itemModifier.stackCount;
} else if (!transferStack) {
newItemModifier.stackCount = 1;
removeOld = !(--itemModifier.stackCount);
}
2024-03-07 02:05:23 +00:00
if (!removeOld || !source || this.removeModifier(itemModifier, !source.isPlayer())) {
2023-12-23 04:57:05 +00:00
const addModifier = () => {
if (!matchingModifier || this.removeModifier(matchingModifier, !target.isPlayer())) {
if (target.isPlayer())
this.addModifier(newItemModifier, ignoreUpdate, playSound, false, instant).then(() => resolve(true));
2023-12-23 04:57:05 +00:00
else
this.addEnemyModifier(newItemModifier, ignoreUpdate, instant).then(() => resolve(true));
2023-12-23 04:57:05 +00:00
} else
resolve(false);
};
2024-03-07 02:05:23 +00:00
if (source && source.isPlayer() !== target.isPlayer() && !ignoreUpdate)
2023-12-23 04:57:05 +00:00
this.updateModifiers(source.isPlayer(), instant).then(() => addModifier());
else
addModifier();
2023-04-21 20:45:48 +01:00
return;
}
2023-12-23 04:57:05 +00:00
resolve(false);
});
2023-04-21 20:45:48 +01:00
});
}
2023-04-11 14:41:11 +01:00
removePartyMemberModifiers(partyMemberIndex: integer): Promise<void> {
2023-04-10 00:15:21 +01:00
return new Promise(resolve => {
2023-04-11 14:41:11 +01:00
const pokemonId = this.getParty()[partyMemberIndex].id;
const modifiersToRemove = this.modifiers.filter(m => m instanceof PokemonHeldItemModifier && (m as PokemonHeldItemModifier).pokemonId === pokemonId);
2023-04-11 14:41:11 +01:00
for (let m of modifiersToRemove)
this.modifiers.splice(this.modifiers.indexOf(m), 1);
this.updateModifiers().then(() => resolve());
2023-04-10 00:15:21 +01:00
});
}
2023-04-04 23:28:21 +01:00
2023-04-21 00:44:56 +01:00
generateEnemyModifiers(): Promise<void> {
2023-04-10 00:15:21 +01:00
return new Promise(resolve => {
if (this.currentBattle.battleSpec === BattleSpec.FINAL_BOSS)
return resolve();
2023-04-21 00:44:56 +01:00
const waveIndex = this.currentBattle.waveIndex;
2023-04-21 03:26:38 +01:00
const chances = Math.ceil(waveIndex / 10);
const isBoss = !(waveIndex % 10) || (this.currentBattle.battleType === BattleType.TRAINER && this.currentBattle.trainer.config.isBoss);
2024-03-14 20:26:57 +00:00
const modifierChance = this.gameMode.getEnemyModifierChance(isBoss);
const party = this.getEnemyParty();
if (this.currentBattle.trainer) {
const modifiers = this.currentBattle.trainer.genModifiers(party);
for (let modifier of modifiers)
this.addEnemyModifier(modifier, true, true);
}
party.forEach((enemyPokemon: EnemyPokemon, i: integer) => {
let pokemonModifierChance = modifierChance;
if (this.currentBattle.battleType === BattleType.TRAINER)
pokemonModifierChance = Math.ceil(pokemonModifierChance * this.currentBattle.trainer.getPartyMemberModifierChanceMultiplier(i));
let count = 0;
for (let c = 0; c < chances; c++) {
if (!Utils.randSeedInt(modifierChance))
count++;
}
if (isBoss)
count = Math.max(count, Math.floor(chances / 2));
2024-03-14 20:26:57 +00:00
getEnemyModifierTypesForWave(waveIndex, count, [ enemyPokemon ], this.currentBattle.battleType === BattleType.TRAINER ? ModifierPoolType.TRAINER : ModifierPoolType.WILD)
.map(mt => mt.newModifier(enemyPokemon).add(this.enemyModifiers, false, this));
});
2023-04-21 00:44:56 +01:00
this.updateModifiers(false).then(() => resolve());
});
}
clearEnemyHeldItemModifiers(): void {
const modifiersToRemove = this.enemyModifiers.filter(m => m instanceof PokemonHeldItemModifier);
for (let m of modifiersToRemove)
this.enemyModifiers.splice(this.enemyModifiers.indexOf(m), 1);
this.updateModifiers(false).then(() => this.updateUIPositions());
2023-04-21 00:44:56 +01:00
}
2023-12-23 04:57:05 +00:00
updateModifiers(player?: boolean, instant?: boolean): Promise<void> {
2023-04-21 00:44:56 +01:00
if (player === undefined)
player = true;
return new Promise(resolve => {
2023-04-24 05:38:28 +01:00
const modifiers = player ? this.modifiers : this.enemyModifiers as PersistentModifier[];
for (let m = 0; m < modifiers.length; m++) {
const modifier = modifiers[m];
if (modifier instanceof PokemonHeldItemModifier && !this.getPokemonById((modifier as PokemonHeldItemModifier).pokemonId))
modifiers.splice(m--, 1);
}
2023-04-21 00:44:56 +01:00
for (let modifier of modifiers) {
2023-04-10 00:15:21 +01:00
if (modifier instanceof PersistentModifier)
(modifier as PersistentModifier).virtualStackCount = 0;
}
2023-04-21 00:44:56 +01:00
const modifiersClone = modifiers.slice(0);
for (let modifier of modifiersClone) {
2023-04-10 00:15:21 +01:00
if (!modifier.getStackCount())
2023-04-21 00:44:56 +01:00
modifiers.splice(modifiers.indexOf(modifier), 1);
2023-03-28 19:54:52 +01:00
}
2023-04-04 23:28:21 +01:00
2023-12-23 04:57:05 +00:00
this.updatePartyForModifiers(player ? this.getParty() : this.getEnemyParty(), instant).then(() => {
2023-04-21 00:44:56 +01:00
(player ? this.modifierBar : this.enemyModifierBar).updateModifiers(modifiers);
if (!player)
this.updateUIPositions();
2023-04-04 23:28:21 +01:00
resolve();
2023-04-10 00:15:21 +01:00
});
2023-04-04 23:28:21 +01:00
});
2023-03-28 19:54:52 +01:00
}
2023-12-23 04:57:05 +00:00
updatePartyForModifiers(party: Pokemon[], instant?: boolean): Promise<void> {
2023-04-11 14:41:11 +01:00
return new Promise(resolve => {
2023-04-21 00:44:56 +01:00
Promise.allSettled(party.map(p => {
if (p.scene)
p.calculateStats();
2023-12-23 04:57:05 +00:00
return p.updateInfo(instant);
2023-04-11 14:41:11 +01:00
})).then(() => resolve());
});
}
2023-04-21 00:44:56 +01:00
removeModifier(modifier: PersistentModifier, enemy?: boolean): boolean {
const modifiers = !enemy ? this.modifiers : this.enemyModifiers;
const modifierIndex = modifiers.indexOf(modifier);
if (modifierIndex > -1) {
2023-04-21 00:44:56 +01:00
modifiers.splice(modifierIndex, 1);
if (modifier instanceof PokemonFormChangeItemModifier || modifier instanceof TerastallizeModifier)
modifier.apply([ this.getPokemonById(modifier.pokemonId), false ]);
return true;
}
return false;
}
getModifiers(modifierType: { new(...args: any[]): Modifier }, player: boolean = true): PersistentModifier[] {
2023-04-21 00:44:56 +01:00
return (player ? this.modifiers : this.enemyModifiers).filter(m => m instanceof modifierType);
}
findModifiers(modifierFilter: ModifierPredicate, player: boolean = true): PersistentModifier[] {
2023-04-21 00:44:56 +01:00
return (player ? this.modifiers : this.enemyModifiers).filter(m => (modifierFilter as ModifierPredicate)(m));
2023-03-31 04:02:35 +01:00
}
findModifier(modifierFilter: ModifierPredicate, player: boolean = true): PersistentModifier {
2023-04-21 00:44:56 +01:00
return (player ? this.modifiers : this.enemyModifiers).find(m => (modifierFilter as ModifierPredicate)(m));
2023-04-14 23:21:33 +01:00
}
applyModifiers(modifierType: { new(...args: any[]): Modifier }, player: boolean = true, ...args: any[]): void {
2023-04-21 00:44:56 +01:00
const modifiers = (player ? this.modifiers : this.enemyModifiers).filter(m => m instanceof modifierType && m.shouldApply(args));
2023-03-28 19:54:52 +01:00
for (let modifier of modifiers) {
if (modifier.apply(args))
2023-04-21 00:44:56 +01:00
console.log('Applied', modifier.type.name, !player ? '(enemy)' : '');
2023-03-28 19:54:52 +01:00
}
}
2023-04-20 20:46:05 +01:00
applyModifier(modifierType: { new(...args: any[]): Modifier }, player: boolean = true, ...args: any[]): PersistentModifier {
2023-04-21 00:44:56 +01:00
const modifiers = (player ? this.modifiers : this.enemyModifiers).filter(m => m instanceof modifierType && m.shouldApply(args));
2023-04-20 20:46:05 +01:00
for (let modifier of modifiers) {
if (modifier.apply(args)) {
2023-04-21 00:44:56 +01:00
console.log('Applied', modifier.type.name, !player ? '(enemy)' : '');
2023-04-20 20:46:05 +01:00
return modifier;
}
}
return null;
}
2024-01-10 04:34:43 +00:00
triggerPokemonFormChange(pokemon: Pokemon, formChangeTriggerType: { new(...args: any[]): SpeciesFormChangeTrigger }, delayed: boolean = false, modal: boolean = false): boolean {
if (pokemonFormChanges.hasOwnProperty(pokemon.species.speciesId)) {
const matchingFormChange = pokemonFormChanges[pokemon.species.speciesId].find(fc => fc.findTrigger(formChangeTriggerType) && fc.canChange(pokemon));
if (matchingFormChange) {
let phase: Phase;
2024-01-10 04:34:43 +00:00
if (pokemon instanceof PlayerPokemon && !matchingFormChange.quiet)
phase = new FormChangePhase(this, pokemon, matchingFormChange, modal);
else
phase = new QuietFormChangePhase(this, pokemon, matchingFormChange);
if (pokemon instanceof PlayerPokemon && !matchingFormChange.quiet && modal)
2024-01-10 04:34:43 +00:00
this.overridePhase(phase);
else if (delayed)
this.pushPhase(phase);
else
this.unshiftPhase(phase);
return true;
}
}
return false;
}
validateAchvs(achvType: { new(...args: any[]): Achv }, ...args: any[]): void {
const filteredAchvs = Object.values(achvs).filter(a => a instanceof achvType);
2023-11-13 04:47:04 +00:00
for (let achv of filteredAchvs)
this.validateAchv(achv, args);
}
2023-11-13 04:47:04 +00:00
validateAchv(achv: Achv, args?: any[]): boolean {
if (!this.gameData.achvUnlocks.hasOwnProperty(achv.id) && achv.validate(this, args)) {
this.gameData.achvUnlocks[achv.id] = new Date().getTime();
this.ui.achvBar.showAchv(achv);
if (vouchers.hasOwnProperty(achv.id))
this.validateVoucher(vouchers[achv.id]);
return true;
}
return false;
}
validateVoucher(voucher: Voucher, args?: any[]): boolean {
if (!this.gameData.voucherUnlocks.hasOwnProperty(voucher.id) && voucher.validate(this, args)) {
this.gameData.voucherUnlocks[voucher.id] = new Date().getTime();
this.ui.achvBar.showAchv(voucher);
this.gameData.voucherCounts[voucher.voucherType]++;
return true;
}
return false;
}
2023-03-28 19:54:52 +01:00
}