mirror of
https://github.com/pagefaultgames/pokerogue.git
synced 2025-07-15 21:02:18 +02:00
Merge branch 'main' into feature/egg-translation
This commit is contained in:
commit
808ed0d7ca
@ -44,7 +44,8 @@ Check out our [Trello Board](https://trello.com/b/z10B703R/pokerogue-board) to s
|
|||||||
- Arata Iiyoshi
|
- Arata Iiyoshi
|
||||||
- Atsuhiro Ishizuna
|
- Atsuhiro Ishizuna
|
||||||
- Pokémon Black/White 2
|
- Pokémon Black/White 2
|
||||||
- Firel (Additional biome themes)
|
- Firel (Custom Metropolis and Laboratory biome music)
|
||||||
|
- Lmz (Custom Jungle biome music)
|
||||||
- edifette (Title screen music)
|
- edifette (Title screen music)
|
||||||
|
|
||||||
### 🎵 Sound Effects
|
### 🎵 Sound Effects
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
<html lang="en">
|
<html lang="en">
|
||||||
|
|
||||||
<head>
|
<head>
|
||||||
|
<meta charset="UTF-8" />
|
||||||
<title>PokéRogue</title>
|
<title>PokéRogue</title>
|
||||||
<meta name="description" content="A Pokémon fangame heavily inspired by the roguelite genre. Battle endlessly while gathering stacking items, exploring many different biomes, and reaching Pokémon stats you never thought possible." />
|
<meta name="description" content="A Pokémon fangame heavily inspired by the roguelite genre. Battle endlessly while gathering stacking items, exploring many different biomes, and reaching Pokémon stats you never thought possible." />
|
||||||
<meta name="theme-color" content="#da3838" />
|
<meta name="theme-color" content="#da3838" />
|
||||||
@ -12,7 +13,6 @@
|
|||||||
<link rel="apple-touch-icon" href="./logo512.png" />
|
<link rel="apple-touch-icon" href="./logo512.png" />
|
||||||
<link rel="shortcut icon" type="image/png" href="./logo512.png" />
|
<link rel="shortcut icon" type="image/png" href="./logo512.png" />
|
||||||
<link rel="canonical" href="https://pokerogue.net" />
|
<link rel="canonical" href="https://pokerogue.net" />
|
||||||
<meta charset="UTF-8" />
|
|
||||||
<meta name="viewport" content="width=device-width, initial-scale=1.0, viewport-fit=cover" />
|
<meta name="viewport" content="width=device-width, initial-scale=1.0, viewport-fit=cover" />
|
||||||
<style type="text/css">
|
<style type="text/css">
|
||||||
@font-face {
|
@font-face {
|
||||||
|
Binary file not shown.
File diff suppressed because it is too large
Load Diff
Binary file not shown.
Before Width: | Height: | Size: 50 KiB After Width: | Height: | Size: 50 KiB |
BIN
public/images/items/quick_claw.png
Normal file
BIN
public/images/items/quick_claw.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 217 B |
Binary file not shown.
Before Width: | Height: | Size: 4.2 KiB After Width: | Height: | Size: 60 KiB |
@ -7,18 +7,29 @@ export interface UserInfo {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export let loggedInUser: UserInfo = null;
|
export let loggedInUser: UserInfo = null;
|
||||||
|
export const clientSessionId = Utils.randomString(32);
|
||||||
|
|
||||||
export function updateUserInfo(): Promise<[boolean, integer]> {
|
export function updateUserInfo(): Promise<[boolean, integer]> {
|
||||||
return new Promise<[boolean, integer]>(resolve => {
|
return new Promise<[boolean, integer]>(resolve => {
|
||||||
if (bypassLogin) {
|
if (bypassLogin) {
|
||||||
|
loggedInUser = { username: 'Guest', lastSessionSlot: -1 };
|
||||||
let lastSessionSlot = -1;
|
let lastSessionSlot = -1;
|
||||||
for (let s = 0; s < 2; s++) {
|
for (let s = 0; s < 5; s++) {
|
||||||
if (localStorage.getItem(`sessionData${s ? s : ''}`)) {
|
if (localStorage.getItem(`sessionData${s ? s : ''}_${loggedInUser.username}`)) {
|
||||||
lastSessionSlot = s;
|
lastSessionSlot = s;
|
||||||
break;
|
break;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
loggedInUser = { username: 'Guest', lastSessionSlot: lastSessionSlot };
|
loggedInUser.lastSessionSlot = lastSessionSlot;
|
||||||
|
// Migrate old data from before the username was appended
|
||||||
|
[ 'data', 'sessionData', 'sessionData1', 'sessionData2', 'sessionData3', 'sessionData4' ].map(d => {
|
||||||
|
if (localStorage.hasOwnProperty(d)) {
|
||||||
|
if (localStorage.hasOwnProperty(`${d}_${loggedInUser.username}`))
|
||||||
|
localStorage.setItem(`${d}_${loggedInUser.username}_bak`, localStorage.getItem(`${d}_${loggedInUser.username}`));
|
||||||
|
localStorage.setItem(`${d}_${loggedInUser.username}`, localStorage.getItem(d));
|
||||||
|
localStorage.removeItem(d);
|
||||||
|
}
|
||||||
|
});
|
||||||
return resolve([ true, 200 ]);
|
return resolve([ true, 200 ]);
|
||||||
}
|
}
|
||||||
Utils.apiFetch('account/info', true).then(response => {
|
Utils.apiFetch('account/info', true).then(response => {
|
||||||
|
@ -88,6 +88,7 @@ export default class BattleScene extends SceneBase {
|
|||||||
public uiInputs: UiInputs;
|
public uiInputs: UiInputs;
|
||||||
|
|
||||||
public sessionPlayTime: integer = null;
|
public sessionPlayTime: integer = null;
|
||||||
|
public lastSavePlayTime: integer = null;
|
||||||
public masterVolume: number = 0.5;
|
public masterVolume: number = 0.5;
|
||||||
public bgmVolume: number = 1;
|
public bgmVolume: number = 1;
|
||||||
public seVolume: number = 1;
|
public seVolume: number = 1;
|
||||||
@ -452,6 +453,8 @@ export default class BattleScene extends SceneBase {
|
|||||||
initSession(): void {
|
initSession(): void {
|
||||||
if (this.sessionPlayTime === null)
|
if (this.sessionPlayTime === null)
|
||||||
this.sessionPlayTime = 0;
|
this.sessionPlayTime = 0;
|
||||||
|
if (this.lastSavePlayTime === null)
|
||||||
|
this.lastSavePlayTime = 0;
|
||||||
|
|
||||||
if (this.playTimeTimer)
|
if (this.playTimeTimer)
|
||||||
this.playTimeTimer.destroy();
|
this.playTimeTimer.destroy();
|
||||||
@ -464,6 +467,8 @@ export default class BattleScene extends SceneBase {
|
|||||||
this.gameData.gameStats.playTime++;
|
this.gameData.gameStats.playTime++;
|
||||||
if (this.sessionPlayTime !== null)
|
if (this.sessionPlayTime !== null)
|
||||||
this.sessionPlayTime++;
|
this.sessionPlayTime++;
|
||||||
|
if (this.lastSavePlayTime !== null)
|
||||||
|
this.lastSavePlayTime++;
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
|
||||||
@ -1007,6 +1012,7 @@ export default class BattleScene extends SceneBase {
|
|||||||
case Species.FLORGES:
|
case Species.FLORGES:
|
||||||
case Species.FURFROU:
|
case Species.FURFROU:
|
||||||
case Species.ORICORIO:
|
case Species.ORICORIO:
|
||||||
|
case Species.MAGEARNA:
|
||||||
case Species.SQUAWKABILLY:
|
case Species.SQUAWKABILLY:
|
||||||
case Species.TATSUGIRI:
|
case Species.TATSUGIRI:
|
||||||
case Species.PALDEA_TAUROS:
|
case Species.PALDEA_TAUROS:
|
||||||
|
@ -3,7 +3,7 @@ import { Type } from "./type";
|
|||||||
import * as Utils from "../utils";
|
import * as Utils from "../utils";
|
||||||
import { BattleStat, getBattleStatName } from "./battle-stat";
|
import { BattleStat, getBattleStatName } from "./battle-stat";
|
||||||
import { PokemonHealPhase, ShowAbilityPhase, StatChangePhase } from "../phases";
|
import { PokemonHealPhase, ShowAbilityPhase, StatChangePhase } from "../phases";
|
||||||
import { getPokemonMessage } from "../messages";
|
import { getPokemonMessage, getPokemonPrefix } from "../messages";
|
||||||
import { Weather, WeatherType } from "./weather";
|
import { Weather, WeatherType } from "./weather";
|
||||||
import { BattlerTag } from "./battler-tags";
|
import { BattlerTag } from "./battler-tags";
|
||||||
import { BattlerTagType } from "./enums/battler-tag-type";
|
import { BattlerTagType } from "./enums/battler-tag-type";
|
||||||
@ -144,7 +144,7 @@ export class BlockRecoilDamageAttr extends AbAttr {
|
|||||||
}
|
}
|
||||||
|
|
||||||
getTriggerMessage(pokemon: Pokemon, abilityName: string, ...args: any[]) {
|
getTriggerMessage(pokemon: Pokemon, abilityName: string, ...args: any[]) {
|
||||||
return getPokemonMessage(pokemon, `'s ${abilityName}\nprotected it from recoil!`);
|
return i18next.t('abilityTriggers:blockRecoilDamage', {pokemonName: `${getPokemonPrefix(pokemon)}${pokemon.name}`, abilityName: abilityName});
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -715,7 +715,7 @@ export class PostDefendContactApplyStatusEffectAbAttr extends PostDefendAbAttr {
|
|||||||
applyPostDefend(pokemon: Pokemon, passive: boolean, attacker: Pokemon, move: PokemonMove, hitResult: HitResult, args: any[]): boolean {
|
applyPostDefend(pokemon: Pokemon, passive: boolean, attacker: Pokemon, move: PokemonMove, hitResult: HitResult, args: any[]): boolean {
|
||||||
if (move.getMove().checkFlag(MoveFlags.MAKES_CONTACT, attacker, pokemon) && !attacker.status && (this.chance === -1 || pokemon.randSeedInt(100) < this.chance)) {
|
if (move.getMove().checkFlag(MoveFlags.MAKES_CONTACT, attacker, pokemon) && !attacker.status && (this.chance === -1 || pokemon.randSeedInt(100) < this.chance)) {
|
||||||
const effect = this.effects.length === 1 ? this.effects[0] : this.effects[pokemon.randSeedInt(this.effects.length)];
|
const effect = this.effects.length === 1 ? this.effects[0] : this.effects[pokemon.randSeedInt(this.effects.length)];
|
||||||
return attacker.trySetStatus(effect, true);
|
return attacker.trySetStatus(effect, true, pokemon);
|
||||||
}
|
}
|
||||||
|
|
||||||
return false;
|
return false;
|
||||||
@ -991,6 +991,42 @@ export class MoveTypeChangeAttr extends PreAttackAbAttr {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Class for abilities that boost the damage of moves
|
||||||
|
* For abilities that boost the base power of moves, see VariableMovePowerAbAttr
|
||||||
|
* @param damageMultiplier the amount to multiply the damage by
|
||||||
|
* @param condition the condition for this ability to be applied
|
||||||
|
*/
|
||||||
|
export class DamageBoostAbAttr extends PreAttackAbAttr {
|
||||||
|
private damageMultiplier: number;
|
||||||
|
private condition: PokemonAttackCondition;
|
||||||
|
|
||||||
|
constructor(damageMultiplier: number, condition: PokemonAttackCondition){
|
||||||
|
super(true);
|
||||||
|
this.damageMultiplier = damageMultiplier;
|
||||||
|
this.condition = condition;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
*
|
||||||
|
* @param pokemon the attacker pokemon
|
||||||
|
* @param passive N/A
|
||||||
|
* @param defender the target pokemon
|
||||||
|
* @param move the move used by the attacker pokemon
|
||||||
|
* @param args Utils.NumberHolder as damage
|
||||||
|
* @returns true if the function succeeds
|
||||||
|
*/
|
||||||
|
applyPreAttack(pokemon: Pokemon, passive: boolean, defender: Pokemon, move: PokemonMove, args: any[]): boolean {
|
||||||
|
if (this.condition(pokemon, defender, move.getMove())) {
|
||||||
|
const power = args[0] as Utils.NumberHolder;
|
||||||
|
power.value = Math.floor(power.value * this.damageMultiplier);
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
export class MovePowerBoostAbAttr extends VariableMovePowerAbAttr {
|
export class MovePowerBoostAbAttr extends VariableMovePowerAbAttr {
|
||||||
private condition: PokemonAttackCondition;
|
private condition: PokemonAttackCondition;
|
||||||
private powerMultiplier: number;
|
private powerMultiplier: number;
|
||||||
@ -1141,7 +1177,7 @@ export class PostAttackApplyStatusEffectAbAttr extends PostAttackAbAttr {
|
|||||||
applyPostAttack(pokemon: Pokemon, passive: boolean, attacker: Pokemon, move: PokemonMove, hitResult: HitResult, args: any[]): boolean {
|
applyPostAttack(pokemon: Pokemon, passive: boolean, attacker: Pokemon, move: PokemonMove, hitResult: HitResult, args: any[]): boolean {
|
||||||
if (pokemon != attacker && (!this.contactRequired || move.getMove().checkFlag(MoveFlags.MAKES_CONTACT, attacker, pokemon)) && pokemon.randSeedInt(100) < this.chance && !pokemon.status) {
|
if (pokemon != attacker && (!this.contactRequired || move.getMove().checkFlag(MoveFlags.MAKES_CONTACT, attacker, pokemon)) && pokemon.randSeedInt(100) < this.chance && !pokemon.status) {
|
||||||
const effect = this.effects.length === 1 ? this.effects[0] : this.effects[pokemon.randSeedInt(this.effects.length)];
|
const effect = this.effects.length === 1 ? this.effects[0] : this.effects[pokemon.randSeedInt(this.effects.length)];
|
||||||
return attacker.trySetStatus(effect, true);
|
return attacker.trySetStatus(effect, true, pokemon);
|
||||||
}
|
}
|
||||||
|
|
||||||
return false;
|
return false;
|
||||||
@ -1371,6 +1407,23 @@ export class PostSummonMessageAbAttr extends PostSummonAbAttr {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export class PostSummonUnnamedMessageAbAttr extends PostSummonAbAttr {
|
||||||
|
//Attr doesn't force pokemon name on the message
|
||||||
|
private message: string;
|
||||||
|
|
||||||
|
constructor(message: string) {
|
||||||
|
super(true);
|
||||||
|
|
||||||
|
this.message = message;
|
||||||
|
}
|
||||||
|
|
||||||
|
applyPostSummon(pokemon: Pokemon, passive: boolean, args: any[]): boolean {
|
||||||
|
pokemon.scene.queueMessage(this.message);
|
||||||
|
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
export class PostSummonAddBattlerTagAbAttr extends PostSummonAbAttr {
|
export class PostSummonAddBattlerTagAbAttr extends PostSummonAbAttr {
|
||||||
private tagType: BattlerTagType;
|
private tagType: BattlerTagType;
|
||||||
private turnCount: integer;
|
private turnCount: integer;
|
||||||
@ -2595,8 +2648,8 @@ export class NoFusionAbilityAbAttr extends AbAttr {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export class IgnoreTypeImmunityAbAttr extends AbAttr {
|
export class IgnoreTypeImmunityAbAttr extends AbAttr {
|
||||||
defenderType: Type;
|
private defenderType: Type;
|
||||||
allowedMoveTypes: Type[];
|
private allowedMoveTypes: Type[];
|
||||||
|
|
||||||
constructor(defenderType: Type, allowedMoveTypes: Type[]) {
|
constructor(defenderType: Type, allowedMoveTypes: Type[]) {
|
||||||
super(true);
|
super(true);
|
||||||
@ -2613,6 +2666,30 @@ export class IgnoreTypeImmunityAbAttr extends AbAttr {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Ignores the type immunity to Status Effects of the defender if the defender is of a certain type
|
||||||
|
*/
|
||||||
|
export class IgnoreTypeStatusEffectImmunityAbAttr extends AbAttr {
|
||||||
|
private statusEffect: StatusEffect[];
|
||||||
|
private defenderType: Type[];
|
||||||
|
|
||||||
|
constructor(statusEffect: StatusEffect[], defenderType: Type[]) {
|
||||||
|
super(true);
|
||||||
|
|
||||||
|
this.statusEffect = statusEffect;
|
||||||
|
this.defenderType = defenderType;
|
||||||
|
}
|
||||||
|
|
||||||
|
apply(pokemon: Pokemon, passive: boolean, cancelled: Utils.BooleanHolder, args: any[]): boolean {
|
||||||
|
if (this.statusEffect.includes(args[0] as StatusEffect) && this.defenderType.includes(args[1] as Type)) {
|
||||||
|
cancelled.value = true;
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
function applyAbAttrsInternal<TAttr extends AbAttr>(attrType: { new(...args: any[]): TAttr },
|
function applyAbAttrsInternal<TAttr extends AbAttr>(attrType: { new(...args: any[]): TAttr },
|
||||||
pokemon: Pokemon, applyFunc: AbAttrApplyFunc<TAttr>, args: any[], isAsync: boolean = false, showAbilityInstant: boolean = false, quiet: boolean = false, passive: boolean = false): Promise<void> {
|
pokemon: Pokemon, applyFunc: AbAttrApplyFunc<TAttr>, args: any[], isAsync: boolean = false, showAbilityInstant: boolean = false, quiet: boolean = false, passive: boolean = false): Promise<void> {
|
||||||
return new Promise(resolve => {
|
return new Promise(resolve => {
|
||||||
@ -3025,7 +3102,8 @@ export function initAbilities() {
|
|||||||
.attr(BlockCritAbAttr)
|
.attr(BlockCritAbAttr)
|
||||||
.ignorable(),
|
.ignorable(),
|
||||||
new Ability(Abilities.AIR_LOCK, 3)
|
new Ability(Abilities.AIR_LOCK, 3)
|
||||||
.attr(SuppressWeatherEffectAbAttr, true),
|
.attr(SuppressWeatherEffectAbAttr, true)
|
||||||
|
.attr(PostSummonUnnamedMessageAbAttr, "The effects of the weather disappeared."),
|
||||||
new Ability(Abilities.TANGLED_FEET, 4)
|
new Ability(Abilities.TANGLED_FEET, 4)
|
||||||
.conditionalAttr(pokemon => !!pokemon.getTag(BattlerTagType.CONFUSED), BattleStatMultiplierAbAttr, BattleStat.EVA, 2)
|
.conditionalAttr(pokemon => !!pokemon.getTag(BattlerTagType.CONFUSED), BattleStatMultiplierAbAttr, BattleStat.EVA, 2)
|
||||||
.ignorable(),
|
.ignorable(),
|
||||||
@ -3121,7 +3199,7 @@ export function initAbilities() {
|
|||||||
.attr(IgnoreOpponentStatChangesAbAttr)
|
.attr(IgnoreOpponentStatChangesAbAttr)
|
||||||
.ignorable(),
|
.ignorable(),
|
||||||
new Ability(Abilities.TINTED_LENS, 4)
|
new Ability(Abilities.TINTED_LENS, 4)
|
||||||
.attr(MovePowerBoostAbAttr, (user, target, move) => target.getAttackTypeEffectiveness(move.type, user) <= 0.5, 2),
|
.attr(DamageBoostAbAttr, 2, (user, target, move) => target.getAttackTypeEffectiveness(move.type, user) <= 0.5),
|
||||||
new Ability(Abilities.FILTER, 4)
|
new Ability(Abilities.FILTER, 4)
|
||||||
.attr(ReceivedMoveDamageMultiplierAbAttr,(target, user, move) => target.getAttackTypeEffectiveness(move.type, user) >= 2, 0.75)
|
.attr(ReceivedMoveDamageMultiplierAbAttr,(target, user, move) => target.getAttackTypeEffectiveness(move.type, user) >= 2, 0.75)
|
||||||
.ignorable(),
|
.ignorable(),
|
||||||
@ -3378,7 +3456,7 @@ export function initAbilities() {
|
|||||||
.attr(MovePowerBoostAbAttr, (user, target, move) => user.scene.currentBattle.turnCommands[target.getBattlerIndex()].command === Command.POKEMON, 2),
|
.attr(MovePowerBoostAbAttr, (user, target, move) => user.scene.currentBattle.turnCommands[target.getBattlerIndex()].command === Command.POKEMON, 2),
|
||||||
new Ability(Abilities.WATER_BUBBLE, 7)
|
new Ability(Abilities.WATER_BUBBLE, 7)
|
||||||
.attr(ReceivedTypeDamageMultiplierAbAttr, Type.FIRE, 0.5)
|
.attr(ReceivedTypeDamageMultiplierAbAttr, Type.FIRE, 0.5)
|
||||||
.attr(MoveTypePowerBoostAbAttr, Type.WATER, 1)
|
.attr(MoveTypePowerBoostAbAttr, Type.WATER, 2)
|
||||||
.attr(StatusEffectImmunityAbAttr, StatusEffect.BURN)
|
.attr(StatusEffectImmunityAbAttr, StatusEffect.BURN)
|
||||||
.ignorable(),
|
.ignorable(),
|
||||||
new Ability(Abilities.STEELWORKER, 7)
|
new Ability(Abilities.STEELWORKER, 7)
|
||||||
@ -3427,16 +3505,17 @@ export function initAbilities() {
|
|||||||
.attr(UnsuppressableAbilityAbAttr)
|
.attr(UnsuppressableAbilityAbAttr)
|
||||||
.attr(NoFusionAbilityAbAttr),
|
.attr(NoFusionAbilityAbAttr),
|
||||||
new Ability(Abilities.POWER_CONSTRUCT, 7) // TODO: 10% Power Construct Zygarde isn't accounted for yet. If changed, update Zygarde's getSpeciesFormIndex entry accordingly
|
new Ability(Abilities.POWER_CONSTRUCT, 7) // TODO: 10% Power Construct Zygarde isn't accounted for yet. If changed, update Zygarde's getSpeciesFormIndex entry accordingly
|
||||||
.attr(PostBattleInitFormChangeAbAttr, p => p.getHpRatio() <= 0.5 ? 4 : 2)
|
.attr(PostBattleInitFormChangeAbAttr, p => p.getHpRatio() <= 0.5 || p.getFormKey() === 'complete' ? 4 : 2)
|
||||||
.attr(PostSummonFormChangeAbAttr, p => p.getHpRatio() <= 0.5 ? 4 : 2)
|
.attr(PostSummonFormChangeAbAttr, p => p.getHpRatio() <= 0.5 || p.getFormKey() === 'complete' ? 4 : 2)
|
||||||
.attr(PostTurnFormChangeAbAttr, p => p.getHpRatio() <= 0.5 ? 4 : 2)
|
.attr(PostTurnFormChangeAbAttr, p => p.getHpRatio() <= 0.5 || p.getFormKey() === 'complete' ? 4 : 2)
|
||||||
.attr(UncopiableAbilityAbAttr)
|
.attr(UncopiableAbilityAbAttr)
|
||||||
.attr(UnswappableAbilityAbAttr)
|
.attr(UnswappableAbilityAbAttr)
|
||||||
.attr(UnsuppressableAbilityAbAttr)
|
.attr(UnsuppressableAbilityAbAttr)
|
||||||
.attr(NoFusionAbilityAbAttr)
|
.attr(NoFusionAbilityAbAttr)
|
||||||
.partial(),
|
.partial(),
|
||||||
new Ability(Abilities.CORROSION, 7)
|
new Ability(Abilities.CORROSION, 7) // TODO: Test Corrosion against Magic Bounce once it is implemented
|
||||||
.unimplemented(),
|
.attr(IgnoreTypeStatusEffectImmunityAbAttr, [StatusEffect.POISON, StatusEffect.TOXIC], [Type.STEEL, Type.POISON])
|
||||||
|
.partial(),
|
||||||
new Ability(Abilities.COMATOSE, 7)
|
new Ability(Abilities.COMATOSE, 7)
|
||||||
.attr(UncopiableAbilityAbAttr)
|
.attr(UncopiableAbilityAbAttr)
|
||||||
.attr(UnswappableAbilityAbAttr)
|
.attr(UnswappableAbilityAbAttr)
|
||||||
|
@ -316,7 +316,7 @@ class ToxicSpikesTag extends ArenaTrapTag {
|
|||||||
}
|
}
|
||||||
} else if (!pokemon.status) {
|
} else if (!pokemon.status) {
|
||||||
const toxic = this.layers > 1;
|
const toxic = this.layers > 1;
|
||||||
if (pokemon.trySetStatus(!toxic ? StatusEffect.POISON : StatusEffect.TOXIC, true, null, `the ${this.getMoveName()}`))
|
if (pokemon.trySetStatus(!toxic ? StatusEffect.POISON : StatusEffect.TOXIC, true, null, 0, `the ${this.getMoveName()}`))
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -544,6 +544,33 @@ export class AquaRingTag extends BattlerTag {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/** Tag used to allow moves that interact with {@link Moves.MINIMIZE} to function */
|
||||||
|
export class MinimizeTag extends BattlerTag {
|
||||||
|
constructor() {
|
||||||
|
super(BattlerTagType.MINIMIZED, BattlerTagLapseType.TURN_END, 1, Moves.MINIMIZE, undefined);
|
||||||
|
}
|
||||||
|
|
||||||
|
canAdd(pokemon: Pokemon): boolean {
|
||||||
|
return !pokemon.isMax();
|
||||||
|
}
|
||||||
|
|
||||||
|
onAdd(pokemon: Pokemon): void {
|
||||||
|
super.onAdd(pokemon);
|
||||||
|
}
|
||||||
|
|
||||||
|
lapse(pokemon: Pokemon, lapseType: BattlerTagLapseType): boolean {
|
||||||
|
//If a pokemon dynamaxes they lose minimized status
|
||||||
|
if(pokemon.isMax()){
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
return lapseType !== BattlerTagLapseType.CUSTOM || super.lapse(pokemon, lapseType);
|
||||||
|
}
|
||||||
|
|
||||||
|
onRemove(pokemon: Pokemon): void {
|
||||||
|
super.onRemove(pokemon);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
export class DrowsyTag extends BattlerTag {
|
export class DrowsyTag extends BattlerTag {
|
||||||
constructor() {
|
constructor() {
|
||||||
super(BattlerTagType.DROWSY, BattlerTagLapseType.TURN_END, 2, Moves.YAWN);
|
super(BattlerTagType.DROWSY, BattlerTagLapseType.TURN_END, 2, Moves.YAWN);
|
||||||
@ -819,7 +846,7 @@ export class ContactPoisonProtectedTag extends ProtectedTag {
|
|||||||
const effectPhase = pokemon.scene.getCurrentPhase();
|
const effectPhase = pokemon.scene.getCurrentPhase();
|
||||||
if (effectPhase instanceof MoveEffectPhase && effectPhase.move.getMove().hasFlag(MoveFlags.MAKES_CONTACT)) {
|
if (effectPhase instanceof MoveEffectPhase && effectPhase.move.getMove().hasFlag(MoveFlags.MAKES_CONTACT)) {
|
||||||
const attacker = effectPhase.getPokemon();
|
const attacker = effectPhase.getPokemon();
|
||||||
attacker.trySetStatus(StatusEffect.POISON, true);
|
attacker.trySetStatus(StatusEffect.POISON, true, pokemon);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -1358,6 +1385,8 @@ export function getBattlerTag(tagType: BattlerTagType, turnCount: integer, sourc
|
|||||||
return new TypeBoostTag(tagType, sourceMove, Type.ELECTRIC, 2, true);
|
return new TypeBoostTag(tagType, sourceMove, Type.ELECTRIC, 2, true);
|
||||||
case BattlerTagType.MAGNET_RISEN:
|
case BattlerTagType.MAGNET_RISEN:
|
||||||
return new MagnetRisenTag(tagType, sourceMove);
|
return new MagnetRisenTag(tagType, sourceMove);
|
||||||
|
case BattlerTagType.MINIMIZED:
|
||||||
|
return new MinimizeTag();
|
||||||
case BattlerTagType.NONE:
|
case BattlerTagType.NONE:
|
||||||
default:
|
default:
|
||||||
return new BattlerTag(tagType, BattlerTagLapseType.CUSTOM, turnCount, sourceMove, sourceId);
|
return new BattlerTag(tagType, BattlerTagLapseType.CUSTOM, turnCount, sourceMove, sourceId);
|
||||||
|
@ -48,7 +48,7 @@ export const biomeLinks: BiomeLinks = {
|
|||||||
[Biome.SEABED]: [ Biome.CAVE, [ Biome.VOLCANO, 4 ] ],
|
[Biome.SEABED]: [ Biome.CAVE, [ Biome.VOLCANO, 4 ] ],
|
||||||
[Biome.MOUNTAIN]: [ Biome.VOLCANO, [ Biome.WASTELAND, 3 ] ],
|
[Biome.MOUNTAIN]: [ Biome.VOLCANO, [ Biome.WASTELAND, 3 ] ],
|
||||||
[Biome.BADLANDS]: [ Biome.DESERT, Biome.MOUNTAIN ],
|
[Biome.BADLANDS]: [ Biome.DESERT, Biome.MOUNTAIN ],
|
||||||
[Biome.CAVE]: [ Biome.BADLANDS, Biome.BEACH ],
|
[Biome.CAVE]: [ Biome.BADLANDS, Biome.LAKE ],
|
||||||
[Biome.DESERT]: Biome.RUINS,
|
[Biome.DESERT]: Biome.RUINS,
|
||||||
[Biome.ICE_CAVE]: Biome.SNOWY_FOREST,
|
[Biome.ICE_CAVE]: Biome.SNOWY_FOREST,
|
||||||
[Biome.MEADOW]: [ Biome.PLAINS, [ Biome.FAIRY_CAVE, 2 ] ],
|
[Biome.MEADOW]: [ Biome.PLAINS, [ Biome.FAIRY_CAVE, 2 ] ],
|
||||||
|
@ -13,14 +13,15 @@ export interface DailyRunConfig {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export function fetchDailyRunSeed(): Promise<string> {
|
export function fetchDailyRunSeed(): Promise<string> {
|
||||||
return new Promise<string>(resolve => {
|
return new Promise<string>((resolve, reject) => {
|
||||||
Utils.apiFetch('daily/seed').then(response => {
|
Utils.apiFetch('daily/seed').then(response => {
|
||||||
if (!response.ok) {
|
if (!response.ok) {
|
||||||
resolve(null);
|
resolve(null);
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
return response.text();
|
return response.text();
|
||||||
}).then(seed => resolve(seed));
|
}).then(seed => resolve(seed))
|
||||||
|
.catch(err => reject(err));
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -96,9 +96,16 @@ export function getLegendaryGachaSpeciesForTimestamp(scene: BattleScene, timesta
|
|||||||
|
|
||||||
let ret: Species;
|
let ret: Species;
|
||||||
|
|
||||||
|
// 86400000 is the number of miliseconds in one day
|
||||||
|
const timeDate = new Date(timestamp);
|
||||||
|
const dayDate = new Date(Date.UTC(timeDate.getUTCFullYear(), timeDate.getUTCMonth(), timeDate.getUTCDate()));
|
||||||
|
const dayTimestamp = timeDate.getTime(); // Timestamp of current week
|
||||||
|
const offset = Math.floor(Math.floor(dayTimestamp / 86400000) / legendarySpecies.length); // Cycle number
|
||||||
|
const index = Math.floor(dayTimestamp / 86400000) % legendarySpecies.length // Index within cycle
|
||||||
|
|
||||||
scene.executeWithSeedOffset(() => {
|
scene.executeWithSeedOffset(() => {
|
||||||
ret = Utils.randSeedItem(legendarySpecies);
|
ret = Phaser.Math.RND.shuffle(legendarySpecies)[index];
|
||||||
}, Utils.getSunday(new Date(timestamp)).getTime(), EGG_SEED.toString());
|
}, offset, EGG_SEED.toString());
|
||||||
|
|
||||||
return ret;
|
return ret;
|
||||||
}
|
}
|
@ -55,5 +55,6 @@ export enum BattlerTagType {
|
|||||||
CURSED = "CURSED",
|
CURSED = "CURSED",
|
||||||
CHARGED = "CHARGED",
|
CHARGED = "CHARGED",
|
||||||
GROUNDED = "GROUNDED",
|
GROUNDED = "GROUNDED",
|
||||||
MAGNET_RISEN = "MAGNET_RISEN"
|
MAGNET_RISEN = "MAGNET_RISEN",
|
||||||
|
MINIMIZED = "MINIMIZED"
|
||||||
}
|
}
|
||||||
|
274
src/data/move.ts
274
src/data/move.ts
@ -434,29 +434,66 @@ export class SelfStatusMove extends Move {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Base class defining all {@link Move} Attributes
|
||||||
|
* @abstract
|
||||||
|
*/
|
||||||
export abstract class MoveAttr {
|
export abstract class MoveAttr {
|
||||||
|
/** Should this {@link Move} target the user? */
|
||||||
public selfTarget: boolean;
|
public selfTarget: boolean;
|
||||||
|
|
||||||
constructor(selfTarget: boolean = false) {
|
constructor(selfTarget: boolean = false) {
|
||||||
this.selfTarget = selfTarget;
|
this.selfTarget = selfTarget;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Applies move attributes
|
||||||
|
* @see {@link applyMoveAttrsInternal}
|
||||||
|
* @virtual
|
||||||
|
* @param user The {@link Pokemon} using the move
|
||||||
|
* @param target The target {@link Pokemon} of the move
|
||||||
|
* @param move The {@link Move} being used
|
||||||
|
* @param args Set of unique arguments needed by this attribute
|
||||||
|
* @returns true if the application succeeds
|
||||||
|
*/
|
||||||
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean | Promise<boolean> {
|
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean | Promise<boolean> {
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @virtual
|
||||||
|
* @returns the {@link MoveCondition} or {@link MoveConditionFunc} for this {@link Move}
|
||||||
|
*/
|
||||||
getCondition(): MoveCondition | MoveConditionFunc {
|
getCondition(): MoveCondition | MoveConditionFunc {
|
||||||
return null;
|
return null;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @virtual
|
||||||
|
* @param user The {@link Pokemon} using the move
|
||||||
|
* @param target The target {@link Pokemon} of the move
|
||||||
|
* @param move The {@link Move} being used
|
||||||
|
* @param cancelled A {@link Utils.BooleanHolder} which stores if the move should fail
|
||||||
|
* @returns the string representing failure of this {@link Move}
|
||||||
|
*/
|
||||||
getFailedText(user: Pokemon, target: Pokemon, move: Move, cancelled: Utils.BooleanHolder): string | null {
|
getFailedText(user: Pokemon, target: Pokemon, move: Move, cancelled: Utils.BooleanHolder): string | null {
|
||||||
return null;
|
return null;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Used by the Enemy AI to rank an attack based on a given user
|
||||||
|
* @see {@link EnemyPokemon.getNextMove}
|
||||||
|
* @virtual
|
||||||
|
*/
|
||||||
getUserBenefitScore(user: Pokemon, target: Pokemon, move: Move): integer {
|
getUserBenefitScore(user: Pokemon, target: Pokemon, move: Move): integer {
|
||||||
return 0;
|
return 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Used by the Enemy AI to rank an attack based on a given target
|
||||||
|
* @see {@link EnemyPokemon.getNextMove}
|
||||||
|
* @virtual
|
||||||
|
*/
|
||||||
getTargetBenefitScore(user: Pokemon, target: Pokemon, move: Move): integer {
|
getTargetBenefitScore(user: Pokemon, target: Pokemon, move: Move): integer {
|
||||||
return 0;
|
return 0;
|
||||||
}
|
}
|
||||||
@ -470,6 +507,9 @@ export enum MoveEffectTrigger {
|
|||||||
POST_TARGET,
|
POST_TARGET,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/** Base class defining all Move Effect Attributes
|
||||||
|
* @extends MoveAttr
|
||||||
|
*/
|
||||||
export class MoveEffectAttr extends MoveAttr {
|
export class MoveEffectAttr extends MoveAttr {
|
||||||
public trigger: MoveEffectTrigger;
|
public trigger: MoveEffectTrigger;
|
||||||
public firstHitOnly: boolean;
|
public firstHitOnly: boolean;
|
||||||
@ -480,11 +520,21 @@ export class MoveEffectAttr extends MoveAttr {
|
|||||||
this.firstHitOnly = firstHitOnly;
|
this.firstHitOnly = firstHitOnly;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Determines whether the {@link Move}'s effects are valid to {@link apply}
|
||||||
|
* @virtual
|
||||||
|
* @param user The {@link Pokemon} using the move
|
||||||
|
* @param target The target {@link Pokemon} of the move
|
||||||
|
* @param move The {@link Move} being used
|
||||||
|
* @param args Set of unique arguments needed by this attribute
|
||||||
|
* @returns true if the application succeeds
|
||||||
|
*/
|
||||||
canApply(user: Pokemon, target: Pokemon, move: Move, args: any[]) {
|
canApply(user: Pokemon, target: Pokemon, move: Move, args: any[]) {
|
||||||
return !!(this.selfTarget ? user.hp && !user.getTag(BattlerTagType.FRENZY) : target.hp)
|
return !!(this.selfTarget ? user.hp && !user.getTag(BattlerTagType.FRENZY) : target.hp)
|
||||||
&& (this.selfTarget || !target.getTag(BattlerTagType.PROTECTED) || move.hasFlag(MoveFlags.IGNORE_PROTECT));
|
&& (this.selfTarget || !target.getTag(BattlerTagType.PROTECTED) || move.hasFlag(MoveFlags.IGNORE_PROTECT));
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/** Applies move effects so long as they are able based on {@link canApply} */
|
||||||
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean | Promise<boolean> {
|
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean | Promise<boolean> {
|
||||||
return this.canApply(user, target, move, args);
|
return this.canApply(user, target, move, args);
|
||||||
}
|
}
|
||||||
@ -738,17 +788,65 @@ export class RecoilAttr extends MoveEffectAttr {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Attribute used for moves which self KO the user regardless if the move hits a target
|
||||||
|
* @extends MoveEffectAttr
|
||||||
|
* @see {@link apply}
|
||||||
|
**/
|
||||||
export class SacrificialAttr extends MoveEffectAttr {
|
export class SacrificialAttr extends MoveEffectAttr {
|
||||||
constructor() {
|
constructor() {
|
||||||
super(true, MoveEffectTrigger.PRE_APPLY);
|
super(true, MoveEffectTrigger.POST_TARGET);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Deals damage to the user equal to their current hp
|
||||||
|
* @param user Pokemon that used the move
|
||||||
|
* @param target The target of the move
|
||||||
|
* @param move Move with this attribute
|
||||||
|
* @param args N/A
|
||||||
|
* @returns true if the function succeeds
|
||||||
|
**/
|
||||||
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
||||||
|
user.damageAndUpdate(user.hp, HitResult.OTHER, false, true, true);
|
||||||
|
user.turnData.damageTaken += user.hp;
|
||||||
|
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
getUserBenefitScore(user: Pokemon, target: Pokemon, move: Move): integer {
|
||||||
|
if (user.isBoss())
|
||||||
|
return -20;
|
||||||
|
return Math.ceil(((1 - user.getHpRatio()) * 10 - 10) * (target.getAttackTypeEffectiveness(move.type, user) - 0.5));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Attribute used for moves which self KO the user but only if the move hits a target
|
||||||
|
* @extends MoveEffectAttr
|
||||||
|
* @see {@link apply}
|
||||||
|
**/
|
||||||
|
export class SacrificialAttrOnHit extends MoveEffectAttr {
|
||||||
|
constructor() {
|
||||||
|
super(true, MoveEffectTrigger.POST_TARGET);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Deals damage to the user equal to their current hp if the move lands
|
||||||
|
* @param user Pokemon that used the move
|
||||||
|
* @param target The target of the move
|
||||||
|
* @param move Move with this attribute
|
||||||
|
* @param args N/A
|
||||||
|
* @returns true if the function succeeds
|
||||||
|
**/
|
||||||
|
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
||||||
|
|
||||||
|
// If the move fails to hit a target, then the user does not faint and the function returns false
|
||||||
if (!super.apply(user, target, move, args))
|
if (!super.apply(user, target, move, args))
|
||||||
return false;
|
return false;
|
||||||
|
|
||||||
user.damageAndUpdate(user.hp, HitResult.OTHER, false, true, true);
|
user.damageAndUpdate(user.hp, HitResult.OTHER, false, true, true);
|
||||||
user.turnData.damageTaken += user.hp;
|
user.turnData.damageTaken += user.hp;
|
||||||
|
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
@ -806,8 +904,15 @@ export enum MultiHitType {
|
|||||||
_1_TO_10,
|
_1_TO_10,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Heals the user or target by {@link healRatio} depending on the value of {@link selfTarget}
|
||||||
|
* @extends MoveEffectAttr
|
||||||
|
* @see {@link apply}
|
||||||
|
*/
|
||||||
export class HealAttr extends MoveEffectAttr {
|
export class HealAttr extends MoveEffectAttr {
|
||||||
|
/** The percentage of {@link Stat.HP} to heal */
|
||||||
private healRatio: number;
|
private healRatio: number;
|
||||||
|
/** Should an animation be shown? */
|
||||||
private showAnim: boolean;
|
private showAnim: boolean;
|
||||||
|
|
||||||
constructor(healRatio?: number, showAnim?: boolean, selfTarget?: boolean) {
|
constructor(healRatio?: number, showAnim?: boolean, selfTarget?: boolean) {
|
||||||
@ -822,6 +927,10 @@ export class HealAttr extends MoveEffectAttr {
|
|||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Creates a new {@link PokemonHealPhase}.
|
||||||
|
* This heals the target and shows the appropriate message.
|
||||||
|
*/
|
||||||
addHealPhase(target: Pokemon, healRatio: number) {
|
addHealPhase(target: Pokemon, healRatio: number) {
|
||||||
target.scene.unshiftPhase(new PokemonHealPhase(target.scene, target.getBattlerIndex(),
|
target.scene.unshiftPhase(new PokemonHealPhase(target.scene, target.getBattlerIndex(),
|
||||||
Math.max(Math.floor(target.getMaxHp() * healRatio), 1), getPokemonMessage(target, ' \nhad its HP restored.'), true, !this.showAnim));
|
Math.max(Math.floor(target.getMaxHp() * healRatio), 1), getPokemonMessage(target, ' \nhad its HP restored.'), true, !this.showAnim));
|
||||||
@ -903,7 +1012,7 @@ export class IgnoreWeatherTypeDebuffAttr extends MoveAttr {
|
|||||||
* @param user Pokemon that used the move
|
* @param user Pokemon that used the move
|
||||||
* @param target N/A
|
* @param target N/A
|
||||||
* @param move Move with this attribute
|
* @param move Move with this attribute
|
||||||
* @param args Utils.NumberHolder for arenaAttackTypeMultiplier
|
* @param args [0] Utils.NumberHolder for arenaAttackTypeMultiplier
|
||||||
* @returns true if the function succeeds
|
* @returns true if the function succeeds
|
||||||
*/
|
*/
|
||||||
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
||||||
@ -963,27 +1072,19 @@ export class SandHealAttr extends WeatherHealAttr {
|
|||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Heals the target by either {@link normalHealRatio} or {@link boostedHealRatio}
|
* Heals the target or the user by either {@link normalHealRatio} or {@link boostedHealRatio}
|
||||||
* depending on the evaluation of {@link condition}
|
* depending on the evaluation of {@link condition}
|
||||||
|
* @extends HealAttr
|
||||||
* @see {@link apply}
|
* @see {@link apply}
|
||||||
* @param user The Pokemon using this move
|
|
||||||
* @param target The target Pokemon of this move
|
|
||||||
* @param move This move
|
|
||||||
* @param args N/A
|
|
||||||
* @returns if the move was successful
|
|
||||||
*/
|
*/
|
||||||
export class BoostHealAttr extends HealAttr {
|
export class BoostHealAttr extends HealAttr {
|
||||||
|
/** Healing received when {@link condition} is false */
|
||||||
private normalHealRatio?: number;
|
private normalHealRatio?: number;
|
||||||
|
/** Healing received when {@link condition} is true */
|
||||||
private boostedHealRatio?: number;
|
private boostedHealRatio?: number;
|
||||||
|
/** The lambda expression to check against when boosting the healing value */
|
||||||
private condition?: MoveConditionFunc;
|
private condition?: MoveConditionFunc;
|
||||||
|
|
||||||
/**
|
|
||||||
* @param normalHealRatio Healing received when {@link condition} is false
|
|
||||||
* @param boostedHealRatio Healing received when {@link condition} is true
|
|
||||||
* @param showAnim Should a healing animation be showed?
|
|
||||||
* @param selfTarget Should the move target the user?
|
|
||||||
* @param condition The condition to check against when boosting the healing value
|
|
||||||
*/
|
|
||||||
constructor(normalHealRatio?: number, boostedHealRatio?: number, showAnim?: boolean, selfTarget?: boolean, condition?: MoveConditionFunc) {
|
constructor(normalHealRatio?: number, boostedHealRatio?: number, showAnim?: boolean, selfTarget?: boolean, condition?: MoveConditionFunc) {
|
||||||
super(normalHealRatio, showAnim, selfTarget);
|
super(normalHealRatio, showAnim, selfTarget);
|
||||||
this.normalHealRatio = normalHealRatio;
|
this.normalHealRatio = normalHealRatio;
|
||||||
@ -991,6 +1092,13 @@ export class BoostHealAttr extends HealAttr {
|
|||||||
this.condition = condition;
|
this.condition = condition;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @param user The Pokemon using this move
|
||||||
|
* @param target The target Pokemon of this move
|
||||||
|
* @param move This move
|
||||||
|
* @param args N/A
|
||||||
|
* @returns true if the move was successful
|
||||||
|
*/
|
||||||
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
||||||
const healRatio = this.condition(user, target, move) ? this.boostedHealRatio : this.normalHealRatio;
|
const healRatio = this.condition(user, target, move) ? this.boostedHealRatio : this.normalHealRatio;
|
||||||
this.addHealPhase(target, healRatio);
|
this.addHealPhase(target, healRatio);
|
||||||
@ -1156,13 +1264,13 @@ export class StatusEffectAttr extends MoveEffectAttr {
|
|||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
if (!pokemon.status || (pokemon.status.effect === this.effect && move.chance < 0))
|
if (!pokemon.status || (pokemon.status.effect === this.effect && move.chance < 0))
|
||||||
return pokemon.trySetStatus(this.effect, true, this.cureTurn);
|
return pokemon.trySetStatus(this.effect, true, user, this.cureTurn);
|
||||||
}
|
}
|
||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
|
|
||||||
getTargetBenefitScore(user: Pokemon, target: Pokemon, move: Move): number {
|
getTargetBenefitScore(user: Pokemon, target: Pokemon, move: Move): number {
|
||||||
return !(this.selfTarget ? user : target).status && (this.selfTarget ? user : target).canSetStatus(this.effect, true) ? Math.floor(move.chance * -0.1) : 0;
|
return !(this.selfTarget ? user : target).status && (this.selfTarget ? user : target).canSetStatus(this.effect, true, false, user) ? Math.floor(move.chance * -0.1) : 0;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -1181,7 +1289,7 @@ export class MultiStatusEffectAttr extends StatusEffectAttr {
|
|||||||
}
|
}
|
||||||
|
|
||||||
getTargetBenefitScore(user: Pokemon, target: Pokemon, move: Move): number {
|
getTargetBenefitScore(user: Pokemon, target: Pokemon, move: Move): number {
|
||||||
return !(this.selfTarget ? user : target).status && (this.selfTarget ? user : target).canSetStatus(this.effect, true) ? Math.floor(move.chance * -0.1) : 0;
|
return !(this.selfTarget ? user : target).status && (this.selfTarget ? user : target).canSetStatus(this.effect, true, false, user) ? Math.floor(move.chance * -0.1) : 0;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -1197,7 +1305,7 @@ export class PsychoShiftEffectAttr extends MoveEffectAttr {
|
|||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
if (!target.status || (target.status.effect === statusToApply && move.chance < 0)) {
|
if (!target.status || (target.status.effect === statusToApply && move.chance < 0)) {
|
||||||
var statusAfflictResult = target.trySetStatus(statusToApply, true);
|
var statusAfflictResult = target.trySetStatus(statusToApply, true, user);
|
||||||
if (statusAfflictResult) {
|
if (statusAfflictResult) {
|
||||||
user.scene.queueMessage(getPokemonMessage(user, getStatusEffectHealText(user.status.effect)));
|
user.scene.queueMessage(getPokemonMessage(user, getStatusEffectHealText(user.status.effect)));
|
||||||
user.resetStatus();
|
user.resetStatus();
|
||||||
@ -1210,7 +1318,7 @@ export class PsychoShiftEffectAttr extends MoveEffectAttr {
|
|||||||
}
|
}
|
||||||
|
|
||||||
getTargetBenefitScore(user: Pokemon, target: Pokemon, move: Move): number {
|
getTargetBenefitScore(user: Pokemon, target: Pokemon, move: Move): number {
|
||||||
return !(this.selfTarget ? user : target).status && (this.selfTarget ? user : target).canSetStatus(user.status?.effect, true) ? Math.floor(move.chance * -0.1) : 0;
|
return !(this.selfTarget ? user : target).status && (this.selfTarget ? user : target).canSetStatus(user.status?.effect, true, false, user) ? Math.floor(move.chance * -0.1) : 0;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -1353,6 +1461,25 @@ export class BypassSleepAttr extends MoveAttr {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Attribute used for moves that bypass the burn damage reduction of physical moves, currently only facade
|
||||||
|
* Called during damage calculation
|
||||||
|
* @param user N/A
|
||||||
|
* @param target N/A
|
||||||
|
* @param move Move with this attribute
|
||||||
|
* @param args Utils.BooleanHolder for burnDamageReductionCancelled
|
||||||
|
* @returns true if the function succeeds
|
||||||
|
*/
|
||||||
|
export class BypassBurnDamageReductionAttr extends MoveAttr {
|
||||||
|
|
||||||
|
/** Prevents the move's damage from being reduced by burn */
|
||||||
|
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
||||||
|
(args[0] as Utils.BooleanHolder).value = true;
|
||||||
|
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
export class WeatherChangeAttr extends MoveEffectAttr {
|
export class WeatherChangeAttr extends MoveEffectAttr {
|
||||||
private weatherType: WeatherType;
|
private weatherType: WeatherType;
|
||||||
|
|
||||||
@ -2353,6 +2480,30 @@ export class ThunderAccuracyAttr extends VariableAccuracyAttr {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Attribute used for moves which never miss
|
||||||
|
* against Pokemon with the {@link BattlerTagType.MINIMIZED}
|
||||||
|
* @see {@link apply}
|
||||||
|
* @param user N/A
|
||||||
|
* @param target Target of the move
|
||||||
|
* @param move N/A
|
||||||
|
* @param args [0] Accuracy of the move to be modified
|
||||||
|
* @returns true if the function succeeds
|
||||||
|
*/
|
||||||
|
export class MinimizeAccuracyAttr extends VariableAccuracyAttr{
|
||||||
|
|
||||||
|
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
||||||
|
if (target.getTag(BattlerTagType.MINIMIZED)){
|
||||||
|
const accuracy = args[0] as Utils.NumberHolder
|
||||||
|
accuracy.value = -1;
|
||||||
|
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
export class ToxicAccuracyAttr extends VariableAccuracyAttr {
|
export class ToxicAccuracyAttr extends VariableAccuracyAttr {
|
||||||
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
||||||
if (user.isOfType(Type.POISON)) {
|
if (user.isOfType(Type.POISON)) {
|
||||||
@ -2657,6 +2808,24 @@ export class WaterSuperEffectTypeMultiplierAttr extends VariableMoveTypeMultipli
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export class IceNoEffectTypeAttr extends VariableMoveTypeMultiplierAttr {
|
||||||
|
/**
|
||||||
|
* Checks to see if the Target is Ice-Type or not. If so, the move will have no effect.
|
||||||
|
* @param {Pokemon} user N/A
|
||||||
|
* @param {Pokemon} target Pokemon that is being checked whether Ice-Type or not.
|
||||||
|
* @param {Move} move N/A
|
||||||
|
* @param {any[]} args Sets to false if the target is Ice-Type, so it should do no damage/no effect.
|
||||||
|
* @returns {boolean} Returns true if move is successful, false if Ice-Type.
|
||||||
|
*/
|
||||||
|
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
||||||
|
if (target.isOfType(Type.ICE)) {
|
||||||
|
(args[0] as Utils.BooleanHolder).value = false;
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
export class FlyingTypeMultiplierAttr extends VariableMoveTypeMultiplierAttr {
|
export class FlyingTypeMultiplierAttr extends VariableMoveTypeMultiplierAttr {
|
||||||
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
||||||
const multiplier = args[0] as Utils.NumberHolder;
|
const multiplier = args[0] as Utils.NumberHolder;
|
||||||
@ -2676,6 +2845,29 @@ export class OneHitKOAccuracyAttr extends VariableAccuracyAttr {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export class SheerColdAccuracyAttr extends OneHitKOAccuracyAttr {
|
||||||
|
/**
|
||||||
|
* Changes the normal One Hit KO Accuracy Attr to implement the Gen VII changes,
|
||||||
|
* where if the user is Ice-Type, it has more accuracy.
|
||||||
|
* @param {Pokemon} user Pokemon that is using the move; checks the Pokemon's level.
|
||||||
|
* @param {Pokemon} target Pokemon that is receiving the move; checks the Pokemon's level.
|
||||||
|
* @param {Move} move N/A
|
||||||
|
* @param {any[]} args Uses the accuracy argument, allowing to change it from either 0 if it doesn't pass
|
||||||
|
* the first if/else, or 30/20 depending on the type of the user Pokemon.
|
||||||
|
* @returns Returns true if move is successful, false if misses.
|
||||||
|
*/
|
||||||
|
apply(user: Pokemon, target: Pokemon, move: Move, args: any[]): boolean {
|
||||||
|
const accuracy = args[0] as Utils.NumberHolder;
|
||||||
|
if (user.level < target.level) {
|
||||||
|
accuracy.value = 0;
|
||||||
|
} else {
|
||||||
|
const baseAccuracy = user.isOfType(Type.ICE) ? 30 : 20;
|
||||||
|
accuracy.value = Math.min(Math.max(baseAccuracy + 100 * (1 - target.level / user.level), 0), 100);
|
||||||
|
}
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
export class MissEffectAttr extends MoveAttr {
|
export class MissEffectAttr extends MoveAttr {
|
||||||
private missEffectFunc: UserMoveConditionFunc;
|
private missEffectFunc: UserMoveConditionFunc;
|
||||||
|
|
||||||
@ -3067,8 +3259,11 @@ export class FaintCountdownAttr extends AddBattlerTagAttr {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/** Attribute used when a move hits a {@link BattlerTagType} for double damage */
|
||||||
export class HitsTagAttr extends MoveAttr {
|
export class HitsTagAttr extends MoveAttr {
|
||||||
|
/** The {@link BattlerTagType} this move hits */
|
||||||
public tagType: BattlerTagType;
|
public tagType: BattlerTagType;
|
||||||
|
/** Should this move deal double damage against {@link HitsTagAttr.tagType}? */
|
||||||
public doubleDamage: boolean;
|
public doubleDamage: boolean;
|
||||||
|
|
||||||
constructor(tagType: BattlerTagType, doubleDamage?: boolean) {
|
constructor(tagType: BattlerTagType, doubleDamage?: boolean) {
|
||||||
@ -4235,6 +4430,8 @@ export function initMoves() {
|
|||||||
new AttackMove(Moves.SLAM, Type.NORMAL, MoveCategory.PHYSICAL, 80, 75, 20, -1, 0, 1),
|
new AttackMove(Moves.SLAM, Type.NORMAL, MoveCategory.PHYSICAL, 80, 75, 20, -1, 0, 1),
|
||||||
new AttackMove(Moves.VINE_WHIP, Type.GRASS, MoveCategory.PHYSICAL, 45, 100, 25, -1, 0, 1),
|
new AttackMove(Moves.VINE_WHIP, Type.GRASS, MoveCategory.PHYSICAL, 45, 100, 25, -1, 0, 1),
|
||||||
new AttackMove(Moves.STOMP, Type.NORMAL, MoveCategory.PHYSICAL, 65, 100, 20, 30, 0, 1)
|
new AttackMove(Moves.STOMP, Type.NORMAL, MoveCategory.PHYSICAL, 65, 100, 20, 30, 0, 1)
|
||||||
|
.attr(MinimizeAccuracyAttr)
|
||||||
|
.attr(HitsTagAttr, BattlerTagType.MINIMIZED, true)
|
||||||
.attr(FlinchAttr),
|
.attr(FlinchAttr),
|
||||||
new AttackMove(Moves.DOUBLE_KICK, Type.FIGHTING, MoveCategory.PHYSICAL, 30, 100, 30, -1, 0, 1)
|
new AttackMove(Moves.DOUBLE_KICK, Type.FIGHTING, MoveCategory.PHYSICAL, 30, 100, 30, -1, 0, 1)
|
||||||
.attr(MultiHitAttr, MultiHitType._2),
|
.attr(MultiHitAttr, MultiHitType._2),
|
||||||
@ -4258,6 +4455,8 @@ export function initMoves() {
|
|||||||
.attr(OneHitKOAccuracyAttr),
|
.attr(OneHitKOAccuracyAttr),
|
||||||
new AttackMove(Moves.TACKLE, Type.NORMAL, MoveCategory.PHYSICAL, 40, 100, 35, -1, 0, 1),
|
new AttackMove(Moves.TACKLE, Type.NORMAL, MoveCategory.PHYSICAL, 40, 100, 35, -1, 0, 1),
|
||||||
new AttackMove(Moves.BODY_SLAM, Type.NORMAL, MoveCategory.PHYSICAL, 85, 100, 15, 30, 0, 1)
|
new AttackMove(Moves.BODY_SLAM, Type.NORMAL, MoveCategory.PHYSICAL, 85, 100, 15, 30, 0, 1)
|
||||||
|
.attr(MinimizeAccuracyAttr)
|
||||||
|
.attr(HitsTagAttr, BattlerTagType.MINIMIZED, true)
|
||||||
.attr(StatusEffectAttr, StatusEffect.PARALYSIS),
|
.attr(StatusEffectAttr, StatusEffect.PARALYSIS),
|
||||||
new AttackMove(Moves.WRAP, Type.NORMAL, MoveCategory.PHYSICAL, 15, 90, 20, 100, 0, 1)
|
new AttackMove(Moves.WRAP, Type.NORMAL, MoveCategory.PHYSICAL, 15, 90, 20, 100, 0, 1)
|
||||||
.attr(TrapAttr, BattlerTagType.WRAP),
|
.attr(TrapAttr, BattlerTagType.WRAP),
|
||||||
@ -4455,6 +4654,7 @@ export function initMoves() {
|
|||||||
new SelfStatusMove(Moves.HARDEN, Type.NORMAL, -1, 30, -1, 0, 1)
|
new SelfStatusMove(Moves.HARDEN, Type.NORMAL, -1, 30, -1, 0, 1)
|
||||||
.attr(StatChangeAttr, BattleStat.DEF, 1, true),
|
.attr(StatChangeAttr, BattleStat.DEF, 1, true),
|
||||||
new SelfStatusMove(Moves.MINIMIZE, Type.NORMAL, -1, 10, -1, 0, 1)
|
new SelfStatusMove(Moves.MINIMIZE, Type.NORMAL, -1, 10, -1, 0, 1)
|
||||||
|
.attr(AddBattlerTagAttr, BattlerTagType.MINIMIZED, true, false)
|
||||||
.attr(StatChangeAttr, BattleStat.EVA, 2, true),
|
.attr(StatChangeAttr, BattleStat.EVA, 2, true),
|
||||||
new StatusMove(Moves.SMOKESCREEN, Type.NORMAL, 100, 20, -1, 0, 1)
|
new StatusMove(Moves.SMOKESCREEN, Type.NORMAL, 100, 20, -1, 0, 1)
|
||||||
.attr(StatChangeAttr, BattleStat.ACC, -1),
|
.attr(StatChangeAttr, BattleStat.ACC, -1),
|
||||||
@ -4900,11 +5100,12 @@ export function initMoves() {
|
|||||||
new StatusMove(Moves.WILL_O_WISP, Type.FIRE, 85, 15, -1, 0, 3)
|
new StatusMove(Moves.WILL_O_WISP, Type.FIRE, 85, 15, -1, 0, 3)
|
||||||
.attr(StatusEffectAttr, StatusEffect.BURN),
|
.attr(StatusEffectAttr, StatusEffect.BURN),
|
||||||
new StatusMove(Moves.MEMENTO, Type.DARK, 100, 10, -1, 0, 3)
|
new StatusMove(Moves.MEMENTO, Type.DARK, 100, 10, -1, 0, 3)
|
||||||
.attr(SacrificialAttr)
|
.attr(SacrificialAttrOnHit)
|
||||||
.attr(StatChangeAttr, [ BattleStat.ATK, BattleStat.SPATK ], -2),
|
.attr(StatChangeAttr, [ BattleStat.ATK, BattleStat.SPATK ], -2),
|
||||||
new AttackMove(Moves.FACADE, Type.NORMAL, MoveCategory.PHYSICAL, 70, 100, 20, -1, 0, 3)
|
new AttackMove(Moves.FACADE, Type.NORMAL, MoveCategory.PHYSICAL, 70, 100, 20, -1, 0, 3)
|
||||||
.attr(MovePowerMultiplierAttr, (user, target, move) => user.status
|
.attr(MovePowerMultiplierAttr, (user, target, move) => user.status
|
||||||
&& (user.status.effect === StatusEffect.BURN || user.status.effect === StatusEffect.POISON || user.status.effect === StatusEffect.TOXIC || user.status.effect === StatusEffect.PARALYSIS) ? 2 : 1),
|
&& (user.status.effect === StatusEffect.BURN || user.status.effect === StatusEffect.POISON || user.status.effect === StatusEffect.TOXIC || user.status.effect === StatusEffect.PARALYSIS) ? 2 : 1)
|
||||||
|
.attr(BypassBurnDamageReductionAttr),
|
||||||
new AttackMove(Moves.FOCUS_PUNCH, Type.FIGHTING, MoveCategory.PHYSICAL, 150, 100, 20, -1, -3, 3)
|
new AttackMove(Moves.FOCUS_PUNCH, Type.FIGHTING, MoveCategory.PHYSICAL, 150, 100, 20, -1, -3, 3)
|
||||||
.punchingMove()
|
.punchingMove()
|
||||||
.ignoresVirtual()
|
.ignoresVirtual()
|
||||||
@ -5075,9 +5276,10 @@ export function initMoves() {
|
|||||||
new AttackMove(Moves.SAND_TOMB, Type.GROUND, MoveCategory.PHYSICAL, 35, 85, 15, 100, 0, 3)
|
new AttackMove(Moves.SAND_TOMB, Type.GROUND, MoveCategory.PHYSICAL, 35, 85, 15, 100, 0, 3)
|
||||||
.attr(TrapAttr, BattlerTagType.SAND_TOMB)
|
.attr(TrapAttr, BattlerTagType.SAND_TOMB)
|
||||||
.makesContact(false),
|
.makesContact(false),
|
||||||
new AttackMove(Moves.SHEER_COLD, Type.ICE, MoveCategory.SPECIAL, 200, 30, 5, -1, 0, 3)
|
new AttackMove(Moves.SHEER_COLD, Type.ICE, MoveCategory.SPECIAL, 200, 20, 5, -1, 0, 3)
|
||||||
|
.attr(IceNoEffectTypeAttr)
|
||||||
.attr(OneHitKOAttr)
|
.attr(OneHitKOAttr)
|
||||||
.attr(OneHitKOAccuracyAttr),
|
.attr(SheerColdAccuracyAttr),
|
||||||
new AttackMove(Moves.MUDDY_WATER, Type.WATER, MoveCategory.SPECIAL, 90, 85, 10, 30, 0, 3)
|
new AttackMove(Moves.MUDDY_WATER, Type.WATER, MoveCategory.SPECIAL, 90, 85, 10, 30, 0, 3)
|
||||||
.attr(StatChangeAttr, BattleStat.ACC, -1)
|
.attr(StatChangeAttr, BattleStat.ACC, -1)
|
||||||
.target(MoveTarget.ALL_NEAR_ENEMIES),
|
.target(MoveTarget.ALL_NEAR_ENEMIES),
|
||||||
@ -5206,7 +5408,7 @@ export function initMoves() {
|
|||||||
|| user.status?.effect === StatusEffect.TOXIC
|
|| user.status?.effect === StatusEffect.TOXIC
|
||||||
|| user.status?.effect === StatusEffect.PARALYSIS
|
|| user.status?.effect === StatusEffect.PARALYSIS
|
||||||
|| user.status?.effect === StatusEffect.SLEEP)
|
|| user.status?.effect === StatusEffect.SLEEP)
|
||||||
&& target.canSetStatus(user.status?.effect)
|
&& target.canSetStatus(user.status?.effect, false, false, user)
|
||||||
),
|
),
|
||||||
new AttackMove(Moves.TRUMP_CARD, Type.NORMAL, MoveCategory.SPECIAL, -1, -1, 5, -1, 0, 4)
|
new AttackMove(Moves.TRUMP_CARD, Type.NORMAL, MoveCategory.SPECIAL, -1, -1, 5, -1, 0, 4)
|
||||||
.makesContact()
|
.makesContact()
|
||||||
@ -5292,6 +5494,8 @@ export function initMoves() {
|
|||||||
new AttackMove(Moves.DRAGON_PULSE, Type.DRAGON, MoveCategory.SPECIAL, 85, 100, 10, -1, 0, 4)
|
new AttackMove(Moves.DRAGON_PULSE, Type.DRAGON, MoveCategory.SPECIAL, 85, 100, 10, -1, 0, 4)
|
||||||
.pulseMove(),
|
.pulseMove(),
|
||||||
new AttackMove(Moves.DRAGON_RUSH, Type.DRAGON, MoveCategory.PHYSICAL, 100, 75, 10, 20, 0, 4)
|
new AttackMove(Moves.DRAGON_RUSH, Type.DRAGON, MoveCategory.PHYSICAL, 100, 75, 10, 20, 0, 4)
|
||||||
|
.attr(MinimizeAccuracyAttr)
|
||||||
|
.attr(HitsTagAttr, BattlerTagType.MINIMIZED, true)
|
||||||
.attr(FlinchAttr),
|
.attr(FlinchAttr),
|
||||||
new AttackMove(Moves.POWER_GEM, Type.ROCK, MoveCategory.SPECIAL, 80, 100, 20, -1, 0, 4),
|
new AttackMove(Moves.POWER_GEM, Type.ROCK, MoveCategory.SPECIAL, 80, 100, 20, -1, 0, 4),
|
||||||
new AttackMove(Moves.DRAIN_PUNCH, Type.FIGHTING, MoveCategory.PHYSICAL, 75, 100, 10, -1, 0, 4)
|
new AttackMove(Moves.DRAIN_PUNCH, Type.FIGHTING, MoveCategory.PHYSICAL, 75, 100, 10, -1, 0, 4)
|
||||||
@ -5434,7 +5638,7 @@ export function initMoves() {
|
|||||||
new AttackMove(Moves.SPACIAL_REND, Type.DRAGON, MoveCategory.SPECIAL, 100, 95, 5, -1, 0, 4)
|
new AttackMove(Moves.SPACIAL_REND, Type.DRAGON, MoveCategory.SPECIAL, 100, 95, 5, -1, 0, 4)
|
||||||
.attr(HighCritAttr),
|
.attr(HighCritAttr),
|
||||||
new SelfStatusMove(Moves.LUNAR_DANCE, Type.PSYCHIC, -1, 10, -1, 0, 4)
|
new SelfStatusMove(Moves.LUNAR_DANCE, Type.PSYCHIC, -1, 10, -1, 0, 4)
|
||||||
.attr(SacrificialAttr)
|
.attr(SacrificialAttrOnHit)
|
||||||
.danceMove()
|
.danceMove()
|
||||||
.triageMove()
|
.triageMove()
|
||||||
.unimplemented(),
|
.unimplemented(),
|
||||||
@ -5446,7 +5650,7 @@ export function initMoves() {
|
|||||||
.attr(StatusEffectAttr, StatusEffect.SLEEP)
|
.attr(StatusEffectAttr, StatusEffect.SLEEP)
|
||||||
.target(MoveTarget.ALL_NEAR_ENEMIES),
|
.target(MoveTarget.ALL_NEAR_ENEMIES),
|
||||||
new AttackMove(Moves.SEED_FLARE, Type.GRASS, MoveCategory.SPECIAL, 120, 85, 5, 40, 0, 4)
|
new AttackMove(Moves.SEED_FLARE, Type.GRASS, MoveCategory.SPECIAL, 120, 85, 5, 40, 0, 4)
|
||||||
.attr(StatChangeAttr, BattleStat.SPDEF, -1),
|
.attr(StatChangeAttr, BattleStat.SPDEF, -2),
|
||||||
new AttackMove(Moves.OMINOUS_WIND, Type.GHOST, MoveCategory.SPECIAL, 60, 100, 5, 10, 0, 4)
|
new AttackMove(Moves.OMINOUS_WIND, Type.GHOST, MoveCategory.SPECIAL, 60, 100, 5, 10, 0, 4)
|
||||||
.attr(StatChangeAttr, [ BattleStat.ATK, BattleStat.DEF, BattleStat.SPATK, BattleStat.SPDEF, BattleStat.SPD ], 1, true)
|
.attr(StatChangeAttr, [ BattleStat.ATK, BattleStat.DEF, BattleStat.SPATK, BattleStat.SPDEF, BattleStat.SPD ], 1, true)
|
||||||
.windMove(),
|
.windMove(),
|
||||||
@ -5501,7 +5705,9 @@ export function initMoves() {
|
|||||||
.attr(StatChangeAttr, [ BattleStat.SPATK, BattleStat.SPDEF, BattleStat.SPD ], 1, true)
|
.attr(StatChangeAttr, [ BattleStat.SPATK, BattleStat.SPDEF, BattleStat.SPD ], 1, true)
|
||||||
.danceMove(),
|
.danceMove(),
|
||||||
new AttackMove(Moves.HEAVY_SLAM, Type.STEEL, MoveCategory.PHYSICAL, -1, 100, 10, -1, 0, 5)
|
new AttackMove(Moves.HEAVY_SLAM, Type.STEEL, MoveCategory.PHYSICAL, -1, 100, 10, -1, 0, 5)
|
||||||
|
.attr(MinimizeAccuracyAttr)
|
||||||
.attr(CompareWeightPowerAttr)
|
.attr(CompareWeightPowerAttr)
|
||||||
|
.attr(HitsTagAttr, BattlerTagType.MINIMIZED, true)
|
||||||
.condition(failOnMaxCondition),
|
.condition(failOnMaxCondition),
|
||||||
new AttackMove(Moves.SYNCHRONOISE, Type.PSYCHIC, MoveCategory.SPECIAL, 120, 100, 10, -1, 0, 5)
|
new AttackMove(Moves.SYNCHRONOISE, Type.PSYCHIC, MoveCategory.SPECIAL, 120, 100, 10, -1, 0, 5)
|
||||||
.target(MoveTarget.ALL_NEAR_OTHERS)
|
.target(MoveTarget.ALL_NEAR_OTHERS)
|
||||||
@ -5583,7 +5789,7 @@ export function initMoves() {
|
|||||||
.partial(),
|
.partial(),
|
||||||
new AttackMove(Moves.FINAL_GAMBIT, Type.FIGHTING, MoveCategory.SPECIAL, -1, 100, 5, -1, 0, 5)
|
new AttackMove(Moves.FINAL_GAMBIT, Type.FIGHTING, MoveCategory.SPECIAL, -1, 100, 5, -1, 0, 5)
|
||||||
.attr(UserHpDamageAttr)
|
.attr(UserHpDamageAttr)
|
||||||
.attr(SacrificialAttr),
|
.attr(SacrificialAttrOnHit),
|
||||||
new StatusMove(Moves.BESTOW, Type.NORMAL, -1, 15, -1, 0, 5)
|
new StatusMove(Moves.BESTOW, Type.NORMAL, -1, 15, -1, 0, 5)
|
||||||
.ignoresProtect()
|
.ignoresProtect()
|
||||||
.unimplemented(),
|
.unimplemented(),
|
||||||
@ -5632,7 +5838,9 @@ export function initMoves() {
|
|||||||
.attr(StatChangeAttr, BattleStat.DEF, -1)
|
.attr(StatChangeAttr, BattleStat.DEF, -1)
|
||||||
.slicingMove(),
|
.slicingMove(),
|
||||||
new AttackMove(Moves.HEAT_CRASH, Type.FIRE, MoveCategory.PHYSICAL, -1, 100, 10, -1, 0, 5)
|
new AttackMove(Moves.HEAT_CRASH, Type.FIRE, MoveCategory.PHYSICAL, -1, 100, 10, -1, 0, 5)
|
||||||
|
.attr(MinimizeAccuracyAttr)
|
||||||
.attr(CompareWeightPowerAttr)
|
.attr(CompareWeightPowerAttr)
|
||||||
|
.attr(HitsTagAttr, BattlerTagType.MINIMIZED, true)
|
||||||
.condition(failOnMaxCondition),
|
.condition(failOnMaxCondition),
|
||||||
new AttackMove(Moves.LEAF_TORNADO, Type.GRASS, MoveCategory.SPECIAL, 65, 90, 10, 50, 0, 5)
|
new AttackMove(Moves.LEAF_TORNADO, Type.GRASS, MoveCategory.SPECIAL, 65, 90, 10, 50, 0, 5)
|
||||||
.attr(StatChangeAttr, BattleStat.ACC, -1),
|
.attr(StatChangeAttr, BattleStat.ACC, -1),
|
||||||
@ -5703,7 +5911,9 @@ export function initMoves() {
|
|||||||
.makesContact(false)
|
.makesContact(false)
|
||||||
.partial(),
|
.partial(),
|
||||||
new AttackMove(Moves.FLYING_PRESS, Type.FIGHTING, MoveCategory.PHYSICAL, 100, 95, 10, -1, 0, 6)
|
new AttackMove(Moves.FLYING_PRESS, Type.FIGHTING, MoveCategory.PHYSICAL, 100, 95, 10, -1, 0, 6)
|
||||||
|
.attr(MinimizeAccuracyAttr)
|
||||||
.attr(FlyingTypeMultiplierAttr)
|
.attr(FlyingTypeMultiplierAttr)
|
||||||
|
.attr(HitsTagAttr, BattlerTagType.MINIMIZED, true)
|
||||||
.condition(failOnGravityCondition),
|
.condition(failOnGravityCondition),
|
||||||
new StatusMove(Moves.MAT_BLOCK, Type.FIGHTING, -1, 10, -1, 0, 6)
|
new StatusMove(Moves.MAT_BLOCK, Type.FIGHTING, -1, 10, -1, 0, 6)
|
||||||
.unimplemented(),
|
.unimplemented(),
|
||||||
@ -6201,7 +6411,7 @@ export function initMoves() {
|
|||||||
.ignoresVirtual(),
|
.ignoresVirtual(),
|
||||||
/* End Unused */
|
/* End Unused */
|
||||||
new AttackMove(Moves.ZIPPY_ZAP, Type.ELECTRIC, MoveCategory.PHYSICAL, 80, 100, 10, 100, 2, 7)
|
new AttackMove(Moves.ZIPPY_ZAP, Type.ELECTRIC, MoveCategory.PHYSICAL, 80, 100, 10, 100, 2, 7)
|
||||||
.attr(CritOnlyAttr),
|
.attr(StatChangeAttr, BattleStat.EVA, 1, true),
|
||||||
new AttackMove(Moves.SPLISHY_SPLASH, Type.WATER, MoveCategory.SPECIAL, 90, 100, 15, 30, 0, 7)
|
new AttackMove(Moves.SPLISHY_SPLASH, Type.WATER, MoveCategory.SPECIAL, 90, 100, 15, 30, 0, 7)
|
||||||
.attr(StatusEffectAttr, StatusEffect.PARALYSIS)
|
.attr(StatusEffectAttr, StatusEffect.PARALYSIS)
|
||||||
.target(MoveTarget.ALL_NEAR_ENEMIES),
|
.target(MoveTarget.ALL_NEAR_ENEMIES),
|
||||||
@ -6226,7 +6436,7 @@ export function initMoves() {
|
|||||||
new AttackMove(Moves.FREEZY_FROST, Type.ICE, MoveCategory.SPECIAL, 100, 90, 10, -1, 0, 7)
|
new AttackMove(Moves.FREEZY_FROST, Type.ICE, MoveCategory.SPECIAL, 100, 90, 10, -1, 0, 7)
|
||||||
.attr(ResetStatsAttr),
|
.attr(ResetStatsAttr),
|
||||||
new AttackMove(Moves.SPARKLY_SWIRL, Type.FAIRY, MoveCategory.SPECIAL, 120, 85, 5, -1, 0, 7)
|
new AttackMove(Moves.SPARKLY_SWIRL, Type.FAIRY, MoveCategory.SPECIAL, 120, 85, 5, -1, 0, 7)
|
||||||
.partial(),
|
.attr(PartyStatusCureAttr, null, Abilities.NONE),
|
||||||
new AttackMove(Moves.VEEVEE_VOLLEY, Type.NORMAL, MoveCategory.PHYSICAL, -1, -1, 20, -1, 0, 7)
|
new AttackMove(Moves.VEEVEE_VOLLEY, Type.NORMAL, MoveCategory.PHYSICAL, -1, -1, 20, -1, 0, 7)
|
||||||
.attr(FriendshipPowerAttr),
|
.attr(FriendshipPowerAttr),
|
||||||
new AttackMove(Moves.DOUBLE_IRON_BASH, Type.STEEL, MoveCategory.PHYSICAL, 60, 100, 5, 30, 0, 7)
|
new AttackMove(Moves.DOUBLE_IRON_BASH, Type.STEEL, MoveCategory.PHYSICAL, 60, 100, 5, 30, 0, 7)
|
||||||
@ -6821,7 +7031,7 @@ export function initMoves() {
|
|||||||
const turnMove = user.getLastXMoves(1);
|
const turnMove = user.getLastXMoves(1);
|
||||||
return !turnMove.length || turnMove[0].move !== move.id || turnMove[0].result !== MoveResult.SUCCESS;
|
return !turnMove.length || turnMove[0].move !== move.id || turnMove[0].result !== MoveResult.SUCCESS;
|
||||||
}), // TODO Add Instruct/Encore interaction
|
}), // TODO Add Instruct/Encore interaction
|
||||||
new AttackMove(Moves.COMEUPPANCE, Type.DARK, MoveCategory.PHYSICAL, 1, 100, 10, -1, 0, 9)
|
new AttackMove(Moves.COMEUPPANCE, Type.DARK, MoveCategory.PHYSICAL, -1, 100, 10, -1, 0, 9)
|
||||||
.attr(CounterDamageAttr, (move: Move) => (move.category === MoveCategory.PHYSICAL || move.category === MoveCategory.SPECIAL), 1.5)
|
.attr(CounterDamageAttr, (move: Move) => (move.category === MoveCategory.PHYSICAL || move.category === MoveCategory.SPECIAL), 1.5)
|
||||||
.target(MoveTarget.ATTACKER),
|
.target(MoveTarget.ATTACKER),
|
||||||
new AttackMove(Moves.AQUA_CUTTER, Type.WATER, MoveCategory.PHYSICAL, 70, 100, 20, -1, 0, 9)
|
new AttackMove(Moves.AQUA_CUTTER, Type.WATER, MoveCategory.PHYSICAL, 70, 100, 20, -1, 0, 9)
|
||||||
|
@ -1385,10 +1385,10 @@ export const pokemonEvolutions: PokemonEvolutions = {
|
|||||||
new SpeciesEvolution(Species.HELIOLISK, 1, EvolutionItem.SUN_STONE, null, SpeciesWildEvolutionDelay.LONG)
|
new SpeciesEvolution(Species.HELIOLISK, 1, EvolutionItem.SUN_STONE, null, SpeciesWildEvolutionDelay.LONG)
|
||||||
],
|
],
|
||||||
[Species.CHARJABUG]: [
|
[Species.CHARJABUG]: [
|
||||||
new SpeciesEvolution(Species.VIKAVOLT, 1, EvolutionItem.THUNDER_STONE, null)
|
new SpeciesEvolution(Species.VIKAVOLT, 1, EvolutionItem.THUNDER_STONE, null, SpeciesWildEvolutionDelay.LONG)
|
||||||
],
|
],
|
||||||
[Species.CRABRAWLER]: [
|
[Species.CRABRAWLER]: [
|
||||||
new SpeciesEvolution(Species.CRABOMINABLE, 1, EvolutionItem.ICE_STONE, null)
|
new SpeciesEvolution(Species.CRABOMINABLE, 1, EvolutionItem.ICE_STONE, null, SpeciesWildEvolutionDelay.LONG)
|
||||||
],
|
],
|
||||||
[Species.ROCKRUFF]: [
|
[Species.ROCKRUFF]: [
|
||||||
new SpeciesFormEvolution(Species.LYCANROC, '', 'midday', 25, null, new SpeciesEvolutionCondition(p => (p.scene.arena.getTimeOfDay() === TimeOfDay.DAWN || p.scene.arena.getTimeOfDay() === TimeOfDay.DAY) && (p.formIndex === 0)), null),
|
new SpeciesFormEvolution(Species.LYCANROC, '', 'midday', 25, null, new SpeciesEvolutionCondition(p => (p.scene.arena.getTimeOfDay() === TimeOfDay.DAWN || p.scene.arena.getTimeOfDay() === TimeOfDay.DAY) && (p.formIndex === 0)), null),
|
||||||
|
@ -705,7 +705,9 @@ export const pokemonFormChanges: PokemonFormChanges = {
|
|||||||
new SpeciesFormChange(Species.OGERPON, 'cornerstone-mask-tera', 'cornerstone-mask', new SpeciesFormChangeManualTrigger(), true) //When no longer holding a Rock Tera Shard
|
new SpeciesFormChange(Species.OGERPON, 'cornerstone-mask-tera', 'cornerstone-mask', new SpeciesFormChangeManualTrigger(), true) //When no longer holding a Rock Tera Shard
|
||||||
],
|
],
|
||||||
[Species.TERAPAGOS]: [
|
[Species.TERAPAGOS]: [
|
||||||
new SpeciesFormChange(Species.TERAPAGOS, '', 'terastal', new SpeciesFormChangeManualTrigger(), true)
|
new SpeciesFormChange(Species.TERAPAGOS, '', 'terastal', new SpeciesFormChangeManualTrigger(), true),
|
||||||
|
new SpeciesFormChange(Species.TERAPAGOS, 'terastal', 'stellar', new SpeciesFormChangeManualTrigger(), true), //When holding a Stellar Tera Shard
|
||||||
|
new SpeciesFormChange(Species.TERAPAGOS, 'stellar', 'terastal', new SpeciesFormChangeManualTrigger(), true) //When no longer holding a Stellar Tera Shard
|
||||||
],
|
],
|
||||||
[Species.GALAR_DARMANITAN]: [
|
[Species.GALAR_DARMANITAN]: [
|
||||||
new SpeciesFormChange(Species.GALAR_DARMANITAN, '', 'zen', new SpeciesFormChangeManualTrigger(), true),
|
new SpeciesFormChange(Species.GALAR_DARMANITAN, '', 'zen', new SpeciesFormChangeManualTrigger(), true),
|
||||||
|
File diff suppressed because it is too large
Load Diff
@ -2759,7 +2759,7 @@ export const speciesStarters = {
|
|||||||
[Species.GROUDON]: 8,
|
[Species.GROUDON]: 8,
|
||||||
[Species.RAYQUAZA]: 8,
|
[Species.RAYQUAZA]: 8,
|
||||||
[Species.JIRACHI]: 7,
|
[Species.JIRACHI]: 7,
|
||||||
[Species.DEOXYS]: 8,
|
[Species.DEOXYS]: 7,
|
||||||
|
|
||||||
[Species.TURTWIG]: 3,
|
[Species.TURTWIG]: 3,
|
||||||
[Species.CHIMCHAR]: 3,
|
[Species.CHIMCHAR]: 3,
|
||||||
@ -2813,7 +2813,7 @@ export const speciesStarters = {
|
|||||||
[Species.DARKRAI]: 7,
|
[Species.DARKRAI]: 7,
|
||||||
[Species.SHAYMIN]: 7,
|
[Species.SHAYMIN]: 7,
|
||||||
[Species.ARCEUS]: 9,
|
[Species.ARCEUS]: 9,
|
||||||
[Species.VICTINI]: 8,
|
[Species.VICTINI]: 7,
|
||||||
|
|
||||||
[Species.SNIVY]: 3,
|
[Species.SNIVY]: 3,
|
||||||
[Species.TEPIG]: 3,
|
[Species.TEPIG]: 3,
|
||||||
@ -2895,7 +2895,7 @@ export const speciesStarters = {
|
|||||||
[Species.KYUREM]: 8,
|
[Species.KYUREM]: 8,
|
||||||
[Species.KELDEO]: 7,
|
[Species.KELDEO]: 7,
|
||||||
[Species.MELOETTA]: 7,
|
[Species.MELOETTA]: 7,
|
||||||
[Species.GENESECT]: 8,
|
[Species.GENESECT]: 7,
|
||||||
|
|
||||||
[Species.CHESPIN]: 3,
|
[Species.CHESPIN]: 3,
|
||||||
[Species.FENNEKIN]: 3,
|
[Species.FENNEKIN]: 3,
|
||||||
|
@ -855,14 +855,20 @@ export const trainerConfigs: TrainerConfigs = {
|
|||||||
}),
|
}),
|
||||||
[TrainerType.RIVAL_6]: new TrainerConfig(++t).setName('Finn').setHasGenders('Ivy').setHasCharSprite().setTitle('Rival').setBoss().setStaticParty().setMoneyMultiplier(3).setEncounterBgm('final').setBattleBgm('battle_rival_3').setPartyTemplates(trainerPartyTemplates.RIVAL_6)
|
[TrainerType.RIVAL_6]: new TrainerConfig(++t).setName('Finn').setHasGenders('Ivy').setHasCharSprite().setTitle('Rival').setBoss().setStaticParty().setMoneyMultiplier(3).setEncounterBgm('final').setBattleBgm('battle_rival_3').setPartyTemplates(trainerPartyTemplates.RIVAL_6)
|
||||||
.setPartyMemberFunc(0, getRandomPartyMemberFunc([ Species.VENUSAUR, Species.CHARIZARD, Species.BLASTOISE, Species.MEGANIUM, Species.TYPHLOSION, Species.FERALIGATR, Species.SCEPTILE, Species.BLAZIKEN, Species.SWAMPERT, Species.TORTERRA, Species.INFERNAPE, Species.EMPOLEON, Species.SERPERIOR, Species.EMBOAR, Species.SAMUROTT, Species.CHESNAUGHT, Species.DELPHOX, Species.GRENINJA, Species.DECIDUEYE, Species.INCINEROAR, Species.PRIMARINA, Species.RILLABOOM, Species.CINDERACE, Species.INTELEON, Species.MEOWSCARADA, Species.SKELEDIRGE, Species.QUAQUAVAL ], TrainerSlot.TRAINER, true,
|
.setPartyMemberFunc(0, getRandomPartyMemberFunc([ Species.VENUSAUR, Species.CHARIZARD, Species.BLASTOISE, Species.MEGANIUM, Species.TYPHLOSION, Species.FERALIGATR, Species.SCEPTILE, Species.BLAZIKEN, Species.SWAMPERT, Species.TORTERRA, Species.INFERNAPE, Species.EMPOLEON, Species.SERPERIOR, Species.EMBOAR, Species.SAMUROTT, Species.CHESNAUGHT, Species.DELPHOX, Species.GRENINJA, Species.DECIDUEYE, Species.INCINEROAR, Species.PRIMARINA, Species.RILLABOOM, Species.CINDERACE, Species.INTELEON, Species.MEOWSCARADA, Species.SKELEDIRGE, Species.QUAQUAVAL ], TrainerSlot.TRAINER, true,
|
||||||
p => p.setBoss(true, 3))
|
p => {
|
||||||
)
|
p.setBoss(true, 3);
|
||||||
|
p.generateAndPopulateMoveset();
|
||||||
|
}))
|
||||||
.setPartyMemberFunc(1, getRandomPartyMemberFunc([ Species.PIDGEOT, Species.NOCTOWL, Species.SWELLOW, Species.STARAPTOR, Species.UNFEZANT, Species.TALONFLAME, Species.TOUCANNON, Species.CORVIKNIGHT, Species.KILOWATTREL ], TrainerSlot.TRAINER, true,
|
.setPartyMemberFunc(1, getRandomPartyMemberFunc([ Species.PIDGEOT, Species.NOCTOWL, Species.SWELLOW, Species.STARAPTOR, Species.UNFEZANT, Species.TALONFLAME, Species.TOUCANNON, Species.CORVIKNIGHT, Species.KILOWATTREL ], TrainerSlot.TRAINER, true,
|
||||||
p => p.setBoss(true, 2)))
|
p => {
|
||||||
|
p.setBoss(true, 2);
|
||||||
|
p.generateAndPopulateMoveset();
|
||||||
|
}))
|
||||||
.setPartyMemberFunc(2, getSpeciesFilterRandomPartyMemberFunc((species: PokemonSpecies) => !pokemonEvolutions.hasOwnProperty(species.speciesId) && !pokemonPrevolutions.hasOwnProperty(species.speciesId) && species.baseTotal >= 450))
|
.setPartyMemberFunc(2, getSpeciesFilterRandomPartyMemberFunc((species: PokemonSpecies) => !pokemonEvolutions.hasOwnProperty(species.speciesId) && !pokemonPrevolutions.hasOwnProperty(species.speciesId) && species.baseTotal >= 450))
|
||||||
.setSpeciesFilter(species => species.baseTotal >= 540)
|
.setSpeciesFilter(species => species.baseTotal >= 540)
|
||||||
.setPartyMemberFunc(5, getRandomPartyMemberFunc([ Species.RAYQUAZA ], TrainerSlot.TRAINER, true, p => {
|
.setPartyMemberFunc(5, getRandomPartyMemberFunc([ Species.RAYQUAZA ], TrainerSlot.TRAINER, true, p => {
|
||||||
p.setBoss();
|
p.setBoss();
|
||||||
|
p.generateAndPopulateMoveset();
|
||||||
p.pokeball = PokeballType.MASTER_BALL;
|
p.pokeball = PokeballType.MASTER_BALL;
|
||||||
p.shiny = true;
|
p.shiny = true;
|
||||||
p.variant = 1;
|
p.variant = 1;
|
||||||
|
@ -7,6 +7,7 @@ import * as Utils from "../utils";
|
|||||||
import BattleScene from "../battle-scene";
|
import BattleScene from "../battle-scene";
|
||||||
import { SuppressWeatherEffectAbAttr } from "./ability";
|
import { SuppressWeatherEffectAbAttr } from "./ability";
|
||||||
import { TerrainType } from "./terrain";
|
import { TerrainType } from "./terrain";
|
||||||
|
import i18next from "i18next";
|
||||||
|
|
||||||
export enum WeatherType {
|
export enum WeatherType {
|
||||||
NONE,
|
NONE,
|
||||||
@ -121,23 +122,23 @@ export class Weather {
|
|||||||
export function getWeatherStartMessage(weatherType: WeatherType): string {
|
export function getWeatherStartMessage(weatherType: WeatherType): string {
|
||||||
switch (weatherType) {
|
switch (weatherType) {
|
||||||
case WeatherType.SUNNY:
|
case WeatherType.SUNNY:
|
||||||
return 'The sunlight got bright!';
|
return i18next.t('weather:sunnyStartMessage');
|
||||||
case WeatherType.RAIN:
|
case WeatherType.RAIN:
|
||||||
return 'A downpour started!';
|
return i18next.t('weather:rainStartMessage');
|
||||||
case WeatherType.SANDSTORM:
|
case WeatherType.SANDSTORM:
|
||||||
return 'A sandstorm brewed!';
|
return i18next.t('weather:sandstormStartMessage');
|
||||||
case WeatherType.HAIL:
|
case WeatherType.HAIL:
|
||||||
return 'It started to hail!';
|
return i18next.t('weather:hailStartMessage');
|
||||||
case WeatherType.SNOW:
|
case WeatherType.SNOW:
|
||||||
return 'It started to snow!';
|
return i18next.t('weather:snowStartMessage');
|
||||||
case WeatherType.FOG:
|
case WeatherType.FOG:
|
||||||
return 'A thick fog emerged!'
|
return i18next.t('weather:fogStartMessage');
|
||||||
case WeatherType.HEAVY_RAIN:
|
case WeatherType.HEAVY_RAIN:
|
||||||
return 'A heavy downpour started!'
|
return i18next.t('weather:heavyRainStartMessage');
|
||||||
case WeatherType.HARSH_SUN:
|
case WeatherType.HARSH_SUN:
|
||||||
return 'The sunlight got hot!'
|
return i18next.t('weather:harshSunStartMessage');
|
||||||
case WeatherType.STRONG_WINDS:
|
case WeatherType.STRONG_WINDS:
|
||||||
return 'A heavy wind began!';
|
return i18next.t('weather:strongWindsStartMessage');
|
||||||
}
|
}
|
||||||
|
|
||||||
return null;
|
return null;
|
||||||
@ -146,23 +147,23 @@ export function getWeatherStartMessage(weatherType: WeatherType): string {
|
|||||||
export function getWeatherLapseMessage(weatherType: WeatherType): string {
|
export function getWeatherLapseMessage(weatherType: WeatherType): string {
|
||||||
switch (weatherType) {
|
switch (weatherType) {
|
||||||
case WeatherType.SUNNY:
|
case WeatherType.SUNNY:
|
||||||
return 'The sunlight is strong.';
|
return i18next.t('weather:sunnyLapseMessage');
|
||||||
case WeatherType.RAIN:
|
case WeatherType.RAIN:
|
||||||
return 'The downpour continues.';
|
return i18next.t('weather:rainLapseMessage');
|
||||||
case WeatherType.SANDSTORM:
|
case WeatherType.SANDSTORM:
|
||||||
return 'The sandstorm rages.';
|
return i18next.t('weather:sandstormLapseMessage');
|
||||||
case WeatherType.HAIL:
|
case WeatherType.HAIL:
|
||||||
return 'Hail continues to fall.';
|
return i18next.t('weather:hailLapseMessage');
|
||||||
case WeatherType.SNOW:
|
case WeatherType.SNOW:
|
||||||
return 'The snow is falling down.';
|
return i18next.t('weather:snowLapseMessage');
|
||||||
case WeatherType.FOG:
|
case WeatherType.FOG:
|
||||||
return 'The fog continues.';
|
return i18next.t('weather:fogLapseMessage');
|
||||||
case WeatherType.HEAVY_RAIN:
|
case WeatherType.HEAVY_RAIN:
|
||||||
return 'The heavy downpour continues.'
|
return i18next.t('weather:heavyRainLapseMessage');
|
||||||
case WeatherType.HARSH_SUN:
|
case WeatherType.HARSH_SUN:
|
||||||
return 'The sun is scorching hot.'
|
return i18next.t('weather:harshSunLapseMessage');
|
||||||
case WeatherType.STRONG_WINDS:
|
case WeatherType.STRONG_WINDS:
|
||||||
return 'The wind blows intensely.';
|
return i18next.t('weather:strongWindsLapseMessage');
|
||||||
}
|
}
|
||||||
|
|
||||||
return null;
|
return null;
|
||||||
@ -182,23 +183,23 @@ export function getWeatherDamageMessage(weatherType: WeatherType, pokemon: Pokem
|
|||||||
export function getWeatherClearMessage(weatherType: WeatherType): string {
|
export function getWeatherClearMessage(weatherType: WeatherType): string {
|
||||||
switch (weatherType) {
|
switch (weatherType) {
|
||||||
case WeatherType.SUNNY:
|
case WeatherType.SUNNY:
|
||||||
return 'The sunlight faded.';
|
return i18next.t('weather:sunnyClearMessage');
|
||||||
case WeatherType.RAIN:
|
case WeatherType.RAIN:
|
||||||
return 'The rain stopped.';
|
return i18next.t('weather:rainClearMessage');
|
||||||
case WeatherType.SANDSTORM:
|
case WeatherType.SANDSTORM:
|
||||||
return 'The sandstorm subsided.';
|
return i18next.t('weather:sandstormClearMessage');
|
||||||
case WeatherType.HAIL:
|
case WeatherType.HAIL:
|
||||||
return 'The hail stopped.';
|
return i18next.t('weather:hailClearMessage');
|
||||||
case WeatherType.SNOW:
|
case WeatherType.SNOW:
|
||||||
return 'The snow stopped.';
|
return i18next.t('weather:snowClearMessage');
|
||||||
case WeatherType.FOG:
|
case WeatherType.FOG:
|
||||||
return 'The fog disappeared.'
|
return i18next.t('weather:fogClearMessage');
|
||||||
case WeatherType.HEAVY_RAIN:
|
case WeatherType.HEAVY_RAIN:
|
||||||
return 'The heavy rain stopped.'
|
return i18next.t('weather:heavyRainClearMessage');
|
||||||
case WeatherType.HARSH_SUN:
|
case WeatherType.HARSH_SUN:
|
||||||
return 'The harsh sunlight faded.'
|
return i18next.t('weather:harshSunClearMessage');
|
||||||
case WeatherType.STRONG_WINDS:
|
case WeatherType.STRONG_WINDS:
|
||||||
return 'The heavy wind stopped.';
|
return i18next.t('weather:strongWindsClearMessage');
|
||||||
}
|
}
|
||||||
|
|
||||||
return null;
|
return null;
|
||||||
|
@ -9,6 +9,7 @@ import { LearnMovePhase } from "./phases";
|
|||||||
import { cos, sin } from "./field/anims";
|
import { cos, sin } from "./field/anims";
|
||||||
import { PlayerPokemon } from "./field/pokemon";
|
import { PlayerPokemon } from "./field/pokemon";
|
||||||
import { getTypeRgb } from "./data/type";
|
import { getTypeRgb } from "./data/type";
|
||||||
|
import i18next from "i18next";
|
||||||
|
|
||||||
export class EvolutionPhase extends Phase {
|
export class EvolutionPhase extends Phase {
|
||||||
protected pokemon: PlayerPokemon;
|
protected pokemon: PlayerPokemon;
|
||||||
@ -115,7 +116,7 @@ export class EvolutionPhase extends Phase {
|
|||||||
const evolutionHandler = this.scene.ui.getHandler() as EvolutionSceneHandler;
|
const evolutionHandler = this.scene.ui.getHandler() as EvolutionSceneHandler;
|
||||||
const preName = this.pokemon.name;
|
const preName = this.pokemon.name;
|
||||||
|
|
||||||
this.scene.ui.showText(`What?\n${preName} is evolving!`, null, () => {
|
this.scene.ui.showText(i18next.t('menu:evolving', { pokemonName: preName }), null, () => {
|
||||||
this.pokemon.cry();
|
this.pokemon.cry();
|
||||||
|
|
||||||
this.pokemon.getPossibleEvolution(this.evolution).then(evolvedPokemon => {
|
this.pokemon.getPossibleEvolution(this.evolution).then(evolvedPokemon => {
|
||||||
@ -187,8 +188,8 @@ export class EvolutionPhase extends Phase {
|
|||||||
|
|
||||||
this.scene.unshiftPhase(new EndEvolutionPhase(this.scene));
|
this.scene.unshiftPhase(new EndEvolutionPhase(this.scene));
|
||||||
|
|
||||||
this.scene.ui.showText(`${preName} stopped evolving.`, null, () => {
|
this.scene.ui.showText(i18next.t('menu:stoppedEvolving', { pokemonName: preName }), null, () => {
|
||||||
this.scene.ui.showText(`Would you like to pause evolutions for ${preName}?\nEvolutions can be re-enabled from the party screen.`, null, () => {
|
this.scene.ui.showText(i18next.t('menu:pauseEvolutionsQuestion', { pokemonName: preName }), null, () => {
|
||||||
const end = () => {
|
const end = () => {
|
||||||
this.scene.ui.showText(null, 0);
|
this.scene.ui.showText(null, 0);
|
||||||
this.scene.playBgm();
|
this.scene.playBgm();
|
||||||
@ -198,7 +199,7 @@ export class EvolutionPhase extends Phase {
|
|||||||
this.scene.ui.setOverlayMode(Mode.CONFIRM, () => {
|
this.scene.ui.setOverlayMode(Mode.CONFIRM, () => {
|
||||||
this.scene.ui.revertMode();
|
this.scene.ui.revertMode();
|
||||||
this.pokemon.pauseEvolutions = true;
|
this.pokemon.pauseEvolutions = true;
|
||||||
this.scene.ui.showText(`Evolutions have been paused for ${preName}.`, null, end, 3000);
|
this.scene.ui.showText(i18next.t('menu:evolutionsPaused', { pokemonName: preName }), null, end, 3000);
|
||||||
}, () => {
|
}, () => {
|
||||||
this.scene.ui.revertMode();
|
this.scene.ui.revertMode();
|
||||||
this.scene.time.delayedCall(3000, end);
|
this.scene.time.delayedCall(3000, end);
|
||||||
@ -249,7 +250,7 @@ export class EvolutionPhase extends Phase {
|
|||||||
this.scene.playSoundWithoutBgm('evolution_fanfare');
|
this.scene.playSoundWithoutBgm('evolution_fanfare');
|
||||||
|
|
||||||
evolvedPokemon.destroy();
|
evolvedPokemon.destroy();
|
||||||
this.scene.ui.showText(`Congratulations!\nYour ${preName} evolved into ${this.pokemon.name}!`, null, () => this.end(), null, true, Utils.fixedInt(4000));
|
this.scene.ui.showText(i18next.t('menu:evolutionDone', { pokemonName: preName, evolvedPokemonName: this.pokemon.name }), null, () => this.end(), null, true, Utils.fixedInt(4000));
|
||||||
this.scene.time.delayedCall(Utils.fixedInt(4250), () => this.scene.playBgm());
|
this.scene.time.delayedCall(Utils.fixedInt(4250), () => this.scene.playBgm());
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
|
@ -206,6 +206,7 @@ export class Arena {
|
|||||||
case Biome.TALL_GRASS:
|
case Biome.TALL_GRASS:
|
||||||
return Type.GRASS;
|
return Type.GRASS;
|
||||||
case Biome.FOREST:
|
case Biome.FOREST:
|
||||||
|
case Biome.JUNGLE:
|
||||||
return Type.BUG;
|
return Type.BUG;
|
||||||
case Biome.SLUM:
|
case Biome.SLUM:
|
||||||
case Biome.SWAMP:
|
case Biome.SWAMP:
|
||||||
@ -237,8 +238,10 @@ export class Arena {
|
|||||||
case Biome.TEMPLE:
|
case Biome.TEMPLE:
|
||||||
return Type.GHOST;
|
return Type.GHOST;
|
||||||
case Biome.DOJO:
|
case Biome.DOJO:
|
||||||
|
case Biome.CONSTRUCTION_SITE:
|
||||||
return Type.FIGHTING;
|
return Type.FIGHTING;
|
||||||
case Biome.FACTORY:
|
case Biome.FACTORY:
|
||||||
|
case Biome.LABORATORY:
|
||||||
return Type.STEEL;
|
return Type.STEEL;
|
||||||
case Biome.RUINS:
|
case Biome.RUINS:
|
||||||
case Biome.SPACE:
|
case Biome.SPACE:
|
||||||
@ -248,6 +251,8 @@ export class Arena {
|
|||||||
return Type.DRAGON;
|
return Type.DRAGON;
|
||||||
case Biome.ABYSS:
|
case Biome.ABYSS:
|
||||||
return Type.DARK;
|
return Type.DARK;
|
||||||
|
default:
|
||||||
|
return Type.UNKNOWN;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -617,7 +622,7 @@ export class Arena {
|
|||||||
case Biome.CONSTRUCTION_SITE:
|
case Biome.CONSTRUCTION_SITE:
|
||||||
return 1.222;
|
return 1.222;
|
||||||
case Biome.JUNGLE:
|
case Biome.JUNGLE:
|
||||||
return 2.477;
|
return 0.000;
|
||||||
case Biome.FAIRY_CAVE:
|
case Biome.FAIRY_CAVE:
|
||||||
return 4.542;
|
return 4.542;
|
||||||
case Biome.TEMPLE:
|
case Biome.TEMPLE:
|
||||||
|
@ -13,7 +13,7 @@ export default class DamageNumberHandler {
|
|||||||
add(target: Pokemon, amount: integer, result: DamageResult | HitResult.HEAL = HitResult.EFFECTIVE, critical: boolean = false): void {
|
add(target: Pokemon, amount: integer, result: DamageResult | HitResult.HEAL = HitResult.EFFECTIVE, critical: boolean = false): void {
|
||||||
const scene = target.scene;
|
const scene = target.scene;
|
||||||
|
|
||||||
if (!scene.damageNumbersMode)
|
if (!scene?.damageNumbersMode)
|
||||||
return;
|
return;
|
||||||
|
|
||||||
const battlerIndex = target.getBattlerIndex();
|
const battlerIndex = target.getBattlerIndex();
|
||||||
|
@ -4,7 +4,7 @@ import { Variant, VariantSet, variantColorCache } from '#app/data/variant';
|
|||||||
import { variantData } from '#app/data/variant';
|
import { variantData } from '#app/data/variant';
|
||||||
import BattleInfo, { PlayerBattleInfo, EnemyBattleInfo } from '../ui/battle-info';
|
import BattleInfo, { PlayerBattleInfo, EnemyBattleInfo } from '../ui/battle-info';
|
||||||
import { Moves } from "../data/enums/moves";
|
import { Moves } from "../data/enums/moves";
|
||||||
import Move, { HighCritAttr, HitsTagAttr, applyMoveAttrs, FixedDamageAttr, VariableAtkAttr, VariablePowerAttr, allMoves, MoveCategory, TypelessAttr, CritOnlyAttr, getMoveTargets, OneHitKOAttr, MultiHitAttr, StatusMoveTypeImmunityAttr, MoveTarget, VariableDefAttr, AttackMove, ModifiedDamageAttr, VariableMoveTypeMultiplierAttr, IgnoreOpponentStatChangesAttr, SacrificialAttr, VariableMoveTypeAttr, VariableMoveCategoryAttr, CounterDamageAttr, StatChangeAttr, RechargeAttr, ChargeAttr, IgnoreWeatherTypeDebuffAttr } from "../data/move";
|
import Move, { HighCritAttr, HitsTagAttr, applyMoveAttrs, FixedDamageAttr, VariableAtkAttr, VariablePowerAttr, allMoves, MoveCategory, TypelessAttr, CritOnlyAttr, getMoveTargets, OneHitKOAttr, MultiHitAttr, StatusMoveTypeImmunityAttr, MoveTarget, VariableDefAttr, AttackMove, ModifiedDamageAttr, VariableMoveTypeMultiplierAttr, IgnoreOpponentStatChangesAttr, SacrificialAttr, VariableMoveTypeAttr, VariableMoveCategoryAttr, CounterDamageAttr, StatChangeAttr, RechargeAttr, ChargeAttr, IgnoreWeatherTypeDebuffAttr, BypassBurnDamageReductionAttr } from "../data/move";
|
||||||
import { default as PokemonSpecies, PokemonSpeciesForm, SpeciesFormKey, getFusedSpeciesName, getPokemonSpecies, getPokemonSpeciesForm, getStarterValueFriendshipCap, speciesStarters, starterPassiveAbilities } from '../data/pokemon-species';
|
import { default as PokemonSpecies, PokemonSpeciesForm, SpeciesFormKey, getFusedSpeciesName, getPokemonSpecies, getPokemonSpeciesForm, getStarterValueFriendshipCap, speciesStarters, starterPassiveAbilities } from '../data/pokemon-species';
|
||||||
import * as Utils from '../utils';
|
import * as Utils from '../utils';
|
||||||
import { Type, TypeDamageMultiplier, getTypeDamageMultiplier, getTypeRgb } from '../data/type';
|
import { Type, TypeDamageMultiplier, getTypeDamageMultiplier, getTypeRgb } from '../data/type';
|
||||||
@ -27,7 +27,7 @@ import { TempBattleStat } from '../data/temp-battle-stat';
|
|||||||
import { ArenaTagSide, WeakenMoveScreenTag, WeakenMoveTypeTag } from '../data/arena-tag';
|
import { ArenaTagSide, WeakenMoveScreenTag, WeakenMoveTypeTag } from '../data/arena-tag';
|
||||||
import { ArenaTagType } from "../data/enums/arena-tag-type";
|
import { ArenaTagType } from "../data/enums/arena-tag-type";
|
||||||
import { Biome } from "../data/enums/biome";
|
import { Biome } from "../data/enums/biome";
|
||||||
import { Ability, AbAttr, BattleStatMultiplierAbAttr, BlockCritAbAttr, BonusCritAbAttr, BypassBurnDamageReductionAbAttr, FieldPriorityMoveImmunityAbAttr, FieldVariableMovePowerAbAttr, IgnoreOpponentStatChangesAbAttr, MoveImmunityAbAttr, MoveTypeChangeAttr, NonSuperEffectiveImmunityAbAttr, PreApplyBattlerTagAbAttr, PreDefendFullHpEndureAbAttr, ReceivedMoveDamageMultiplierAbAttr, ReduceStatusEffectDurationAbAttr, StabBoostAbAttr, StatusEffectImmunityAbAttr, TypeImmunityAbAttr, VariableMovePowerAbAttr, VariableMoveTypeAbAttr, WeightMultiplierAbAttr, allAbilities, applyAbAttrs, applyBattleStatMultiplierAbAttrs, applyPostDefendAbAttrs, applyPreApplyBattlerTagAbAttrs, applyPreAttackAbAttrs, applyPreDefendAbAttrs, applyPreSetStatusAbAttrs, UnsuppressableAbilityAbAttr, SuppressFieldAbilitiesAbAttr, NoFusionAbilityAbAttr, MultCritAbAttr, IgnoreTypeImmunityAbAttr } from '../data/ability';
|
import { Ability, AbAttr, BattleStatMultiplierAbAttr, BlockCritAbAttr, BonusCritAbAttr, BypassBurnDamageReductionAbAttr, FieldPriorityMoveImmunityAbAttr, FieldVariableMovePowerAbAttr, IgnoreOpponentStatChangesAbAttr, MoveImmunityAbAttr, MoveTypeChangeAttr, NonSuperEffectiveImmunityAbAttr, PreApplyBattlerTagAbAttr, PreDefendFullHpEndureAbAttr, ReceivedMoveDamageMultiplierAbAttr, ReduceStatusEffectDurationAbAttr, StabBoostAbAttr, StatusEffectImmunityAbAttr, TypeImmunityAbAttr, VariableMovePowerAbAttr, VariableMoveTypeAbAttr, WeightMultiplierAbAttr, allAbilities, applyAbAttrs, applyBattleStatMultiplierAbAttrs, applyPostDefendAbAttrs, applyPreApplyBattlerTagAbAttrs, applyPreAttackAbAttrs, applyPreDefendAbAttrs, applyPreSetStatusAbAttrs, UnsuppressableAbilityAbAttr, SuppressFieldAbilitiesAbAttr, NoFusionAbilityAbAttr, MultCritAbAttr, IgnoreTypeImmunityAbAttr, DamageBoostAbAttr, IgnoreTypeStatusEffectImmunityAbAttr } from '../data/ability';
|
||||||
import { Abilities } from "#app/data/enums/abilities";
|
import { Abilities } from "#app/data/enums/abilities";
|
||||||
import PokemonData from '../system/pokemon-data';
|
import PokemonData from '../system/pokemon-data';
|
||||||
import Battle, { BattlerIndex } from '../battle';
|
import Battle, { BattlerIndex } from '../battle';
|
||||||
@ -1225,24 +1225,24 @@ export default abstract class Pokemon extends Phaser.GameObjects.Container {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
if (this.level >= 25) { // No egg moves below level 25
|
if (this.level >= 60) { // No egg moves below level 60
|
||||||
for (let i = 0; i < 3; i++) {
|
for (let i = 0; i < 3; i++) {
|
||||||
const moveId = speciesEggMoves[this.species.getRootSpeciesId()][i];
|
const moveId = speciesEggMoves[this.species.getRootSpeciesId()][i];
|
||||||
if (!movePool.some(m => m[0] === moveId) && !allMoves[moveId].name.endsWith(' (N)'))
|
if (!movePool.some(m => m[0] === moveId) && !allMoves[moveId].name.endsWith(' (N)'))
|
||||||
movePool.push([moveId, Math.min(this.level * 0.5, 40)]);
|
movePool.push([moveId, 40]);
|
||||||
}
|
}
|
||||||
const moveId = speciesEggMoves[this.species.getRootSpeciesId()][3];
|
const moveId = speciesEggMoves[this.species.getRootSpeciesId()][3];
|
||||||
if (this.level >= 60 && !movePool.some(m => m[0] === moveId) && !allMoves[moveId].name.endsWith(' (N)')) // No rare egg moves before level 60
|
if (this.level >= 170 && !movePool.some(m => m[0] === moveId) && !allMoves[moveId].name.endsWith(' (N)') && !this.isBoss()) // No rare egg moves before e4
|
||||||
movePool.push([moveId, Math.min(this.level * 0.2, 20)]);
|
movePool.push([moveId, 30]);
|
||||||
if (this.fusionSpecies) {
|
if (this.fusionSpecies) {
|
||||||
for (let i = 0; i < 3; i++) {
|
for (let i = 0; i < 3; i++) {
|
||||||
const moveId = speciesEggMoves[this.fusionSpecies.getRootSpeciesId()][i];
|
const moveId = speciesEggMoves[this.fusionSpecies.getRootSpeciesId()][i];
|
||||||
if (!movePool.some(m => m[0] === moveId) && !allMoves[moveId].name.endsWith(' (N)'))
|
if (!movePool.some(m => m[0] === moveId) && !allMoves[moveId].name.endsWith(' (N)'))
|
||||||
movePool.push([moveId, Math.min(this.level * 0.5, 30)]);
|
movePool.push([moveId, 40]);
|
||||||
}
|
}
|
||||||
const moveId = speciesEggMoves[this.fusionSpecies.getRootSpeciesId()][3];
|
const moveId = speciesEggMoves[this.fusionSpecies.getRootSpeciesId()][3];
|
||||||
if (this.level >= 60 && !movePool.some(m => m[0] === moveId) && !allMoves[moveId].name.endsWith(' (N)')) // No rare egg moves before level 60
|
if (this.level >= 170 && !movePool.some(m => m[0] === moveId) && !allMoves[moveId].name.endsWith(' (N)') && !this.isBoss()) // No rare egg moves before e4
|
||||||
movePool.push([moveId, Math.min(this.level * 0.2, 20)]);
|
movePool.push([moveId, 30]);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -1540,11 +1540,22 @@ export default abstract class Pokemon extends Phaser.GameObjects.Container {
|
|||||||
if (!isTypeImmune) {
|
if (!isTypeImmune) {
|
||||||
damage.value = Math.ceil(((((2 * source.level / 5 + 2) * power.value * sourceAtk.value / targetDef.value) / 50) + 2) * stabMultiplier.value * typeMultiplier.value * arenaAttackTypeMultiplier.value * screenMultiplier.value * ((this.scene.randBattleSeedInt(15) + 85) / 100) * criticalMultiplier.value);
|
damage.value = Math.ceil(((((2 * source.level / 5 + 2) * power.value * sourceAtk.value / targetDef.value) / 50) + 2) * stabMultiplier.value * typeMultiplier.value * arenaAttackTypeMultiplier.value * screenMultiplier.value * ((this.scene.randBattleSeedInt(15) + 85) / 100) * criticalMultiplier.value);
|
||||||
if (isPhysical && source.status && source.status.effect === StatusEffect.BURN) {
|
if (isPhysical && source.status && source.status.effect === StatusEffect.BURN) {
|
||||||
const burnDamageReductionCancelled = new Utils.BooleanHolder(false);
|
if(!move.getAttrs(BypassBurnDamageReductionAttr).length) {
|
||||||
applyAbAttrs(BypassBurnDamageReductionAbAttr, source, burnDamageReductionCancelled);
|
const burnDamageReductionCancelled = new Utils.BooleanHolder(false);
|
||||||
if (!burnDamageReductionCancelled.value)
|
applyAbAttrs(BypassBurnDamageReductionAbAttr, source, burnDamageReductionCancelled);
|
||||||
damage.value = Math.floor(damage.value / 2);
|
if (!burnDamageReductionCancelled.value)
|
||||||
|
damage.value = Math.floor(damage.value / 2);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
applyPreAttackAbAttrs(DamageBoostAbAttr, source, this, battlerMove, damage);
|
||||||
|
|
||||||
|
/**
|
||||||
|
* For each {@link HitsTagAttr} the move has, doubles the damage of the move if:
|
||||||
|
* The target has a {@link BattlerTagType} that this move interacts with
|
||||||
|
* AND
|
||||||
|
* The move doubles damage when used against that tag
|
||||||
|
* */
|
||||||
move.getAttrs(HitsTagAttr).map(hta => hta as HitsTagAttr).filter(hta => hta.doubleDamage).forEach(hta => {
|
move.getAttrs(HitsTagAttr).map(hta => hta as HitsTagAttr).filter(hta => hta.doubleDamage).forEach(hta => {
|
||||||
if (this.getTag(hta.tagType))
|
if (this.getTag(hta.tagType))
|
||||||
damage.value *= 2;
|
damage.value *= 2;
|
||||||
@ -1564,7 +1575,7 @@ export default abstract class Pokemon extends Phaser.GameObjects.Container {
|
|||||||
|
|
||||||
if (!result) {
|
if (!result) {
|
||||||
if (!typeMultiplier.value)
|
if (!typeMultiplier.value)
|
||||||
result = HitResult.NO_EFFECT;
|
result = move.id == Moves.SHEER_COLD ? HitResult.IMMUNE : HitResult.NO_EFFECT;
|
||||||
else {
|
else {
|
||||||
const oneHitKo = new Utils.BooleanHolder(false);
|
const oneHitKo = new Utils.BooleanHolder(false);
|
||||||
applyMoveAttrs(OneHitKOAttr, source, this, move, oneHitKo);
|
applyMoveAttrs(OneHitKOAttr, source, this, move, oneHitKo);
|
||||||
@ -1632,6 +1643,9 @@ export default abstract class Pokemon extends Phaser.GameObjects.Container {
|
|||||||
case HitResult.NO_EFFECT:
|
case HitResult.NO_EFFECT:
|
||||||
this.scene.queueMessage(i18next.t('battle:hitResultNoEffect', { pokemonName: this.name }));
|
this.scene.queueMessage(i18next.t('battle:hitResultNoEffect', { pokemonName: this.name }));
|
||||||
break;
|
break;
|
||||||
|
case HitResult.IMMUNE:
|
||||||
|
this.scene.queueMessage(`${this.name} is unaffected!`);
|
||||||
|
break;
|
||||||
case HitResult.ONE_HIT_KO:
|
case HitResult.ONE_HIT_KO:
|
||||||
this.scene.queueMessage(i18next.t('battle:hitResultOneHitKO'));
|
this.scene.queueMessage(i18next.t('battle:hitResultOneHitKO'));
|
||||||
break;
|
break;
|
||||||
@ -2025,7 +2039,7 @@ export default abstract class Pokemon extends Phaser.GameObjects.Container {
|
|||||||
return this.gender !== Gender.GENDERLESS && pokemon.gender === (this.gender === Gender.MALE ? Gender.FEMALE : Gender.MALE);
|
return this.gender !== Gender.GENDERLESS && pokemon.gender === (this.gender === Gender.MALE ? Gender.FEMALE : Gender.MALE);
|
||||||
}
|
}
|
||||||
|
|
||||||
canSetStatus(effect: StatusEffect, quiet: boolean = false, overrideStatus: boolean = false): boolean {
|
canSetStatus(effect: StatusEffect, quiet: boolean = false, overrideStatus: boolean = false, sourcePokemon: Pokemon = null): boolean {
|
||||||
if (effect !== StatusEffect.FAINT) {
|
if (effect !== StatusEffect.FAINT) {
|
||||||
if (overrideStatus ? this.status?.effect === effect : this.status)
|
if (overrideStatus ? this.status?.effect === effect : this.status)
|
||||||
return false;
|
return false;
|
||||||
@ -2033,11 +2047,32 @@ export default abstract class Pokemon extends Phaser.GameObjects.Container {
|
|||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const types = this.getTypes(true, true);
|
||||||
|
|
||||||
switch (effect) {
|
switch (effect) {
|
||||||
case StatusEffect.POISON:
|
case StatusEffect.POISON:
|
||||||
case StatusEffect.TOXIC:
|
case StatusEffect.TOXIC:
|
||||||
if (this.isOfType(Type.POISON) || this.isOfType(Type.STEEL))
|
// Check if the Pokemon is immune to Poison/Toxic or if the source pokemon is canceling the immunity
|
||||||
return false;
|
let poisonImmunity = types.map(defType => {
|
||||||
|
// Check if the Pokemon is not immune to Poison/Toxic
|
||||||
|
if (defType !== Type.POISON && defType !== Type.STEEL)
|
||||||
|
return false;
|
||||||
|
|
||||||
|
// Check if the source Pokemon has an ability that cancels the Poison/Toxic immunity
|
||||||
|
const cancelImmunity = new Utils.BooleanHolder(false);
|
||||||
|
if (sourcePokemon) {
|
||||||
|
applyAbAttrs(IgnoreTypeStatusEffectImmunityAbAttr, sourcePokemon, cancelImmunity, effect, defType);
|
||||||
|
if (cancelImmunity.value)
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
return true;
|
||||||
|
})
|
||||||
|
|
||||||
|
if (this.isOfType(Type.POISON) || this.isOfType(Type.STEEL)) {
|
||||||
|
if (poisonImmunity.includes(true))
|
||||||
|
return false;
|
||||||
|
}
|
||||||
break;
|
break;
|
||||||
case StatusEffect.PARALYSIS:
|
case StatusEffect.PARALYSIS:
|
||||||
if (this.isOfType(Type.ELECTRIC))
|
if (this.isOfType(Type.ELECTRIC))
|
||||||
@ -2066,12 +2101,12 @@ export default abstract class Pokemon extends Phaser.GameObjects.Container {
|
|||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
|
|
||||||
trySetStatus(effect: StatusEffect, asPhase: boolean = false, cureTurn: integer = 0, sourceText: string = null): boolean {
|
trySetStatus(effect: StatusEffect, asPhase: boolean = false, sourcePokemon: Pokemon = null, cureTurn: integer = 0, sourceText: string = null): boolean {
|
||||||
if (!this.canSetStatus(effect, asPhase))
|
if (!this.canSetStatus(effect, asPhase, false, sourcePokemon))
|
||||||
return false;
|
return false;
|
||||||
|
|
||||||
if (asPhase) {
|
if (asPhase) {
|
||||||
this.scene.unshiftPhase(new ObtainStatusEffectPhase(this.scene, this.getBattlerIndex(), effect, cureTurn, sourceText));
|
this.scene.unshiftPhase(new ObtainStatusEffectPhase(this.scene, this.getBattlerIndex(), effect, cureTurn, sourceText, sourcePokemon));
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -3340,7 +3375,8 @@ export enum HitResult {
|
|||||||
HEAL,
|
HEAL,
|
||||||
FAIL,
|
FAIL,
|
||||||
MISS,
|
MISS,
|
||||||
OTHER
|
OTHER,
|
||||||
|
IMMUNE
|
||||||
}
|
}
|
||||||
|
|
||||||
export type DamageResult = HitResult.EFFECTIVE | HitResult.SUPER_EFFECTIVE | HitResult.NOT_VERY_EFFECTIVE | HitResult.ONE_HIT_KO | HitResult.OTHER;
|
export type DamageResult = HitResult.EFFECTIVE | HitResult.SUPER_EFFECTIVE | HitResult.NOT_VERY_EFFECTIVE | HitResult.ONE_HIT_KO | HitResult.OTHER;
|
||||||
|
5
src/locales/de/ability-trigger.ts
Normal file
5
src/locales/de/ability-trigger.ts
Normal file
@ -0,0 +1,5 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const abilityTriggers: SimpleTranslationEntries = {
|
||||||
|
'blockRecoilDamage' : `{{pokemonName}} wurde durch {{abilityName}}\nvor Rückstoß geschützt!`,
|
||||||
|
} as const;
|
@ -9,11 +9,11 @@ export const battle: SimpleTranslationEntries = {
|
|||||||
"trainerComeBack": "{{trainerName}} ruft {{pokemonName}} zurück!",
|
"trainerComeBack": "{{trainerName}} ruft {{pokemonName}} zurück!",
|
||||||
"playerGo": "Los! {{pokemonName}}!",
|
"playerGo": "Los! {{pokemonName}}!",
|
||||||
"trainerGo": "{{trainerName}} sendet {{pokemonName}} raus!",
|
"trainerGo": "{{trainerName}} sendet {{pokemonName}} raus!",
|
||||||
"switchQuestion": "Willst du\n{{pokemonName}} auswechseln?",
|
"switchQuestion": "Möchtest du\n{{pokemonName}} auswechseln?",
|
||||||
"trainerDefeated": `{{trainerName}}\nwurde besiegt!`,
|
"trainerDefeated": `{{trainerName}}\nwurde besiegt!`,
|
||||||
"pokemonCaught": "{{pokemonName}} wurde gefangen!",
|
"pokemonCaught": "{{pokemonName}} wurde gefangen!",
|
||||||
"pokemon": "Pokémon",
|
"pokemon": "Pokémon",
|
||||||
"sendOutPokemon": "Los! {{pokemonName}}!",
|
"sendOutPokemon": "Los, {{pokemonName}}!",
|
||||||
"hitResultCriticalHit": "Ein Volltreffer!",
|
"hitResultCriticalHit": "Ein Volltreffer!",
|
||||||
"hitResultSuperEffective": "Das ist sehr effektiv!",
|
"hitResultSuperEffective": "Das ist sehr effektiv!",
|
||||||
"hitResultNotVeryEffective": "Das ist nicht sehr effektiv…",
|
"hitResultNotVeryEffective": "Das ist nicht sehr effektiv…",
|
||||||
@ -26,24 +26,26 @@ export const battle: SimpleTranslationEntries = {
|
|||||||
"learnMove": "{{pokemonName}} erlernt\n{{moveName}}!",
|
"learnMove": "{{pokemonName}} erlernt\n{{moveName}}!",
|
||||||
"learnMovePrompt": "{{pokemonName}} versucht, {{moveName}} zu erlernen.",
|
"learnMovePrompt": "{{pokemonName}} versucht, {{moveName}} zu erlernen.",
|
||||||
"learnMoveLimitReached": "Aber {{pokemonName}} kann nur\nmaximal vier Attacken erlernen.",
|
"learnMoveLimitReached": "Aber {{pokemonName}} kann nur\nmaximal vier Attacken erlernen.",
|
||||||
"learnMoveReplaceQuestion": "Soll eine andere Attacke durch\n{{moveName}} ersetzt werden?",
|
"learnMoveReplaceQuestion": "Soll eine bekannte Attacke durch\n{{moveName}} ersetzt werden?",
|
||||||
"learnMoveStopTeaching": "{{moveName}} nicht\nerlernen?",
|
"learnMoveStopTeaching": "{{moveName}} nicht\nerlernen?",
|
||||||
"learnMoveNotLearned": "{{pokemonName}} hat\n{{moveName}} nicht erlernt.",
|
"learnMoveNotLearned": "{{pokemonName}} hat\n{{moveName}} nicht erlernt.",
|
||||||
"learnMoveForgetQuestion": "Welche Attacke soll vergessen werden?",
|
"learnMoveForgetQuestion": "Welche Attacke soll vergessen werden?",
|
||||||
"learnMoveForgetSuccess": "{{pokemonName}} hat\n{{moveName}} vergessen.",
|
"learnMoveForgetSuccess": "{{pokemonName}} hat\n{{moveName}} vergessen.",
|
||||||
|
"countdownPoof": "@d{32}Eins, @d{15}zwei @d{15}und@d{15}… @d{15}… @d{15}… @d{15}@s{pb_bounce_1}schwupp!",
|
||||||
|
"learnMoveAnd": "Und…",
|
||||||
"levelCapUp": "Das Levellimit\nhat sich zu {{levelCap}} erhöht!",
|
"levelCapUp": "Das Levellimit\nhat sich zu {{levelCap}} erhöht!",
|
||||||
"moveNotImplemented": "{{moveName}} ist noch nicht implementiert und kann nicht ausgewählt werden.",
|
"moveNotImplemented": "{{moveName}} ist noch nicht implementiert und kann nicht ausgewählt werden.",
|
||||||
"moveNoPP": "Du hast keine AP für\ndiese Attacke mehr übrig!",
|
"moveNoPP": "Es sind keine AP für\ndiese Attacke mehr übrig!",
|
||||||
"moveDisabled": "{{moveName}} ist deaktiviert!",
|
"moveDisabled": "{{moveName}} ist deaktiviert!",
|
||||||
"noPokeballForce": "Eine unsichtbare Kraft\nverhindert die Nutzung von Pokébällen.",
|
"noPokeballForce": "Eine unsichtbare Kraft\nverhindert die Nutzung von Pokébällen.",
|
||||||
"noPokeballTrainer": "Du kannst das Pokémon\neines anderen Trainers nicht fangen!",
|
"noPokeballTrainer": "Du kannst das Pokémon\neines anderen Trainers nicht fangen!",
|
||||||
"noPokeballMulti": "Du kannst erst einen Pokéball werden,\nwenn nur noch ein Pokémon übrig ist!",
|
"noPokeballMulti": "Du kannst erst einen Pokéball werfen,\nwenn nur noch ein Pokémon übrig ist!",
|
||||||
"noPokeballStrong": "Das Ziel-Pokémon ist zu stark, um gefangen zu werden!\nDu musst es zuerst schwächen!",
|
"noPokeballStrong": "Das Ziel-Pokémon ist zu stark, um gefangen zu werden!\nDu musst es zuerst schwächen!",
|
||||||
"noEscapeForce": "Eine unsichtbare Kraft\nverhindert die Flucht.",
|
"noEscapeForce": "Eine unsichtbare Kraft\nverhindert die Flucht.",
|
||||||
"noEscapeTrainer": "Du kannst nicht\naus einem Trainerkampf fliehen!",
|
"noEscapeTrainer": "Du kannst nicht\naus einem Trainerkampf fliehen!",
|
||||||
"noEscapePokemon": "{{pokemonName}}'s {{moveName}}\nverhindert {{escapeVerb}}!",
|
"noEscapePokemon": "{{pokemonName}}'s {{moveName}}\nverhindert {{escapeVerb}}!",
|
||||||
"runAwaySuccess": "Du bist entkommen!",
|
"runAwaySuccess": "Du bist entkommen!",
|
||||||
"runAwayCannotEscape": 'Du kannst nicht fliehen!',
|
"runAwayCannotEscape": 'Flucht gescheitert!',
|
||||||
"escapeVerbSwitch": "auswechseln",
|
"escapeVerbSwitch": "auswechseln",
|
||||||
"escapeVerbFlee": "flucht",
|
"escapeVerbFlee": "flucht",
|
||||||
"skipItemQuestion": "Bist du sicher, dass du kein Item nehmen willst?",
|
"skipItemQuestion": "Bist du sicher, dass du kein Item nehmen willst?",
|
||||||
|
@ -1,4 +1,5 @@
|
|||||||
import { ability } from "./ability";
|
import { ability } from "./ability";
|
||||||
|
import { abilityTriggers } from "./ability-trigger";
|
||||||
import { battle } from "./battle";
|
import { battle } from "./battle";
|
||||||
import { commandUiHandler } from "./command-ui-handler";
|
import { commandUiHandler } from "./command-ui-handler";
|
||||||
import { egg } from "./egg";
|
import { egg } from "./egg";
|
||||||
@ -6,6 +7,7 @@ import { fightUiHandler } from "./fight-ui-handler";
|
|||||||
import { growth } from "./growth";
|
import { growth } from "./growth";
|
||||||
import { menu } from "./menu";
|
import { menu } from "./menu";
|
||||||
import { menuUiHandler } from "./menu-ui-handler";
|
import { menuUiHandler } from "./menu-ui-handler";
|
||||||
|
import { modifierType } from "./modifier-type";
|
||||||
import { move } from "./move";
|
import { move } from "./move";
|
||||||
import { nature } from "./nature";
|
import { nature } from "./nature";
|
||||||
import { pokeball } from "./pokeball";
|
import { pokeball } from "./pokeball";
|
||||||
@ -17,6 +19,7 @@ import { tutorial } from "./tutorial";
|
|||||||
|
|
||||||
export const deConfig = {
|
export const deConfig = {
|
||||||
ability: ability,
|
ability: ability,
|
||||||
|
abilityTriggers: abilityTriggers,
|
||||||
battle: battle,
|
battle: battle,
|
||||||
commandUiHandler: commandUiHandler,
|
commandUiHandler: commandUiHandler,
|
||||||
egg: egg,
|
egg: egg,
|
||||||
@ -30,5 +33,6 @@ export const deConfig = {
|
|||||||
starterSelectUiHandler: starterSelectUiHandler,
|
starterSelectUiHandler: starterSelectUiHandler,
|
||||||
tutorial: tutorial,
|
tutorial: tutorial,
|
||||||
nature: nature,
|
nature: nature,
|
||||||
growth: growth
|
growth: growth,
|
||||||
|
modifierType: modifierType,
|
||||||
}
|
}
|
@ -9,7 +9,7 @@ export const menuUiHandler: SimpleTranslationEntries = {
|
|||||||
"EGG_GACHA": "Eier-Gacha",
|
"EGG_GACHA": "Eier-Gacha",
|
||||||
"MANAGE_DATA": "Daten verwalten",
|
"MANAGE_DATA": "Daten verwalten",
|
||||||
"COMMUNITY": "Community",
|
"COMMUNITY": "Community",
|
||||||
"RETURN_TO_TITLE": "Zurück zum Titelbildschirm",
|
"SAVE_AND_QUIT": "Save and Quit",
|
||||||
"LOG_OUT": "Ausloggen",
|
"LOG_OUT": "Ausloggen",
|
||||||
"slot": "Slot {{slotNumber}}",
|
"slot": "Slot {{slotNumber}}",
|
||||||
"importSession": "Sitzung importieren",
|
"importSession": "Sitzung importieren",
|
||||||
|
@ -35,6 +35,11 @@ export const menu: SimpleTranslationEntries = {
|
|||||||
"boyOrGirl": "Bist du ein Junge oder ein Mädchen?",
|
"boyOrGirl": "Bist du ein Junge oder ein Mädchen?",
|
||||||
"boy": "Junge",
|
"boy": "Junge",
|
||||||
"girl": "Mädchen",
|
"girl": "Mädchen",
|
||||||
|
"evolving": "What?\n{{pokemonName}} is evolving!",
|
||||||
|
"stoppedEvolving": "{{pokemonName}} stopped evolving.",
|
||||||
|
"pauseEvolutionsQuestion": "Would you like to pause evolutions for {{pokemonName}}?\nEvolutions can be re-enabled from the party screen.",
|
||||||
|
"evolutionsPaused": "Evolutions have been paused for {{pokemonName}}.",
|
||||||
|
"evolutionDone": "Congratulations!\nYour {{pokemonName}} evolved into {{evolvedPokemonName}}!",
|
||||||
"dailyRankings": "Tägliche Rangliste",
|
"dailyRankings": "Tägliche Rangliste",
|
||||||
"weeklyRankings": "Wöchentliche Rangliste",
|
"weeklyRankings": "Wöchentliche Rangliste",
|
||||||
"noRankings": "Keine Rangliste",
|
"noRankings": "Keine Rangliste",
|
||||||
|
410
src/locales/de/modifier-type.ts
Normal file
410
src/locales/de/modifier-type.ts
Normal file
@ -0,0 +1,410 @@
|
|||||||
|
import { ModifierTypeTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const modifierType: ModifierTypeTranslationEntries = {
|
||||||
|
ModifierType: {
|
||||||
|
"AddPokeballModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{pokeballName}}",
|
||||||
|
description: "Erhalte {{pokeballName}} x{{modifierCount}} (Inventar: {{pokeballAmount}}) \nFangrate: {{catchRate}}",
|
||||||
|
},
|
||||||
|
"AddVoucherModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{voucherTypeName}}",
|
||||||
|
description: "Erhalte {{voucherTypeName}} x{{modifierCount}}",
|
||||||
|
},
|
||||||
|
"PokemonHeldItemModifierType": {
|
||||||
|
extra: {
|
||||||
|
"inoperable": "{{pokemonName}} kann dieses\nItem nicht nehmen!",
|
||||||
|
"tooMany": "{{pokemonName}} hat zu viele\nvon diesem Item!",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonHpRestoreModifierType": {
|
||||||
|
description: "Füllt {{restorePoints}} KP oder {{restorePercent}}% der KP für ein Pokémon auf. Je nachdem, welcher Wert höher ist",
|
||||||
|
extra: {
|
||||||
|
"fully": "Füllt die KP eines Pokémon wieder vollständig auf.",
|
||||||
|
"fullyWithStatus": "Füllt die KP eines Pokémon wieder vollständig auf und behebt alle Statusprobleme",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonReviveModifierType": {
|
||||||
|
description: "Belebt ein kampunfähiges Pokémon wieder und stellt {{restorePercent}}% KP wieder her",
|
||||||
|
},
|
||||||
|
"PokemonStatusHealModifierType": {
|
||||||
|
description: "Behebt alle Statusprobleme eines Pokémon",
|
||||||
|
},
|
||||||
|
"PokemonPpRestoreModifierType": {
|
||||||
|
description: "Füllt {{restorePoints}} AP der ausgewählten Attacke eines Pokémon auf",
|
||||||
|
extra: {
|
||||||
|
"fully": "Füllt alle AP der ausgewählten Attacke eines Pokémon auf",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonAllMovePpRestoreModifierType": {
|
||||||
|
description: "Stellt {{restorePoints}} AP für alle Attacken eines Pokémon auf",
|
||||||
|
extra: {
|
||||||
|
"fully": "Füllt alle AP für alle Attacken eines Pokémon auf",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonPpUpModifierType": {
|
||||||
|
description: "Erhöht die maximale Anzahl der AP der ausgewählten Attacke um {{upPoints}} für jede 5 maximale AP (maximal 3)",
|
||||||
|
},
|
||||||
|
"PokemonNatureChangeModifierType": {
|
||||||
|
name: "{{natureName}} Minze",
|
||||||
|
description: "Ändert das Wesen zu {{natureName}}. Schaltet dieses Wesen permanent für diesen Starter frei.",
|
||||||
|
},
|
||||||
|
"DoubleBattleChanceBoosterModifierType": {
|
||||||
|
description: "Verdoppelt die Wahrscheinlichkeit, dass die nächsten {{battleCount}} Begegnungen mit wilden Pokémon ein Doppelkampf sind.",
|
||||||
|
},
|
||||||
|
"TempBattleStatBoosterModifierType": {
|
||||||
|
description: "Erhöht die {{tempBattleStatName}} aller Teammitglieder für 5 Kämpfe um eine Stufe",
|
||||||
|
},
|
||||||
|
"AttackTypeBoosterModifierType": {
|
||||||
|
description: "Erhöht die Stärke aller {{moveType}}attacken eines Pokémon um 20%",
|
||||||
|
},
|
||||||
|
"PokemonLevelIncrementModifierType": {
|
||||||
|
description: "Erhöht das Level eines Pokémon um 1",
|
||||||
|
},
|
||||||
|
"AllPokemonLevelIncrementModifierType": {
|
||||||
|
description: "Erhöht das Level aller Teammitglieder um 1",
|
||||||
|
},
|
||||||
|
"PokemonBaseStatBoosterModifierType": {
|
||||||
|
description: "Erhöht den {{statName}} Basiswert des Trägers um 10%. Das Stapellimit erhöht sich, je höher dein IS-Wert ist.",
|
||||||
|
},
|
||||||
|
"AllPokemonFullHpRestoreModifierType": {
|
||||||
|
description: "Stellt 100% der KP aller Pokémon her",
|
||||||
|
},
|
||||||
|
"AllPokemonFullReviveModifierType": {
|
||||||
|
description: "Belebt alle kampunfähigen Pokémon wieder und stellt ihre KP vollständig wieder her",
|
||||||
|
},
|
||||||
|
"MoneyRewardModifierType": {
|
||||||
|
description:"Gewährt einen {{moneyMultiplier}} Geldbetrag von (₽{{moneyAmount}})",
|
||||||
|
extra: {
|
||||||
|
"small": "kleinen",
|
||||||
|
"moderate": "moderaten",
|
||||||
|
"large": "großen",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
"ExpBoosterModifierType": {
|
||||||
|
description: "Erhöht die erhaltenen Erfahrungspunkte um {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonExpBoosterModifierType": {
|
||||||
|
description: "Erhöht die Menge der erhaltenen Erfahrungspunkte für den Träger um {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonFriendshipBoosterModifierType": {
|
||||||
|
description: "Erhöht den Freundschaftszuwachs pro Sieg um 50%.",
|
||||||
|
},
|
||||||
|
"PokemonMoveAccuracyBoosterModifierType": {
|
||||||
|
description: "Erhöht die Genauigkeit der Angriffe um {{accuracyAmount}} (maximal 100)",
|
||||||
|
},
|
||||||
|
"PokemonMultiHitModifierType": {
|
||||||
|
description: "Attacken treffen ein weiteres mal mit einer Reduktion von 60/75/82,5% der Stärke",
|
||||||
|
},
|
||||||
|
"TmModifierType": {
|
||||||
|
name: "TM{{moveId}} - {{moveName}}",
|
||||||
|
description: "Bringt einem Pokémon {{moveName}} bei",
|
||||||
|
},
|
||||||
|
"EvolutionItemModifierType": {
|
||||||
|
description: "Erlaubt es bestimmten Pokémon sich zu entwickeln",
|
||||||
|
},
|
||||||
|
"FormChangeItemModifierType": {
|
||||||
|
description: "Erlaubt es bestimmten Pokémon ihre Form zu ändern",
|
||||||
|
},
|
||||||
|
"FusePokemonModifierType": {
|
||||||
|
description: "Fusioniert zwei Pokémon (überträgt die Fähigkeit, teilt Basiswerte und Typ auf, gemeinsamer Attackenpool)",
|
||||||
|
},
|
||||||
|
"TerastallizeModifierType": {
|
||||||
|
name: "{{teraType}} Terra-Stück",
|
||||||
|
description: "{{teraType}} Terakristallisiert den Träger für bis zu 10 Kämpfe",
|
||||||
|
},
|
||||||
|
"ContactHeldItemTransferChanceModifierType": {
|
||||||
|
description:"Beim Angriff besteht eine {{chancePercent}}%ige Chance, dass das getragene Item des Gegners gestohlen wird."
|
||||||
|
},
|
||||||
|
"TurnHeldItemTransferModifierType": {
|
||||||
|
description: "Jede Runde erhält der Träger ein getragenes Item des Gegners",
|
||||||
|
},
|
||||||
|
"EnemyAttackStatusEffectChanceModifierType": {
|
||||||
|
description: "Fügt Angriffen eine {{chancePercent}}%ige Chance hinzu, {{statusEffect}} zu verursachen",
|
||||||
|
},
|
||||||
|
"EnemyEndureChanceModifierType": {
|
||||||
|
description: "Gibt den Träger eine {{chancePercent}}%ige Chance, einen Angriff zu überleben",
|
||||||
|
},
|
||||||
|
|
||||||
|
"RARE_CANDY": { name: "Sonderbonbon" },
|
||||||
|
"RARER_CANDY": { name: "Supersondererbonbon" },
|
||||||
|
|
||||||
|
"MEGA_BRACELET": { name: "Mega-Armband", description: "Mega-Steine werden verfügbar" },
|
||||||
|
"DYNAMAX_BAND": { name: "Dynamax-Band", description: "Dyna-Pilze werden verfügbar" },
|
||||||
|
"TERA_ORB": { name: "Terakristall-Orb", description: "Tera-Stücke werden verfügbar" },
|
||||||
|
|
||||||
|
"MAP": { name: "Karte", description: "Ermöglicht es dir, an einer Kreuzung dein Ziel zu wählen." },
|
||||||
|
|
||||||
|
"POTION": { name: "Trank" },
|
||||||
|
"SUPER_POTION": { name: "Supertrank" },
|
||||||
|
"HYPER_POTION": { name: "Hypertrank" },
|
||||||
|
"MAX_POTION": { name: "Top-Trank" },
|
||||||
|
"FULL_RESTORE": { name: "Top-Genesung" },
|
||||||
|
|
||||||
|
"REVIVE": { name: "Beleber" },
|
||||||
|
"MAX_REVIVE": { name: "Top-Beleber" },
|
||||||
|
|
||||||
|
"FULL_HEAL": { name: "Hyperheiler" },
|
||||||
|
|
||||||
|
"SACRED_ASH": { name: "Zauberasche" },
|
||||||
|
|
||||||
|
"REVIVER_SEED": { name: "Belebersamen", description: "Belebt den Träger mit der Hälfte seiner KP wieder sollte er kampfunfähig werden" },
|
||||||
|
|
||||||
|
"ETHER": { name: "Äther" },
|
||||||
|
"MAX_ETHER": { name: "Top-Äther" },
|
||||||
|
|
||||||
|
"ELIXIR": { name: "Elixir" },
|
||||||
|
"MAX_ELIXIR": { name: "Top-Elixir" },
|
||||||
|
|
||||||
|
"PP_UP": { name: "AP-Plus" },
|
||||||
|
"PP_MAX": { name: "AP-Top" },
|
||||||
|
|
||||||
|
"LURE": { name: "Lockparfüm" },
|
||||||
|
"SUPER_LURE": { name: "Super-Lockparfüm" },
|
||||||
|
"MAX_LURE": { name: "Top-Lockparfüm" },
|
||||||
|
|
||||||
|
"MEMORY_MUSHROOM": { name: "Erinnerungspilz", description: "Lässt ein Pokémon eine vergessene Attacke wiedererlernen" },
|
||||||
|
|
||||||
|
"EXP_SHARE": { name: "EP-Teiler", description: "Pokémon, die nicht am Kampf teilgenommen haben, bekommen 20% der Erfahrungspunkte eines Kampfteilnehmers" },
|
||||||
|
"EXP_BALANCE": { name: "EP-Ausgleicher", description: "Gewichtet die in Kämpfen erhaltenen Erfahrungspunkte auf niedrigstufigere Gruppenmitglieder." },
|
||||||
|
|
||||||
|
"OVAL_CHARM": { name: "Ovalpin", description: "Wenn mehrere Pokémon am Kampf teilnehmen, erhählt jeder von ihnen 10% extra Erfahrungspunkte" },
|
||||||
|
|
||||||
|
"EXP_CHARM": { name: "EP-Pin" },
|
||||||
|
"SUPER_EXP_CHARM": { name: "Super-EP-Pin" },
|
||||||
|
"GOLDEN_EXP_CHARM": { name: "Goldener EP-Pin" },
|
||||||
|
|
||||||
|
"LUCKY_EGG": { name: "Glücks-Ei" },
|
||||||
|
"GOLDEN_EGG": { name: "Goldenes Ei" },
|
||||||
|
|
||||||
|
"SOOTHE_BELL": { name: "Sanftglocke" },
|
||||||
|
|
||||||
|
"SOUL_DEW": { name: "Seelentau", description: "Erhöht den Einfluss des Wesens eines Pokemon auf seine Werte um 10% (additiv)" },
|
||||||
|
|
||||||
|
"NUGGET": { name: "Nugget" },
|
||||||
|
"BIG_NUGGET": { name: "Riesennugget" },
|
||||||
|
"RELIC_GOLD": { name: "Alter Dukat" },
|
||||||
|
|
||||||
|
"AMULET_COIN": { name: "Münzamulett", description: "Erhöht das Preisgeld um 20%" },
|
||||||
|
"GOLDEN_PUNCH": { name: "Goldschlag", description: "Gewährt Geld in Höhe von 50% des zugefügten Schadens" },
|
||||||
|
"COIN_CASE": { name: "Münzkorb", description: "Erhalte nach jedem 10ten Kampf 10% Zinsen auf dein Geld" },
|
||||||
|
|
||||||
|
"LOCK_CAPSULE": { name: "Tresorkapsel", description: "Erlaubt es die Seltenheitsstufe der Items festzusetzen wenn diese neu gerollt werden" },
|
||||||
|
|
||||||
|
"GRIP_CLAW": { name: "Griffklaue" },
|
||||||
|
"WIDE_LENS": { name: "Großlinse" },
|
||||||
|
|
||||||
|
"MULTI_LENS": { name: "Mehrfachlinse" },
|
||||||
|
|
||||||
|
"HEALING_CHARM": { name: "Heilungspin", description: "Erhöht die Effektivität von Heilungsattacken sowie Heilitems um 10% (Beleber ausgenommen)" },
|
||||||
|
"CANDY_JAR": { name: "Bonbonglas", description: "Erhöht die Anzahl der Level die ein Sonderbonbon erhöht um 1" },
|
||||||
|
|
||||||
|
"BERRY_POUCH": { name: "Beerentüte", description: "Fügt eine 25% Chance hinzu, dass Beeren nicht verbraucht werden" },
|
||||||
|
|
||||||
|
"FOCUS_BAND": { name: "Fokusband", description: "Fügt eine 10% Chance hinzu, dass Angriffe die zur Kampfunfähigkeit führen mit 1 KP überlebt werden" },
|
||||||
|
|
||||||
|
"QUICK_CLAW": { name: "Quick Claw", description: "Fügt eine 10% Change hinzu als erster anzugreifen. (Nach Prioritätsangriffen)" },
|
||||||
|
|
||||||
|
"KINGS_ROCK": { name: "King-Stein", description: "Fügt eine 10% Chance hinzu, dass der Gegner nach einem Angriff zurückschreckt" },
|
||||||
|
|
||||||
|
"LEFTOVERS": { name: "Überreste", description: "Heilt 1/16 der maximalen KP eines Pokémon pro Runde" },
|
||||||
|
"SHELL_BELL": { name: "Muschelglocke", description: "Heilt den Anwender um 1/8 des von ihm zugefügten Schadens" },
|
||||||
|
|
||||||
|
"BATON": { name: "Stab", description: "Ermöglicht das Weitergeben von Effekten beim Wechseln von Pokémon, wodurch auch Fallen umgangen werden." },
|
||||||
|
|
||||||
|
"SHINY_CHARM": { name: "Schillerpin", description: "Erhöht die Chance deutlich, dass ein wildes Pokémon ein schillernd ist" },
|
||||||
|
"ABILITY_CHARM": { name: "Ability Charm", description: "Erhöht die Chance deutlich, dass ein wildes Pokémon eine versteckte Fähigkeit hat" },
|
||||||
|
|
||||||
|
"IV_SCANNER": { name: "IS-Scanner", description: "Erlaubt es die IS-Werte von wilden Pokémon zu scannen.\n(2 IS-Werte pro Staplung. Die besten IS-Werte zuerst)" },
|
||||||
|
|
||||||
|
"DNA_SPLICERS": { name: "DNS-Keil" },
|
||||||
|
|
||||||
|
"MINI_BLACK_HOLE": { name: "Mini schwarzes Loch" },
|
||||||
|
|
||||||
|
"GOLDEN_POKEBALL": { name: "Goldener Pokéball", description: "Fügt eine zusätzliche Item-Auswahlmöglichkeit nach jedem Kampf hinzu" },
|
||||||
|
|
||||||
|
"ENEMY_DAMAGE_BOOSTER": { name: "Schadensmarke", description: "Erhöht den Schaden um 5%" },
|
||||||
|
"ENEMY_DAMAGE_REDUCTION": { name: "Schutzmarke", description: "Verringert den erhaltenen Schaden um 2,5%" },
|
||||||
|
"ENEMY_HEAL": { name: "Wiederherstellungsmarke", description: "Heilt 2% der maximalen KP pro Runde" },
|
||||||
|
"ENEMY_ATTACK_POISON_CHANCE": { name: "Giftmarke" },
|
||||||
|
"ENEMY_ATTACK_PARALYZE_CHANCE": { "name": "Lähmungsmarke" },
|
||||||
|
"ENEMY_ATTACK_SLEEP_CHANCE": { "name": "Schlafmarke" },
|
||||||
|
"ENEMY_ATTACK_FREEZE_CHANCE": { "name": "Gefriermarke" },
|
||||||
|
"ENEMY_ATTACK_BURN_CHANCE": { "name": "Brandmarke" },
|
||||||
|
"ENEMY_STATUS_EFFECT_HEAL_CHANCE": { "name": "Vollheilungsmarke", "description": "Fügt eine 10%ige Chance hinzu, jede Runde einen Statuszustand zu heilen" },
|
||||||
|
"ENEMY_ENDURE_CHANCE": { "name": "Ausdauer-Marke" },
|
||||||
|
"ENEMY_FUSED_CHANCE": { "name": "Fusionsmarke", "description": "Fügt eine 1%ige Chance hinzu, dass ein wildes Pokémon eine Fusion ist" },
|
||||||
|
|
||||||
|
},
|
||||||
|
TempBattleStatBoosterItem: {
|
||||||
|
"x_attack": "X-Angriff",
|
||||||
|
"x_defense": "X-Verteidigung",
|
||||||
|
"x_sp_atk": "X-Sp.-Ang.",
|
||||||
|
"x_sp_def": "X-Sp.-Vert.",
|
||||||
|
"x_speed": "X-Tempo",
|
||||||
|
"x_accuracy": "X-Treffer",
|
||||||
|
"dire_hit": "X-Volltreffer",
|
||||||
|
},
|
||||||
|
AttackTypeBoosterItem: {
|
||||||
|
"silk_scarf": "Seidenschal",
|
||||||
|
"black_belt": "Schwarzgurt",
|
||||||
|
"sharp_beak": "Spitzer Schnabel",
|
||||||
|
"poison_barb": "Giftstich",
|
||||||
|
"soft_sand": "Pudersand",
|
||||||
|
"hard_stone": "Granitstein",
|
||||||
|
"silver_powder": "Silberstaub",
|
||||||
|
"spell_tag": "Bannsticker",
|
||||||
|
"metal_coat": "Metallmantel",
|
||||||
|
"charcoal": "Holzkohle",
|
||||||
|
"mystic_water": "Zauberwasser",
|
||||||
|
"miracle_seed": "Wundersaat",
|
||||||
|
"magnet": "Magnet",
|
||||||
|
"twisted_spoon": "Krümmlöffel",
|
||||||
|
"never_melt_ice": "Ewiges Eis",
|
||||||
|
"dragon_fang": "Drachenzahn",
|
||||||
|
"black_glasses": "Schattenbrille",
|
||||||
|
"fairy_feather": "Feendaune",
|
||||||
|
},
|
||||||
|
BaseStatBoosterItem: {
|
||||||
|
"hp_up": "KP-Plus",
|
||||||
|
"protein": "Protein",
|
||||||
|
"iron": "Eisen",
|
||||||
|
"calcium": "Kalzium",
|
||||||
|
"zinc": "Zink",
|
||||||
|
"carbos": "Carbon",
|
||||||
|
},
|
||||||
|
EvolutionItem: {
|
||||||
|
"NONE": "Keins",
|
||||||
|
|
||||||
|
"LINKING_CORD": "Linkkabel",
|
||||||
|
"SUN_STONE": "Sonnenstein",
|
||||||
|
"MOON_STONE": "Mondstein",
|
||||||
|
"LEAF_STONE": "Blattstein",
|
||||||
|
"FIRE_STONE": "Feuerstein",
|
||||||
|
"WATER_STONE": "Wasserstein",
|
||||||
|
"THUNDER_STONE": "Donnerstein",
|
||||||
|
"ICE_STONE": "Eisstein",
|
||||||
|
"DUSK_STONE": "Finsterstein",
|
||||||
|
"DAWN_STONE": "Funkelstein",
|
||||||
|
"SHINY_STONE": "Leuchtstein",
|
||||||
|
"CRACKED_POT": "Rissige Kanne",
|
||||||
|
"SWEET_APPLE": "Süßer Apfel",
|
||||||
|
"TART_APPLE": "Saurer Apfel",
|
||||||
|
"STRAWBERRY_SWEET": "Zucker-Erdbeere",
|
||||||
|
"UNREMARKABLE_TEACUP": "Simple Teeschale",
|
||||||
|
|
||||||
|
"CHIPPED_POT": "Löchrige Kanne",
|
||||||
|
"BLACK_AUGURITE": "Schwarzaugit",
|
||||||
|
"GALARICA_CUFF": "Galarnuss-Reif",
|
||||||
|
"GALARICA_WREATH": "Galarnuss-Kranz",
|
||||||
|
"PEAT_BLOCK": "Torfblock",
|
||||||
|
"AUSPICIOUS_ARMOR": "Glorienrüstung",
|
||||||
|
"MALICIOUS_ARMOR": "Fluchrüstung",
|
||||||
|
"MASTERPIECE_TEACUP": "Edle Teeschale",
|
||||||
|
"METAL_ALLOY": "Legierungsmetall",
|
||||||
|
"SCROLL_OF_DARKNESS": "Unlicht-Schriftrolle",
|
||||||
|
"SCROLL_OF_WATERS": "Wasser-Schriftrolle",
|
||||||
|
"SYRUPY_APPLE": "Saftiger Apfel",
|
||||||
|
},
|
||||||
|
FormChangeItem: {
|
||||||
|
"NONE": "Keins",
|
||||||
|
|
||||||
|
"ABOMASITE": "Rexblisarnit",
|
||||||
|
"ABSOLITE": "Absolnit",
|
||||||
|
"AERODACTYLITE": "Aerodactylonit",
|
||||||
|
"AGGRONITE": "Stollossnit",
|
||||||
|
"ALAKAZITE": "Simsalanit",
|
||||||
|
"ALTARIANITE": "Altarianit",
|
||||||
|
"AMPHAROSITE": "Ampharosnit",
|
||||||
|
"AUDINITE": "Ohrdochnit",
|
||||||
|
"BANETTITE": "Banetteonit",
|
||||||
|
"BEEDRILLITE": "Bibornit",
|
||||||
|
"BLASTOISINITE": "Turtoknit",
|
||||||
|
"BLAZIKENITE": "Lohgocknit",
|
||||||
|
"CAMERUPTITE": "Cameruptnit",
|
||||||
|
"CHARIZARDITE_X": "Gluraknit X",
|
||||||
|
"CHARIZARDITE_Y": "Gluraknit Y",
|
||||||
|
"DIANCITE": "Diancienit",
|
||||||
|
"GALLADITE": "Galagladinit",
|
||||||
|
"GARCHOMPITE": "Knakracknit",
|
||||||
|
"GARDEVOIRITE": "Guardevoirnit",
|
||||||
|
"GENGARITE": "Gengarnit ",
|
||||||
|
"GLALITITE": "Firnontornit",
|
||||||
|
"GYARADOSITE": "Garadosnit",
|
||||||
|
"HERACRONITE": "Skarabornit",
|
||||||
|
"HOUNDOOMINITE": "Hundemonit ",
|
||||||
|
"KANGASKHANITE": "Kangamanit",
|
||||||
|
"LATIASITE": "Latiasnit",
|
||||||
|
"LATIOSITE": "Latiosnit",
|
||||||
|
"LOPUNNITE": "Schlapornit",
|
||||||
|
"LUCARIONITE": "Lucarionit",
|
||||||
|
"MANECTITE": "Voltensonit",
|
||||||
|
"MAWILITE": "Flunkifernit",
|
||||||
|
"MEDICHAMITE": "Meditalisnit",
|
||||||
|
"METAGROSSITE": "Metagrossnit",
|
||||||
|
"MEWTWONITE_X": "Mewtunit X",
|
||||||
|
"MEWTWONITE_Y": "Mewtunit Y",
|
||||||
|
"PIDGEOTITE": "Taubossnit",
|
||||||
|
"PINSIRITE": "Pinsirnit",
|
||||||
|
"RAYQUAZITE": "Rayquazanit",
|
||||||
|
"SABLENITE": "Zobirisnit",
|
||||||
|
"SALAMENCITE": "Brutalandanit",
|
||||||
|
"SCEPTILITE": "Gewaldronit",
|
||||||
|
"SCIZORITE": "Scheroxnit",
|
||||||
|
"SHARPEDONITE": "Tohaidonit",
|
||||||
|
"SLOWBRONITE": "Lahmusnit",
|
||||||
|
"STEELIXITE": "Stahlosnit",
|
||||||
|
"SWAMPERTITE": "Sumpexnit",
|
||||||
|
"TYRANITARITE": "Despotarnit",
|
||||||
|
"VENUSAURITE": "Bisaflornit",
|
||||||
|
|
||||||
|
"BLUE_ORB": "Blauer Edelstein",
|
||||||
|
"RED_ORB": "Roter Edelstein",
|
||||||
|
"SHARP_METEORITE": "Scharfer Meteorit",
|
||||||
|
"HARD_METEORITE": "Harter Meteorit",
|
||||||
|
"SMOOTH_METEORITE": "Glatter Meteorit",
|
||||||
|
"ADAMANT_CRYSTAL": "Adamantkristall",
|
||||||
|
"LUSTROUS_ORB": "Weiß-Orb",
|
||||||
|
"GRISEOUS_CORE": "Platinumkristall",
|
||||||
|
"REVEAL_GLASS": "Wahrspiegel",
|
||||||
|
"GRACIDEA": "Gracidea",
|
||||||
|
"MAX_MUSHROOMS": "Dyna-Pilz",
|
||||||
|
"DARK_STONE": "Dunkelstein",
|
||||||
|
"LIGHT_STONE": "Lichtstein",
|
||||||
|
"PRISON_BOTTLE": "Banngefäß",
|
||||||
|
"N_LUNARIZER": "Necrolun",
|
||||||
|
"N_SOLARIZER": "Necrosol",
|
||||||
|
"RUSTED_SWORD": "Rostiges Schwert",
|
||||||
|
"RUSTED_SHIELD": "Rostiges Schild",
|
||||||
|
"ICY_REINS_OF_UNITY": "eisige Zügel des Bundes",
|
||||||
|
"SHADOW_REINS_OF_UNITY": "schattige Zügel des Bundes",
|
||||||
|
"WELLSPRING_MASK": "Brunnenmaske",
|
||||||
|
"HEARTHFLAME_MASK": "Ofenmaske",
|
||||||
|
"CORNERSTONE_MASK": "Fundamentmaske",
|
||||||
|
"SHOCK_DRIVE": "Blitzmodul",
|
||||||
|
"BURN_DRIVE": "Flammenmodul",
|
||||||
|
"CHILL_DRIVE": "Gefriermodul",
|
||||||
|
"DOUSE_DRIVE": "Aquamodul",
|
||||||
|
},
|
||||||
|
TeraType: {
|
||||||
|
"UNKNOWN": "Unbekannt",
|
||||||
|
"NORMAL": "Normal",
|
||||||
|
"FIGHTING": "Kampf",
|
||||||
|
"FLYING": "Flug",
|
||||||
|
"POISON": "Gift",
|
||||||
|
"GROUND": "Boden",
|
||||||
|
"ROCK": "Gestein",
|
||||||
|
"BUG": "Käfer",
|
||||||
|
"GHOST": "Geist",
|
||||||
|
"STEEL": "Stahl",
|
||||||
|
"FIRE": "Feuer",
|
||||||
|
"WATER": "Wasser",
|
||||||
|
"GRASS": "Pflanze",
|
||||||
|
"ELECTRIC": "Elektro",
|
||||||
|
"PSYCHIC": "Psycho",
|
||||||
|
"ICE": "Eis",
|
||||||
|
"DRAGON": "Drache",
|
||||||
|
"DARK": "Unlicht",
|
||||||
|
"FAIRY": "Fee",
|
||||||
|
"STELLAR": "Stellar",
|
||||||
|
},
|
||||||
|
} as const;
|
@ -2915,7 +2915,7 @@ export const move: MoveTranslationEntries = {
|
|||||||
},
|
},
|
||||||
"zippyZap": {
|
"zippyZap": {
|
||||||
name: "Britzelturbo",
|
name: "Britzelturbo",
|
||||||
effect: "Ein stürmischer Blitz-Angriff mit hoher Erstschlag- und Volltrefferquote."
|
effect: "The user attacks the target with bursts of electricity at high speed. This move always goes first and raises the user's evasiveness."
|
||||||
},
|
},
|
||||||
"splishySplash": {
|
"splishySplash": {
|
||||||
name: "Plätschersurfer",
|
name: "Plätschersurfer",
|
||||||
|
@ -7,8 +7,17 @@ import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
|||||||
*/
|
*/
|
||||||
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
||||||
"confirmStartTeam": "Mit diesen Pokémon losziehen?",
|
"confirmStartTeam": "Mit diesen Pokémon losziehen?",
|
||||||
|
"gen1": "I",
|
||||||
|
"gen2": "II",
|
||||||
|
"gen3": "III",
|
||||||
|
"gen4": "IV",
|
||||||
|
"gen5": "V",
|
||||||
|
"gen6": "VI",
|
||||||
|
"gen7": "VII",
|
||||||
|
"gen8": "VIII",
|
||||||
|
"gen9": "IX",
|
||||||
"growthRate": "Wachstum:",
|
"growthRate": "Wachstum:",
|
||||||
"ability": "Fhgkeit:",
|
"ability": "Fähgkeit:",
|
||||||
"passive": "Passiv:",
|
"passive": "Passiv:",
|
||||||
"nature": "Wesen:",
|
"nature": "Wesen:",
|
||||||
"eggMoves": "Ei-Attacken",
|
"eggMoves": "Ei-Attacken",
|
||||||
@ -28,5 +37,8 @@ export const starterSelectUiHandler: SimpleTranslationEntries = {
|
|||||||
"cycleNature": "N: Wesen Ändern",
|
"cycleNature": "N: Wesen Ändern",
|
||||||
"cycleVariant": "V: Seltenheit ändern",
|
"cycleVariant": "V: Seltenheit ändern",
|
||||||
"enablePassive": "Passiv-Skill aktivieren",
|
"enablePassive": "Passiv-Skill aktivieren",
|
||||||
"disablePassive": "Passiv-Skill deaktivieren"
|
"disablePassive": "Passiv-Skill deaktivieren",
|
||||||
|
"locked": "Gesperrt",
|
||||||
|
"disabled": "Deaktiviert",
|
||||||
|
"uncaught": "Ungefangen"
|
||||||
}
|
}
|
44
src/locales/de/weather.ts
Normal file
44
src/locales/de/weather.ts
Normal file
@ -0,0 +1,44 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
/**
|
||||||
|
* The weather namespace holds text displayed when weather is active during a battle
|
||||||
|
*/
|
||||||
|
export const weather: SimpleTranslationEntries = {
|
||||||
|
"sunnyStartMessage": "Die Sonne hellt auf!",
|
||||||
|
"sunnyLapseMessage": "Die Sonne blendet.",
|
||||||
|
"sunnyClearMessage": "Die Sonne schwächt ab.",
|
||||||
|
|
||||||
|
"rainStartMessage": "Es fängt an zu regnen!",
|
||||||
|
"rainLapseMessage": "Es regnet weiterhin.",
|
||||||
|
"rainClearMessage": "Es hört auf zu regnen.",
|
||||||
|
|
||||||
|
"sandstormStartMessage": "Ein Sandsturm braut sich zusammen!",
|
||||||
|
"sandstormLapseMessage": "Der Sandsturm tobt.",
|
||||||
|
"sandstormClearMessage": "Der Sandsturm lässt nach.",
|
||||||
|
"sandstormDamageMessage": "{{pokemonPrefix}}{{pokemonName}} ist vom\nSandsturm beeinträchtigt!",
|
||||||
|
|
||||||
|
"hailStartMessage": "Es fängt an zu hageln!",
|
||||||
|
"hailLapseMessage": "Es hagelt weiterhin.",
|
||||||
|
"hailClearMessage": "Es hört auf zu hageln.",
|
||||||
|
"hailDamageMessage": "{{pokemonPrefix}}{{pokemonName}} ist vom\nHagel beeinträchtigt!",
|
||||||
|
|
||||||
|
"snowStartMessage": "Es fängt an zu schneien!",
|
||||||
|
"snowLapseMessage": "Es schneit weiterhin.",
|
||||||
|
"snowClearMessage": "Es hört auf zu schneien.",
|
||||||
|
|
||||||
|
"fogStartMessage": "Es fängt an zu nebeln!",
|
||||||
|
"fogLapseMessage": "Es nebelt weiterhin.",
|
||||||
|
"fogClearMessage": "Es hört auf zu nebeln.",
|
||||||
|
|
||||||
|
"heavyRainStartMessage": "Ein Starkregen beginnt!",
|
||||||
|
"heavyRainLapseMessage": "Der Starkregen hält an.",
|
||||||
|
"heavyRainClearMessage": "Der Starkregen lässt nach.",
|
||||||
|
|
||||||
|
"harshSunStartMessage": "Das Sonnenlicht wird wärmer!",
|
||||||
|
"harshSunLapseMessage": "Das Sonnenlicht brennt.",
|
||||||
|
"harshSunClearMessage": "Das Sonnenlicht schwächt ab.",
|
||||||
|
|
||||||
|
"strongWindsStartMessage": "Ein starker Wind zieht auf!",
|
||||||
|
"strongWindsLapseMessage": "Der starke Wind tobt.",
|
||||||
|
"strongWindsClearMessage": "Der starke Wind legt sich."
|
||||||
|
}
|
5
src/locales/en/ability-trigger.ts
Normal file
5
src/locales/en/ability-trigger.ts
Normal file
@ -0,0 +1,5 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const abilityTriggers: SimpleTranslationEntries = {
|
||||||
|
'blockRecoilDamage' : `{{pokemonName}}'s {{abilityName}}\nprotected it from recoil!`,
|
||||||
|
} as const;
|
@ -31,6 +31,8 @@ export const battle: SimpleTranslationEntries = {
|
|||||||
"learnMoveNotLearned": "{{pokemonName}} did not learn the\nmove {{moveName}}.",
|
"learnMoveNotLearned": "{{pokemonName}} did not learn the\nmove {{moveName}}.",
|
||||||
"learnMoveForgetQuestion": "Which move should be forgotten?",
|
"learnMoveForgetQuestion": "Which move should be forgotten?",
|
||||||
"learnMoveForgetSuccess": "{{pokemonName}} forgot how to\nuse {{moveName}}.",
|
"learnMoveForgetSuccess": "{{pokemonName}} forgot how to\nuse {{moveName}}.",
|
||||||
|
"countdownPoof": "@d{32}1, @d{15}2, and@d{15}… @d{15}… @d{15}… @d{15}@s{pb_bounce_1}Poof!",
|
||||||
|
"learnMoveAnd": "And…",
|
||||||
"levelCapUp": "The level cap\nhas increased to {{levelCap}}!",
|
"levelCapUp": "The level cap\nhas increased to {{levelCap}}!",
|
||||||
"moveNotImplemented": "{{moveName}} is not yet implemented and cannot be selected.",
|
"moveNotImplemented": "{{moveName}} is not yet implemented and cannot be selected.",
|
||||||
"moveNoPP": "There's no PP left for\nthis move!",
|
"moveNoPP": "There's no PP left for\nthis move!",
|
||||||
|
@ -1,4 +1,5 @@
|
|||||||
import { ability } from "./ability";
|
import { ability } from "./ability";
|
||||||
|
import { abilityTriggers } from "./ability-trigger";
|
||||||
import { battle } from "./battle";
|
import { battle } from "./battle";
|
||||||
import { commandUiHandler } from "./command-ui-handler";
|
import { commandUiHandler } from "./command-ui-handler";
|
||||||
import { egg } from "./egg";
|
import { egg } from "./egg";
|
||||||
@ -6,6 +7,7 @@ import { fightUiHandler } from "./fight-ui-handler";
|
|||||||
import { growth } from "./growth";
|
import { growth } from "./growth";
|
||||||
import { menu } from "./menu";
|
import { menu } from "./menu";
|
||||||
import { menuUiHandler } from "./menu-ui-handler";
|
import { menuUiHandler } from "./menu-ui-handler";
|
||||||
|
import { modifierType } from "./modifier-type";
|
||||||
import { move } from "./move";
|
import { move } from "./move";
|
||||||
import { nature } from "./nature";
|
import { nature } from "./nature";
|
||||||
import { pokeball } from "./pokeball";
|
import { pokeball } from "./pokeball";
|
||||||
@ -13,10 +15,12 @@ import { pokemon } from "./pokemon";
|
|||||||
import { pokemonStat } from "./pokemon-stat";
|
import { pokemonStat } from "./pokemon-stat";
|
||||||
import { starterSelectUiHandler } from "./starter-select-ui-handler";
|
import { starterSelectUiHandler } from "./starter-select-ui-handler";
|
||||||
import { tutorial } from "./tutorial";
|
import { tutorial } from "./tutorial";
|
||||||
|
import { weather } from "./weather";
|
||||||
|
|
||||||
|
|
||||||
export const enConfig = {
|
export const enConfig = {
|
||||||
ability: ability,
|
ability: ability,
|
||||||
|
abilityTriggers: abilityTriggers,
|
||||||
battle: battle,
|
battle: battle,
|
||||||
commandUiHandler: commandUiHandler,
|
commandUiHandler: commandUiHandler,
|
||||||
egg: egg,
|
egg: egg,
|
||||||
@ -30,5 +34,7 @@ export const enConfig = {
|
|||||||
starterSelectUiHandler: starterSelectUiHandler,
|
starterSelectUiHandler: starterSelectUiHandler,
|
||||||
tutorial: tutorial,
|
tutorial: tutorial,
|
||||||
nature: nature,
|
nature: nature,
|
||||||
growth: growth
|
growth: growth,
|
||||||
|
weather: weather,
|
||||||
|
modifierType: modifierType,
|
||||||
}
|
}
|
@ -9,7 +9,7 @@ export const menuUiHandler: SimpleTranslationEntries = {
|
|||||||
"EGG_GACHA": "Egg Gacha",
|
"EGG_GACHA": "Egg Gacha",
|
||||||
"MANAGE_DATA": "Manage Data",
|
"MANAGE_DATA": "Manage Data",
|
||||||
"COMMUNITY": "Community",
|
"COMMUNITY": "Community",
|
||||||
"RETURN_TO_TITLE": "Return To Title",
|
"SAVE_AND_QUIT": "Save and Quit",
|
||||||
"LOG_OUT": "Log Out",
|
"LOG_OUT": "Log Out",
|
||||||
"slot": "Slot {{slotNumber}}",
|
"slot": "Slot {{slotNumber}}",
|
||||||
"importSession": "Import Session",
|
"importSession": "Import Session",
|
||||||
|
@ -35,6 +35,11 @@ export const menu: SimpleTranslationEntries = {
|
|||||||
"boyOrGirl": "Are you a boy or a girl?",
|
"boyOrGirl": "Are you a boy or a girl?",
|
||||||
"boy": "Boy",
|
"boy": "Boy",
|
||||||
"girl": "Girl",
|
"girl": "Girl",
|
||||||
|
"evolving": "What?\n{{pokemonName}} is evolving!",
|
||||||
|
"stoppedEvolving": "{{pokemonName}} stopped evolving.",
|
||||||
|
"pauseEvolutionsQuestion": "Would you like to pause evolutions for {{pokemonName}}?\nEvolutions can be re-enabled from the party screen.",
|
||||||
|
"evolutionsPaused": "Evolutions have been paused for {{pokemonName}}.",
|
||||||
|
"evolutionDone": "Congratulations!\nYour {{pokemonName}} evolved into {{evolvedPokemonName}}!",
|
||||||
"dailyRankings": "Daily Rankings",
|
"dailyRankings": "Daily Rankings",
|
||||||
"weeklyRankings": "Weekly Rankings",
|
"weeklyRankings": "Weekly Rankings",
|
||||||
"noRankings": "No Rankings",
|
"noRankings": "No Rankings",
|
||||||
|
409
src/locales/en/modifier-type.ts
Normal file
409
src/locales/en/modifier-type.ts
Normal file
@ -0,0 +1,409 @@
|
|||||||
|
import { ModifierTypeTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const modifierType: ModifierTypeTranslationEntries = {
|
||||||
|
ModifierType: {
|
||||||
|
"AddPokeballModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{pokeballName}}",
|
||||||
|
description: "Receive {{pokeballName}} x{{modifierCount}} (Inventory: {{pokeballAmount}}) \nCatch Rate: {{catchRate}}",
|
||||||
|
},
|
||||||
|
"AddVoucherModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{voucherTypeName}}",
|
||||||
|
description: "Receive {{voucherTypeName}} x{{modifierCount}}",
|
||||||
|
},
|
||||||
|
"PokemonHeldItemModifierType": {
|
||||||
|
extra: {
|
||||||
|
"inoperable": "{{pokemonName}} can't take\nthis item!",
|
||||||
|
"tooMany": "{{pokemonName}} has too many\nof this item!",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonHpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} HP or {{restorePercent}}% HP for one Pokémon, whichever is higher",
|
||||||
|
extra: {
|
||||||
|
"fully": "Fully restores HP for one Pokémon",
|
||||||
|
"fullyWithStatus": "Fully restores HP for one Pokémon and heals any status ailment",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonReviveModifierType": {
|
||||||
|
description: "Revives one Pokémon and restores {{restorePercent}}% HP",
|
||||||
|
},
|
||||||
|
"PokemonStatusHealModifierType": {
|
||||||
|
description: "Heals any status ailment for one Pokémon",
|
||||||
|
},
|
||||||
|
"PokemonPpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} PP for one Pokémon move",
|
||||||
|
extra: {
|
||||||
|
"fully": "Restores all PP for one Pokémon move",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonAllMovePpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} PP for all of one Pokémon's moves",
|
||||||
|
extra: {
|
||||||
|
"fully": "Restores all PP for all of one Pokémon's moves",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonPpUpModifierType": {
|
||||||
|
description: "Permanently increases PP for one Pokémon move by {{upPoints}} for every 5 maximum PP (maximum 3)",
|
||||||
|
},
|
||||||
|
"PokemonNatureChangeModifierType": {
|
||||||
|
name: "{{natureName}} Mint",
|
||||||
|
description: "Changes a Pokémon's nature to {{natureName}} and permanently unlocks the nature for the starter.",
|
||||||
|
},
|
||||||
|
"DoubleBattleChanceBoosterModifierType": {
|
||||||
|
description: "Doubles the chance of an encounter being a double battle for {{battleCount}} battles",
|
||||||
|
},
|
||||||
|
"TempBattleStatBoosterModifierType": {
|
||||||
|
description: "Increases the {{tempBattleStatName}} of all party members by 1 stage for 5 battles",
|
||||||
|
},
|
||||||
|
"AttackTypeBoosterModifierType": {
|
||||||
|
description: "Increases the power of a Pokémon's {{moveType}}-type moves by 20%",
|
||||||
|
},
|
||||||
|
"PokemonLevelIncrementModifierType": {
|
||||||
|
description: "Increases a Pokémon's level by 1",
|
||||||
|
},
|
||||||
|
"AllPokemonLevelIncrementModifierType": {
|
||||||
|
description: "Increases all party members' level by 1",
|
||||||
|
},
|
||||||
|
"PokemonBaseStatBoosterModifierType": {
|
||||||
|
description: "Increases the holder's base {{statName}} by 10%. The higher your IVs, the higher the stack limit.",
|
||||||
|
},
|
||||||
|
"AllPokemonFullHpRestoreModifierType": {
|
||||||
|
description: "Restores 100% HP for all Pokémon",
|
||||||
|
},
|
||||||
|
"AllPokemonFullReviveModifierType": {
|
||||||
|
description: "Revives all fainted Pokémon, fully restoring HP",
|
||||||
|
},
|
||||||
|
"MoneyRewardModifierType": {
|
||||||
|
description: "Grants a {{moneyMultiplier}} amount of money (₽{{moneyAmount}})",
|
||||||
|
extra: {
|
||||||
|
"small": "small",
|
||||||
|
"moderate": "moderate",
|
||||||
|
"large": "large",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
"ExpBoosterModifierType": {
|
||||||
|
description: "Increases gain of EXP. Points by {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonExpBoosterModifierType": {
|
||||||
|
description: "Increases the holder's gain of EXP. Points by {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonFriendshipBoosterModifierType": {
|
||||||
|
description: "Increases friendship gain per victory by 50%",
|
||||||
|
},
|
||||||
|
"PokemonMoveAccuracyBoosterModifierType": {
|
||||||
|
description: "Increases move accuracy by {{accuracyAmount}} (maximum 100)",
|
||||||
|
},
|
||||||
|
"PokemonMultiHitModifierType": {
|
||||||
|
description: "Attacks hit one additional time at the cost of a 60/75/82.5% power reduction per stack respectively",
|
||||||
|
},
|
||||||
|
"TmModifierType": {
|
||||||
|
name: "TM{{moveId}} - {{moveName}}",
|
||||||
|
description: "Teach {{moveName}} to a Pokémon",
|
||||||
|
},
|
||||||
|
"EvolutionItemModifierType": {
|
||||||
|
description: "Causes certain Pokémon to evolve",
|
||||||
|
},
|
||||||
|
"FormChangeItemModifierType": {
|
||||||
|
description: "Causes certain Pokémon to change form",
|
||||||
|
},
|
||||||
|
"FusePokemonModifierType": {
|
||||||
|
description: "Combines two Pokémon (transfers Ability, splits base stats and types, shares move pool)",
|
||||||
|
},
|
||||||
|
"TerastallizeModifierType": {
|
||||||
|
name: "{{teraType}} Tera Shard",
|
||||||
|
description: "{{teraType}} Terastallizes the holder for up to 10 battles",
|
||||||
|
},
|
||||||
|
"ContactHeldItemTransferChanceModifierType": {
|
||||||
|
description: "Upon attacking, there is a {{chancePercent}}% chance the foe's held item will be stolen",
|
||||||
|
},
|
||||||
|
"TurnHeldItemTransferModifierType": {
|
||||||
|
description: "Every turn, the holder acquires one held item from the foe",
|
||||||
|
},
|
||||||
|
"EnemyAttackStatusEffectChanceModifierType": {
|
||||||
|
description: "Adds a {{chancePercent}}% chance to inflict {{statusEffect}} with attack moves",
|
||||||
|
},
|
||||||
|
"EnemyEndureChanceModifierType": {
|
||||||
|
description: "Adds a {{chancePercent}}% chance of enduring a hit",
|
||||||
|
},
|
||||||
|
|
||||||
|
"RARE_CANDY": { name: "Rare Candy" },
|
||||||
|
"RARER_CANDY": { name: "Rarer Candy" },
|
||||||
|
|
||||||
|
"MEGA_BRACELET": { name: "Mega Bracelet", description: "Mega Stones become available" },
|
||||||
|
"DYNAMAX_BAND": { name: "Dynamax Band", description: "Max Mushrooms become available" },
|
||||||
|
"TERA_ORB": { name: "Tera Orb", description: "Tera Shards become available" },
|
||||||
|
|
||||||
|
"MAP": { name: "Map", description: "Allows you to choose your destination at a crossroads" },
|
||||||
|
|
||||||
|
"POTION": { name: "Potion" },
|
||||||
|
"SUPER_POTION": { name: "Super Potion" },
|
||||||
|
"HYPER_POTION": { name: "Hyper Potion" },
|
||||||
|
"MAX_POTION": { name: "Max Potion" },
|
||||||
|
"FULL_RESTORE": { name: "Full Restore" },
|
||||||
|
|
||||||
|
"REVIVE": { name: "Revive" },
|
||||||
|
"MAX_REVIVE": { name: "Max Revive" },
|
||||||
|
|
||||||
|
"FULL_HEAL": { name: "Full Heal" },
|
||||||
|
|
||||||
|
"SACRED_ASH": { name: "Sacred Ash" },
|
||||||
|
|
||||||
|
"REVIVER_SEED": { name: "Reviver Seed", description: "Revives the holder for 1/2 HP upon fainting" },
|
||||||
|
|
||||||
|
"ETHER": { name: "Ether" },
|
||||||
|
"MAX_ETHER": { name: "Max Ether" },
|
||||||
|
|
||||||
|
"ELIXIR": { name: "Elixir" },
|
||||||
|
"MAX_ELIXIR": { name: "Max Elixir" },
|
||||||
|
|
||||||
|
"PP_UP": { name: "PP Up" },
|
||||||
|
"PP_MAX": { name: "PP Max" },
|
||||||
|
|
||||||
|
"LURE": { name: "Lure" },
|
||||||
|
"SUPER_LURE": { name: "Super Lure" },
|
||||||
|
"MAX_LURE": { name: "Max Lure" },
|
||||||
|
|
||||||
|
"MEMORY_MUSHROOM": { name: "Memory Mushroom", description: "Recall one Pokémon's forgotten move" },
|
||||||
|
|
||||||
|
"EXP_SHARE": { name: "EXP. All", description: "Non-participants receive 20% of a single participant's EXP. Points" },
|
||||||
|
"EXP_BALANCE": { name: "EXP. Balance", description: "Weighs EXP. Points received from battles towards lower-leveled party members" },
|
||||||
|
|
||||||
|
"OVAL_CHARM": { name: "Oval Charm", description: "When multiple Pokémon participate in a battle, each gets an extra 10% of the total EXP" },
|
||||||
|
|
||||||
|
"EXP_CHARM": { name: "EXP. Charm" },
|
||||||
|
"SUPER_EXP_CHARM": { name: "Super EXP. Charm" },
|
||||||
|
"GOLDEN_EXP_CHARM": { name: "Golden EXP. Charm" },
|
||||||
|
|
||||||
|
"LUCKY_EGG": { name: "Lucky Egg" },
|
||||||
|
"GOLDEN_EGG": { name: "Golden Egg" },
|
||||||
|
|
||||||
|
"SOOTHE_BELL": { name: "Soothe Bell" },
|
||||||
|
|
||||||
|
"SOUL_DEW": { name: "Soul Dew", description: "Increases the influence of a Pokémon's nature on its stats by 10% (additive)" },
|
||||||
|
|
||||||
|
"NUGGET": { name: "Nugget" },
|
||||||
|
"BIG_NUGGET": { name: "Big Nugget" },
|
||||||
|
"RELIC_GOLD": { name: "Relic Gold" },
|
||||||
|
|
||||||
|
"AMULET_COIN": { name: "Amulet Coin", description: "Increases money rewards by 20%" },
|
||||||
|
"GOLDEN_PUNCH": { name: "Golden Punch", description: "Grants 50% of damage inflicted as money" },
|
||||||
|
"COIN_CASE": { name: "Coin Case", description: "After every 10th battle, receive 10% of your money in interest" },
|
||||||
|
|
||||||
|
"LOCK_CAPSULE": { name: "Lock Capsule", description: "Allows you to lock item rarities when rerolling items" },
|
||||||
|
|
||||||
|
"GRIP_CLAW": { name: "Grip Claw" },
|
||||||
|
"WIDE_LENS": { name: "Wide Lens" },
|
||||||
|
|
||||||
|
"MULTI_LENS": { name: "Multi Lens" },
|
||||||
|
|
||||||
|
"HEALING_CHARM": { name: "Healing Charm", description: "Increases the effectiveness of HP restoring moves and items by 10% (excludes Revives)" },
|
||||||
|
"CANDY_JAR": { name: "Candy Jar", description: "Increases the number of levels added by Rare Candy items by 1" },
|
||||||
|
|
||||||
|
"BERRY_POUCH": { name: "Berry Pouch", description: "Adds a 25% chance that a used berry will not be consumed" },
|
||||||
|
|
||||||
|
"FOCUS_BAND": { name: "Focus Band", description: "Adds a 10% chance to survive with 1 HP after being damaged enough to faint" },
|
||||||
|
|
||||||
|
"QUICK_CLAW": { name: "Quick Claw", description: "Adds a 10% chance to move first regardless of speed (after priority)" },
|
||||||
|
|
||||||
|
"KINGS_ROCK": { name: "King's Rock", description: "Adds a 10% chance an attack move will cause the opponent to flinch" },
|
||||||
|
|
||||||
|
"LEFTOVERS": { name: "Leftovers", description: "Heals 1/16 of a Pokémon's maximum HP every turn" },
|
||||||
|
"SHELL_BELL": { name: "Shell Bell", description: "Heals 1/8 of a Pokémon's dealt damage" },
|
||||||
|
|
||||||
|
"BATON": { name: "Baton", description: "Allows passing along effects when switching Pokémon, which also bypasses traps" },
|
||||||
|
|
||||||
|
"SHINY_CHARM": { name: "Shiny Charm", description: "Dramatically increases the chance of a wild Pokémon being Shiny" },
|
||||||
|
"ABILITY_CHARM": { name: "Ability Charm", description: "Dramatically increases the chance of a wild Pokémon having a Hidden Ability" },
|
||||||
|
|
||||||
|
"IV_SCANNER": { name: "IV Scanner", description: "Allows scanning the IVs of wild Pokémon. 2 IVs are revealed per stack. The best IVs are shown first" },
|
||||||
|
|
||||||
|
"DNA_SPLICERS": { name: "DNA Splicers" },
|
||||||
|
|
||||||
|
"MINI_BLACK_HOLE": { name: "Mini Black Hole" },
|
||||||
|
|
||||||
|
"GOLDEN_POKEBALL": { name: "Golden Poké Ball", description: "Adds 1 extra item option at the end of every battle" },
|
||||||
|
|
||||||
|
"ENEMY_DAMAGE_BOOSTER": { name: "Damage Token", description: "Increases damage by 5%" },
|
||||||
|
"ENEMY_DAMAGE_REDUCTION": { name: "Protection Token", description: "Reduces incoming damage by 2.5%" },
|
||||||
|
"ENEMY_HEAL": { name: "Recovery Token", description: "Heals 2% of max HP every turn" },
|
||||||
|
"ENEMY_ATTACK_POISON_CHANCE": { name: "Poison Token" },
|
||||||
|
"ENEMY_ATTACK_PARALYZE_CHANCE": { name: "Paralyze Token" },
|
||||||
|
"ENEMY_ATTACK_SLEEP_CHANCE": { name: "Sleep Token" },
|
||||||
|
"ENEMY_ATTACK_FREEZE_CHANCE": { name: "Freeze Token" },
|
||||||
|
"ENEMY_ATTACK_BURN_CHANCE": { name: "Burn Token" },
|
||||||
|
"ENEMY_STATUS_EFFECT_HEAL_CHANCE": { name: "Full Heal Token", description: "Adds a 10% chance every turn to heal a status condition" },
|
||||||
|
"ENEMY_ENDURE_CHANCE": { name: "Endure Token" },
|
||||||
|
"ENEMY_FUSED_CHANCE": { name: "Fusion Token", description: "Adds a 1% chance that a wild Pokémon will be a fusion" },
|
||||||
|
},
|
||||||
|
TempBattleStatBoosterItem: {
|
||||||
|
"x_attack": "X Attack",
|
||||||
|
"x_defense": "X Defense",
|
||||||
|
"x_sp_atk": "X Sp. Atk",
|
||||||
|
"x_sp_def": "X Sp. Def",
|
||||||
|
"x_speed": "X Speed",
|
||||||
|
"x_accuracy": "X Accuracy",
|
||||||
|
"dire_hit": "Dire Hit",
|
||||||
|
},
|
||||||
|
AttackTypeBoosterItem: {
|
||||||
|
"silk_scarf": "Silk Scarf",
|
||||||
|
"black_belt": "Black Belt",
|
||||||
|
"sharp_beak": "Sharp Beak",
|
||||||
|
"poison_barb": "Poison Barb",
|
||||||
|
"soft_sand": "Soft Sand",
|
||||||
|
"hard_stone": "Hard Stone",
|
||||||
|
"silver_powder": "Silver Powder",
|
||||||
|
"spell_tag": "Spell Tag",
|
||||||
|
"metal_coat": "Metal Coat",
|
||||||
|
"charcoal": "Charcoal",
|
||||||
|
"mystic_water": "Mystic Water",
|
||||||
|
"miracle_seed": "Miracle Seed",
|
||||||
|
"magnet": "Magnet",
|
||||||
|
"twisted_spoon": "Twisted Spoon",
|
||||||
|
"never_melt_ice": "Never-Melt Ice",
|
||||||
|
"dragon_fang": "Dragon Fang",
|
||||||
|
"black_glasses": "Black Glasses",
|
||||||
|
"fairy_feather": "Fairy Feather",
|
||||||
|
},
|
||||||
|
BaseStatBoosterItem: {
|
||||||
|
"hp_up": "HP Up",
|
||||||
|
"protein": "Protein",
|
||||||
|
"iron": "Iron",
|
||||||
|
"calcium": "Calcium",
|
||||||
|
"zinc": "Zinc",
|
||||||
|
"carbos": "Carbos",
|
||||||
|
},
|
||||||
|
EvolutionItem: {
|
||||||
|
"NONE": "None",
|
||||||
|
|
||||||
|
"LINKING_CORD": "Linking Cord",
|
||||||
|
"SUN_STONE": "Sun Stone",
|
||||||
|
"MOON_STONE": "Moon Stone",
|
||||||
|
"LEAF_STONE": "Leaf Stone",
|
||||||
|
"FIRE_STONE": "Fire Stone",
|
||||||
|
"WATER_STONE": "Water Stone",
|
||||||
|
"THUNDER_STONE": "Thunder Stone",
|
||||||
|
"ICE_STONE": "Ice Stone",
|
||||||
|
"DUSK_STONE": "Dusk Stone",
|
||||||
|
"DAWN_STONE": "Dawn Stone",
|
||||||
|
"SHINY_STONE": "Shiny Stone",
|
||||||
|
"CRACKED_POT": "Cracked Pot",
|
||||||
|
"SWEET_APPLE": "Sweet Apple",
|
||||||
|
"TART_APPLE": "Tart Apple",
|
||||||
|
"STRAWBERRY_SWEET": "Strawberry Sweet",
|
||||||
|
"UNREMARKABLE_TEACUP": "Unremarkable Teacup",
|
||||||
|
|
||||||
|
"CHIPPED_POT": "Chipped Pot",
|
||||||
|
"BLACK_AUGURITE": "Black Augurite",
|
||||||
|
"GALARICA_CUFF": "Galarica Cuff",
|
||||||
|
"GALARICA_WREATH": "Galarica Wreath",
|
||||||
|
"PEAT_BLOCK": "Peat Block",
|
||||||
|
"AUSPICIOUS_ARMOR": "Auspicious Armor",
|
||||||
|
"MALICIOUS_ARMOR": "Malicious Armor",
|
||||||
|
"MASTERPIECE_TEACUP": "Masterpiece Teacup",
|
||||||
|
"METAL_ALLOY": "Metal Alloy",
|
||||||
|
"SCROLL_OF_DARKNESS": "Scroll Of Darkness",
|
||||||
|
"SCROLL_OF_WATERS": "Scroll Of Waters",
|
||||||
|
"SYRUPY_APPLE": "Syrupy Apple",
|
||||||
|
},
|
||||||
|
FormChangeItem: {
|
||||||
|
"NONE": "None",
|
||||||
|
|
||||||
|
"ABOMASITE": "Abomasite",
|
||||||
|
"ABSOLITE": "Absolite",
|
||||||
|
"AERODACTYLITE": "Aerodactylite",
|
||||||
|
"AGGRONITE": "Aggronite",
|
||||||
|
"ALAKAZITE": "Alakazite",
|
||||||
|
"ALTARIANITE": "Altarianite",
|
||||||
|
"AMPHAROSITE": "Ampharosite",
|
||||||
|
"AUDINITE": "Audinite",
|
||||||
|
"BANETTITE": "Banettite",
|
||||||
|
"BEEDRILLITE": "Beedrillite",
|
||||||
|
"BLASTOISINITE": "Blastoisinite",
|
||||||
|
"BLAZIKENITE": "Blazikenite",
|
||||||
|
"CAMERUPTITE": "Cameruptite",
|
||||||
|
"CHARIZARDITE_X": "Charizardite X",
|
||||||
|
"CHARIZARDITE_Y": "Charizardite Y",
|
||||||
|
"DIANCITE": "Diancite",
|
||||||
|
"GALLADITE": "Galladite",
|
||||||
|
"GARCHOMPITE": "Garchompite",
|
||||||
|
"GARDEVOIRITE": "Gardevoirite",
|
||||||
|
"GENGARITE": "Gengarite",
|
||||||
|
"GLALITITE": "Glalitite",
|
||||||
|
"GYARADOSITE": "Gyaradosite",
|
||||||
|
"HERACRONITE": "Heracronite",
|
||||||
|
"HOUNDOOMINITE": "Houndoominite",
|
||||||
|
"KANGASKHANITE": "Kangaskhanite",
|
||||||
|
"LATIASITE": "Latiasite",
|
||||||
|
"LATIOSITE": "Latiosite",
|
||||||
|
"LOPUNNITE": "Lopunnite",
|
||||||
|
"LUCARIONITE": "Lucarionite",
|
||||||
|
"MANECTITE": "Manectite",
|
||||||
|
"MAWILITE": "Mawilite",
|
||||||
|
"MEDICHAMITE": "Medichamite",
|
||||||
|
"METAGROSSITE": "Metagrossite",
|
||||||
|
"MEWTWONITE_X": "Mewtwonite X",
|
||||||
|
"MEWTWONITE_Y": "Mewtwonite Y",
|
||||||
|
"PIDGEOTITE": "Pidgeotite",
|
||||||
|
"PINSIRITE": "Pinsirite",
|
||||||
|
"RAYQUAZITE": "Rayquazite",
|
||||||
|
"SABLENITE": "Sablenite",
|
||||||
|
"SALAMENCITE": "Salamencite",
|
||||||
|
"SCEPTILITE": "Sceptilite",
|
||||||
|
"SCIZORITE": "Scizorite",
|
||||||
|
"SHARPEDONITE": "Sharpedonite",
|
||||||
|
"SLOWBRONITE": "Slowbronite",
|
||||||
|
"STEELIXITE": "Steelixite",
|
||||||
|
"SWAMPERTITE": "Swampertite",
|
||||||
|
"TYRANITARITE": "Tyranitarite",
|
||||||
|
"VENUSAURITE": "Venusaurite",
|
||||||
|
|
||||||
|
"BLUE_ORB": "Blue Orb",
|
||||||
|
"RED_ORB": "Red Orb",
|
||||||
|
"SHARP_METEORITE": "Sharp Meteorite",
|
||||||
|
"HARD_METEORITE": "Hard Meteorite",
|
||||||
|
"SMOOTH_METEORITE": "Smooth Meteorite",
|
||||||
|
"ADAMANT_CRYSTAL": "Adamant Crystal",
|
||||||
|
"LUSTROUS_ORB": "Lustrous Orb",
|
||||||
|
"GRISEOUS_CORE": "Griseous Core",
|
||||||
|
"REVEAL_GLASS": "Reveal Glass",
|
||||||
|
"GRACIDEA": "Gracidea",
|
||||||
|
"MAX_MUSHROOMS": "Max Mushrooms",
|
||||||
|
"DARK_STONE": "Dark Stone",
|
||||||
|
"LIGHT_STONE": "Light Stone",
|
||||||
|
"PRISON_BOTTLE": "Prison Bottle",
|
||||||
|
"N_LUNARIZER": "N Lunarizer",
|
||||||
|
"N_SOLARIZER": "N Solarizer",
|
||||||
|
"RUSTED_SWORD": "Rusted Sword",
|
||||||
|
"RUSTED_SHIELD": "Rusted Shield",
|
||||||
|
"ICY_REINS_OF_UNITY": "Icy Reins Of Unity",
|
||||||
|
"SHADOW_REINS_OF_UNITY": "Shadow Reins Of Unity",
|
||||||
|
"WELLSPRING_MASK": "Wellspring Mask",
|
||||||
|
"HEARTHFLAME_MASK": "Hearthflame Mask",
|
||||||
|
"CORNERSTONE_MASK": "Cornerstone Mask",
|
||||||
|
"SHOCK_DRIVE": "Shock Drive",
|
||||||
|
"BURN_DRIVE": "Burn Drive",
|
||||||
|
"CHILL_DRIVE": "Chill Drive",
|
||||||
|
"DOUSE_DRIVE": "Douse Drive",
|
||||||
|
},
|
||||||
|
TeraType: {
|
||||||
|
"UNKNOWN": "Unknown",
|
||||||
|
"NORMAL": "Normal",
|
||||||
|
"FIGHTING": "Fighting",
|
||||||
|
"FLYING": "Flying",
|
||||||
|
"POISON": "Poison",
|
||||||
|
"GROUND": "Ground",
|
||||||
|
"ROCK": "Rock",
|
||||||
|
"BUG": "Bug",
|
||||||
|
"GHOST": "Ghost",
|
||||||
|
"STEEL": "Steel",
|
||||||
|
"FIRE": "Fire",
|
||||||
|
"WATER": "Water",
|
||||||
|
"GRASS": "Grass",
|
||||||
|
"ELECTRIC": "Electric",
|
||||||
|
"PSYCHIC": "Psychic",
|
||||||
|
"ICE": "Ice",
|
||||||
|
"DRAGON": "Dragon",
|
||||||
|
"DARK": "Dark",
|
||||||
|
"FAIRY": "Fairy",
|
||||||
|
"STELLAR": "Stellar",
|
||||||
|
},
|
||||||
|
} as const;
|
@ -2915,7 +2915,7 @@ export const move: MoveTranslationEntries = {
|
|||||||
},
|
},
|
||||||
"zippyZap": {
|
"zippyZap": {
|
||||||
name: "Zippy Zap",
|
name: "Zippy Zap",
|
||||||
effect: "The user attacks the target with bursts of electricity at high speed. This move always goes first and results in a critical hit."
|
effect: "The user attacks the target with bursts of electricity at high speed. This move always goes first and raises the user's evasiveness."
|
||||||
},
|
},
|
||||||
"splishySplash": {
|
"splishySplash": {
|
||||||
name: "Splishy Splash",
|
name: "Splishy Splash",
|
||||||
|
@ -7,6 +7,15 @@ import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
|||||||
*/
|
*/
|
||||||
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
||||||
"confirmStartTeam":'Begin with these Pokémon?',
|
"confirmStartTeam":'Begin with these Pokémon?',
|
||||||
|
"gen1": "I",
|
||||||
|
"gen2": "II",
|
||||||
|
"gen3": "III",
|
||||||
|
"gen4": "IV",
|
||||||
|
"gen5": "V",
|
||||||
|
"gen6": "VI",
|
||||||
|
"gen7": "VII",
|
||||||
|
"gen8": "VIII",
|
||||||
|
"gen9": "IX",
|
||||||
"growthRate": "Growth Rate:",
|
"growthRate": "Growth Rate:",
|
||||||
"ability": "Ability:",
|
"ability": "Ability:",
|
||||||
"passive": "Passive:",
|
"passive": "Passive:",
|
||||||
@ -28,5 +37,8 @@ export const starterSelectUiHandler: SimpleTranslationEntries = {
|
|||||||
"cycleNature": 'N: Cycle Nature',
|
"cycleNature": 'N: Cycle Nature',
|
||||||
"cycleVariant": 'V: Cycle Variant',
|
"cycleVariant": 'V: Cycle Variant',
|
||||||
"enablePassive": "Enable Passive",
|
"enablePassive": "Enable Passive",
|
||||||
"disablePassive": "Disable Passive"
|
"disablePassive": "Disable Passive",
|
||||||
|
"locked": "Locked",
|
||||||
|
"disabled": "Disabled",
|
||||||
|
"uncaught": "Uncaught"
|
||||||
}
|
}
|
44
src/locales/en/weather.ts
Normal file
44
src/locales/en/weather.ts
Normal file
@ -0,0 +1,44 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
/**
|
||||||
|
* The weather namespace holds text displayed when weather is active during a battle
|
||||||
|
*/
|
||||||
|
export const weather: SimpleTranslationEntries = {
|
||||||
|
"sunnyStartMessage": "The sunlight got bright!",
|
||||||
|
"sunnyLapseMessage": "The sunlight is strong.",
|
||||||
|
"sunnyClearMessage": "The sunlight faded.",
|
||||||
|
|
||||||
|
"rainStartMessage": "A downpour started!",
|
||||||
|
"rainLapseMessage": "The downpour continues.",
|
||||||
|
"rainClearMessage": "The rain stopped.",
|
||||||
|
|
||||||
|
"sandstormStartMessage": "A sandstorm brewed!",
|
||||||
|
"sandstormLapseMessage": "The sandstorm rages.",
|
||||||
|
"sandstormClearMessage": "The sandstorm subsided.",
|
||||||
|
"sandstormDamageMessage": "{{pokemonPrefix}}{{pokemonName}} is buffeted\nby the sandstorm!",
|
||||||
|
|
||||||
|
"hailStartMessage": "It started to hail!",
|
||||||
|
"hailLapseMessage": "Hail continues to fall.",
|
||||||
|
"hailClearMessage": "The hail stopped.",
|
||||||
|
"hailDamageMessage": "{{pokemonPrefix}}{{pokemonName}} is pelted\nby the hail!",
|
||||||
|
|
||||||
|
"snowStartMessage": "It started to snow!",
|
||||||
|
"snowLapseMessage": "The snow is falling down.",
|
||||||
|
"snowClearMessage": "The snow stopped.",
|
||||||
|
|
||||||
|
"fogStartMessage": "A thick fog emerged!",
|
||||||
|
"fogLapseMessage": "The fog continues.",
|
||||||
|
"fogClearMessage": "The fog disappeared.",
|
||||||
|
|
||||||
|
"heavyRainStartMessage": "A heavy downpour started!",
|
||||||
|
"heavyRainLapseMessage": "The heavy downpour continues.",
|
||||||
|
"heavyRainClearMessage": "The heavy rain stopped.",
|
||||||
|
|
||||||
|
"harshSunStartMessage": "The sunlight got hot!",
|
||||||
|
"harshSunLapseMessage": "The sun is scorching hot.",
|
||||||
|
"harshSunClearMessage": "The harsh sunlight faded.",
|
||||||
|
|
||||||
|
"strongWindsStartMessage": "A heavy wind began!",
|
||||||
|
"strongWindsLapseMessage": "The wind blows intensely.",
|
||||||
|
"strongWindsClearMessage": "The heavy wind stopped."
|
||||||
|
}
|
5
src/locales/es/ability-trigger.ts
Normal file
5
src/locales/es/ability-trigger.ts
Normal file
@ -0,0 +1,5 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const abilityTriggers: SimpleTranslationEntries = {
|
||||||
|
'blockRecoilDamage' : `{{pokemonName}}'s {{abilityName}}\nprotected it from recoil!`,
|
||||||
|
} as const;
|
@ -31,6 +31,8 @@ export const battle: SimpleTranslationEntries = {
|
|||||||
"learnMoveNotLearned": "{{pokemonName}} no ha aprendido {{moveName}}.",
|
"learnMoveNotLearned": "{{pokemonName}} no ha aprendido {{moveName}}.",
|
||||||
"learnMoveForgetQuestion": "¿Qué movimiento quieres que olvide?",
|
"learnMoveForgetQuestion": "¿Qué movimiento quieres que olvide?",
|
||||||
"learnMoveForgetSuccess": "{{pokemonName}} ha olvidado cómo utilizar {{moveName}}.",
|
"learnMoveForgetSuccess": "{{pokemonName}} ha olvidado cómo utilizar {{moveName}}.",
|
||||||
|
"countdownPoof": "@d{32}1, @d{15}2, @d{15}y@d{15}… @d{15}… @d{15}… @d{15}@s{pb_bounce_1}¡Puf!",
|
||||||
|
"learnMoveAnd": "Y…",
|
||||||
"levelCapUp": "¡Se ha incrementado el\nnivel máximo a {{levelCap}}!",
|
"levelCapUp": "¡Se ha incrementado el\nnivel máximo a {{levelCap}}!",
|
||||||
"moveNotImplemented": "{{moveName}} aún no está implementado y no se puede seleccionar.",
|
"moveNotImplemented": "{{moveName}} aún no está implementado y no se puede seleccionar.",
|
||||||
"moveNoPP": "There's no PP left for\nthis move!",
|
"moveNoPP": "There's no PP left for\nthis move!",
|
||||||
|
@ -1,4 +1,5 @@
|
|||||||
import { ability } from "./ability";
|
import { ability } from "./ability";
|
||||||
|
import { abilityTriggers } from "./ability-trigger";
|
||||||
import { battle } from "./battle";
|
import { battle } from "./battle";
|
||||||
import { commandUiHandler } from "./command-ui-handler";
|
import { commandUiHandler } from "./command-ui-handler";
|
||||||
import { egg } from "./egg";
|
import { egg } from "./egg";
|
||||||
@ -6,6 +7,7 @@ import { fightUiHandler } from "./fight-ui-handler";
|
|||||||
import { growth } from "./growth";
|
import { growth } from "./growth";
|
||||||
import { menu } from "./menu";
|
import { menu } from "./menu";
|
||||||
import { menuUiHandler } from "./menu-ui-handler";
|
import { menuUiHandler } from "./menu-ui-handler";
|
||||||
|
import { modifierType } from "./modifier-type";
|
||||||
import { move } from "./move";
|
import { move } from "./move";
|
||||||
import { nature } from "./nature";
|
import { nature } from "./nature";
|
||||||
import { pokeball } from "./pokeball";
|
import { pokeball } from "./pokeball";
|
||||||
@ -13,10 +15,12 @@ import { pokemon } from "./pokemon";
|
|||||||
import { pokemonStat } from "./pokemon-stat";
|
import { pokemonStat } from "./pokemon-stat";
|
||||||
import { starterSelectUiHandler } from "./starter-select-ui-handler";
|
import { starterSelectUiHandler } from "./starter-select-ui-handler";
|
||||||
import { tutorial } from "./tutorial";
|
import { tutorial } from "./tutorial";
|
||||||
|
import { weather } from "./weather";
|
||||||
|
|
||||||
|
|
||||||
export const esConfig = {
|
export const esConfig = {
|
||||||
ability: ability,
|
ability: ability,
|
||||||
|
abilityTriggers: abilityTriggers,
|
||||||
battle: battle,
|
battle: battle,
|
||||||
commandUiHandler: commandUiHandler,
|
commandUiHandler: commandUiHandler,
|
||||||
egg: egg,
|
egg: egg,
|
||||||
@ -30,5 +34,7 @@ export const esConfig = {
|
|||||||
starterSelectUiHandler: starterSelectUiHandler,
|
starterSelectUiHandler: starterSelectUiHandler,
|
||||||
tutorial: tutorial,
|
tutorial: tutorial,
|
||||||
nature: nature,
|
nature: nature,
|
||||||
growth: growth
|
growth: growth,
|
||||||
|
weather: weather,
|
||||||
|
modifierType: modifierType,
|
||||||
}
|
}
|
@ -9,7 +9,7 @@ export const menuUiHandler: SimpleTranslationEntries = {
|
|||||||
"EGG_GACHA": "Gacha de Huevos",
|
"EGG_GACHA": "Gacha de Huevos",
|
||||||
"MANAGE_DATA": "Gestionar Datos",
|
"MANAGE_DATA": "Gestionar Datos",
|
||||||
"COMMUNITY": "Comunidad",
|
"COMMUNITY": "Comunidad",
|
||||||
"RETURN_TO_TITLE": "Volver al Título",
|
"SAVE_AND_QUIT": "Save and Quit",
|
||||||
"LOG_OUT": "Cerrar Sesión",
|
"LOG_OUT": "Cerrar Sesión",
|
||||||
"slot": "Ranura {{slotNumber}}",
|
"slot": "Ranura {{slotNumber}}",
|
||||||
"importSession": "Importar Sesión",
|
"importSession": "Importar Sesión",
|
||||||
|
@ -35,6 +35,11 @@ export const menu: SimpleTranslationEntries = {
|
|||||||
"boyOrGirl": "¿Eres un chico o una chica?",
|
"boyOrGirl": "¿Eres un chico o una chica?",
|
||||||
"boy": "Chico",
|
"boy": "Chico",
|
||||||
"girl": "Chica",
|
"girl": "Chica",
|
||||||
|
"evolving": "What?\n{{pokemonName}} is evolving!",
|
||||||
|
"stoppedEvolving": "{{pokemonName}} stopped evolving.",
|
||||||
|
"pauseEvolutionsQuestion": "Would you like to pause evolutions for {{pokemonName}}?\nEvolutions can be re-enabled from the party screen.",
|
||||||
|
"evolutionsPaused": "Evolutions have been paused for {{pokemonName}}.",
|
||||||
|
"evolutionDone": "Congratulations!\nYour {{pokemonName}} evolved into {{evolvedPokemonName}}!",
|
||||||
"dailyRankings": "Rankings Diarios",
|
"dailyRankings": "Rankings Diarios",
|
||||||
"weeklyRankings": "Rankings Semanales",
|
"weeklyRankings": "Rankings Semanales",
|
||||||
"noRankings": "Sin Rankings",
|
"noRankings": "Sin Rankings",
|
||||||
|
409
src/locales/es/modifier-type.ts
Normal file
409
src/locales/es/modifier-type.ts
Normal file
@ -0,0 +1,409 @@
|
|||||||
|
import { ModifierTypeTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const modifierType: ModifierTypeTranslationEntries = {
|
||||||
|
ModifierType: {
|
||||||
|
"AddPokeballModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{pokeballName}}",
|
||||||
|
description: "Receive {{pokeballName}} x{{modifierCount}} (Inventory: {{pokeballAmount}}) \nCatch Rate: {{catchRate}}",
|
||||||
|
},
|
||||||
|
"AddVoucherModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{voucherTypeName}}",
|
||||||
|
description: "Receive {{voucherTypeName}} x{{modifierCount}}",
|
||||||
|
},
|
||||||
|
"PokemonHeldItemModifierType": {
|
||||||
|
extra: {
|
||||||
|
"inoperable": "{{pokemonName}} can't take\nthis item!",
|
||||||
|
"tooMany": "{{pokemonName}} has too many\nof this item!",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonHpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} HP or {{restorePercent}}% HP for one Pokémon, whichever is higher",
|
||||||
|
extra: {
|
||||||
|
"fully": "Fully restores HP for one Pokémon",
|
||||||
|
"fullyWithStatus": "Fully restores HP for one Pokémon and heals any status ailment",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonReviveModifierType": {
|
||||||
|
description: "Revives one Pokémon and restores {{restorePercent}}% HP",
|
||||||
|
},
|
||||||
|
"PokemonStatusHealModifierType": {
|
||||||
|
description: "Heals any status ailment for one Pokémon",
|
||||||
|
},
|
||||||
|
"PokemonPpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} PP for one Pokémon move",
|
||||||
|
extra: {
|
||||||
|
"fully": "Restores all PP for one Pokémon move",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonAllMovePpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} PP for all of one Pokémon's moves",
|
||||||
|
extra: {
|
||||||
|
"fully": "Restores all PP for all of one Pokémon's moves",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonPpUpModifierType": {
|
||||||
|
description: "Permanently increases PP for one Pokémon move by {{upPoints}} for every 5 maximum PP (maximum 3)",
|
||||||
|
},
|
||||||
|
"PokemonNatureChangeModifierType": {
|
||||||
|
name: "{{natureName}} Mint",
|
||||||
|
description: "Changes a Pokémon's nature to {{natureName}} and permanently unlocks the nature for the starter.",
|
||||||
|
},
|
||||||
|
"DoubleBattleChanceBoosterModifierType": {
|
||||||
|
description: "Doubles the chance of an encounter being a double battle for {{battleCount}} battles",
|
||||||
|
},
|
||||||
|
"TempBattleStatBoosterModifierType": {
|
||||||
|
description: "Increases the {{tempBattleStatName}} of all party members by 1 stage for 5 battles",
|
||||||
|
},
|
||||||
|
"AttackTypeBoosterModifierType": {
|
||||||
|
description: "Increases the power of a Pokémon's {{moveType}}-type moves by 20%",
|
||||||
|
},
|
||||||
|
"PokemonLevelIncrementModifierType": {
|
||||||
|
description: "Increases a Pokémon's level by 1",
|
||||||
|
},
|
||||||
|
"AllPokemonLevelIncrementModifierType": {
|
||||||
|
description: "Increases all party members' level by 1",
|
||||||
|
},
|
||||||
|
"PokemonBaseStatBoosterModifierType": {
|
||||||
|
description: "Increases the holder's base {{statName}} by 10%. The higher your IVs, the higher the stack limit.",
|
||||||
|
},
|
||||||
|
"AllPokemonFullHpRestoreModifierType": {
|
||||||
|
description: "Restores 100% HP for all Pokémon",
|
||||||
|
},
|
||||||
|
"AllPokemonFullReviveModifierType": {
|
||||||
|
description: "Revives all fainted Pokémon, fully restoring HP",
|
||||||
|
},
|
||||||
|
"MoneyRewardModifierType": {
|
||||||
|
description: "Grants a {{moneyMultiplier}} amount of money (₽{{moneyAmount}})",
|
||||||
|
extra: {
|
||||||
|
"small": "small",
|
||||||
|
"moderate": "moderate",
|
||||||
|
"large": "large",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
"ExpBoosterModifierType": {
|
||||||
|
description: "Increases gain of EXP. Points by {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonExpBoosterModifierType": {
|
||||||
|
description: "Increases the holder's gain of EXP. Points by {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonFriendshipBoosterModifierType": {
|
||||||
|
description: "Increases friendship gain per victory by 50%",
|
||||||
|
},
|
||||||
|
"PokemonMoveAccuracyBoosterModifierType": {
|
||||||
|
description: "Increases move accuracy by {{accuracyAmount}} (maximum 100)",
|
||||||
|
},
|
||||||
|
"PokemonMultiHitModifierType": {
|
||||||
|
description: "Attacks hit one additional time at the cost of a 60/75/82.5% power reduction per stack respectively",
|
||||||
|
},
|
||||||
|
"TmModifierType": {
|
||||||
|
name: "TM{{moveId}} - {{moveName}}",
|
||||||
|
description: "Teach {{moveName}} to a Pokémon",
|
||||||
|
},
|
||||||
|
"EvolutionItemModifierType": {
|
||||||
|
description: "Causes certain Pokémon to evolve",
|
||||||
|
},
|
||||||
|
"FormChangeItemModifierType": {
|
||||||
|
description: "Causes certain Pokémon to change form",
|
||||||
|
},
|
||||||
|
"FusePokemonModifierType": {
|
||||||
|
description: "Combines two Pokémon (transfers Ability, splits base stats and types, shares move pool)",
|
||||||
|
},
|
||||||
|
"TerastallizeModifierType": {
|
||||||
|
name: "{{teraType}} Tera Shard",
|
||||||
|
description: "{{teraType}} Terastallizes the holder for up to 10 battles",
|
||||||
|
},
|
||||||
|
"ContactHeldItemTransferChanceModifierType": {
|
||||||
|
description: "Upon attacking, there is a {{chancePercent}}% chance the foe's held item will be stolen",
|
||||||
|
},
|
||||||
|
"TurnHeldItemTransferModifierType": {
|
||||||
|
description: "Every turn, the holder acquires one held item from the foe",
|
||||||
|
},
|
||||||
|
"EnemyAttackStatusEffectChanceModifierType": {
|
||||||
|
description: "Adds a {{chancePercent}}% chance to inflict {{statusEffect}} with attack moves",
|
||||||
|
},
|
||||||
|
"EnemyEndureChanceModifierType": {
|
||||||
|
description: "Adds a {{chancePercent}}% chance of enduring a hit",
|
||||||
|
},
|
||||||
|
|
||||||
|
"RARE_CANDY": { name: "Rare Candy" },
|
||||||
|
"RARER_CANDY": { name: "Rarer Candy" },
|
||||||
|
|
||||||
|
"MEGA_BRACELET": { name: "Mega Bracelet", description: "Mega Stones become available" },
|
||||||
|
"DYNAMAX_BAND": { name: "Dynamax Band", description: "Max Mushrooms become available" },
|
||||||
|
"TERA_ORB": { name: "Tera Orb", description: "Tera Shards become available" },
|
||||||
|
|
||||||
|
"MAP": { name: "Map", description: "Allows you to choose your destination at a crossroads" },
|
||||||
|
|
||||||
|
"POTION": { name: "Potion" },
|
||||||
|
"SUPER_POTION": { name: "Super Potion" },
|
||||||
|
"HYPER_POTION": { name: "Hyper Potion" },
|
||||||
|
"MAX_POTION": { name: "Max Potion" },
|
||||||
|
"FULL_RESTORE": { name: "Full Restore" },
|
||||||
|
|
||||||
|
"REVIVE": { name: "Revive" },
|
||||||
|
"MAX_REVIVE": { name: "Max Revive" },
|
||||||
|
|
||||||
|
"FULL_HEAL": { name: "Full Heal" },
|
||||||
|
|
||||||
|
"SACRED_ASH": { name: "Sacred Ash" },
|
||||||
|
|
||||||
|
"REVIVER_SEED": { name: "Reviver Seed", description: "Revives the holder for 1/2 HP upon fainting" },
|
||||||
|
|
||||||
|
"ETHER": { name: "Ether" },
|
||||||
|
"MAX_ETHER": { name: "Max Ether" },
|
||||||
|
|
||||||
|
"ELIXIR": { name: "Elixir" },
|
||||||
|
"MAX_ELIXIR": { name: "Max Elixir" },
|
||||||
|
|
||||||
|
"PP_UP": { name: "PP Up" },
|
||||||
|
"PP_MAX": { name: "PP Max" },
|
||||||
|
|
||||||
|
"LURE": { name: "Lure" },
|
||||||
|
"SUPER_LURE": { name: "Super Lure" },
|
||||||
|
"MAX_LURE": { name: "Max Lure" },
|
||||||
|
|
||||||
|
"MEMORY_MUSHROOM": { name: "Memory Mushroom", description: "Recall one Pokémon's forgotten move" },
|
||||||
|
|
||||||
|
"EXP_SHARE": { name: "EXP. All", description: "Non-participants receive 20% of a single participant's EXP. Points" },
|
||||||
|
"EXP_BALANCE": { name: "EXP. Balance", description: "Weighs EXP. Points received from battles towards lower-leveled party members" },
|
||||||
|
|
||||||
|
"OVAL_CHARM": { name: "Oval Charm", description: "When multiple Pokémon participate in a battle, each gets an extra 10% of the total EXP" },
|
||||||
|
|
||||||
|
"EXP_CHARM": { name: "EXP. Charm" },
|
||||||
|
"SUPER_EXP_CHARM": { name: "Super EXP. Charm" },
|
||||||
|
"GOLDEN_EXP_CHARM": { name: "Golden EXP. Charm" },
|
||||||
|
|
||||||
|
"LUCKY_EGG": { name: "Lucky Egg" },
|
||||||
|
"GOLDEN_EGG": { name: "Golden Egg" },
|
||||||
|
|
||||||
|
"SOOTHE_BELL": { name: "Soothe Bell" },
|
||||||
|
|
||||||
|
"SOUL_DEW": { name: "Soul Dew", description: "Increases the influence of a Pokémon's nature on its stats by 10% (additive)" },
|
||||||
|
|
||||||
|
"NUGGET": { name: "Nugget" },
|
||||||
|
"BIG_NUGGET": { name: "Big Nugget" },
|
||||||
|
"RELIC_GOLD": { name: "Relic Gold" },
|
||||||
|
|
||||||
|
"AMULET_COIN": { name: "Amulet Coin", description: "Increases money rewards by 20%" },
|
||||||
|
"GOLDEN_PUNCH": { name: "Golden Punch", description: "Grants 50% of damage inflicted as money" },
|
||||||
|
"COIN_CASE": { name: "Coin Case", description: "After every 10th battle, receive 10% of your money in interest" },
|
||||||
|
|
||||||
|
"LOCK_CAPSULE": { name: "Lock Capsule", description: "Allows you to lock item rarities when rerolling items" },
|
||||||
|
|
||||||
|
"GRIP_CLAW": { name: "Grip Claw" },
|
||||||
|
"WIDE_LENS": { name: "Wide Lens" },
|
||||||
|
|
||||||
|
"MULTI_LENS": { name: "Multi Lens" },
|
||||||
|
|
||||||
|
"HEALING_CHARM": { name: "Healing Charm", description: "Increases the effectiveness of HP restoring moves and items by 10% (excludes Revives)" },
|
||||||
|
"CANDY_JAR": { name: "Candy Jar", description: "Increases the number of levels added by Rare Candy items by 1" },
|
||||||
|
|
||||||
|
"BERRY_POUCH": { name: "Berry Pouch", description: "Adds a 25% chance that a used berry will not be consumed" },
|
||||||
|
|
||||||
|
"FOCUS_BAND": { name: "Focus Band", description: "Adds a 10% chance to survive with 1 HP after being damaged enough to faint" },
|
||||||
|
|
||||||
|
"QUICK_CLAW": { name: "Quick Claw", description: "Adds a 10% chance to move first regardless of speed (after priority)" },
|
||||||
|
|
||||||
|
"KINGS_ROCK": { name: "King's Rock", description: "Adds a 10% chance an attack move will cause the opponent to flinch" },
|
||||||
|
|
||||||
|
"LEFTOVERS": { name: "Leftovers", description: "Heals 1/16 of a Pokémon's maximum HP every turn" },
|
||||||
|
"SHELL_BELL": { name: "Shell Bell", description: "Heals 1/8 of a Pokémon's dealt damage" },
|
||||||
|
|
||||||
|
"BATON": { name: "Baton", description: "Allows passing along effects when switching Pokémon, which also bypasses traps" },
|
||||||
|
|
||||||
|
"SHINY_CHARM": { name: "Shiny Charm", description: "Dramatically increases the chance of a wild Pokémon being Shiny" },
|
||||||
|
"ABILITY_CHARM": { name: "Ability Charm", description: "Dramatically increases the chance of a wild Pokémon having a Hidden Ability" },
|
||||||
|
|
||||||
|
"IV_SCANNER": { name: "IV Scanner", description: "Allows scanning the IVs of wild Pokémon. 2 IVs are revealed per stack. The best IVs are shown first" },
|
||||||
|
|
||||||
|
"DNA_SPLICERS": { name: "DNA Splicers" },
|
||||||
|
|
||||||
|
"MINI_BLACK_HOLE": { name: "Mini Black Hole" },
|
||||||
|
|
||||||
|
"GOLDEN_POKEBALL": { name: "Golden Poké Ball", description: "Adds 1 extra item option at the end of every battle" },
|
||||||
|
|
||||||
|
"ENEMY_DAMAGE_BOOSTER": { name: "Damage Token", description: "Increases damage by 5%" },
|
||||||
|
"ENEMY_DAMAGE_REDUCTION": { name: "Protection Token", description: "Reduces incoming damage by 2.5%" },
|
||||||
|
"ENEMY_HEAL": { name: "Recovery Token", description: "Heals 2% of max HP every turn" },
|
||||||
|
"ENEMY_ATTACK_POISON_CHANCE": { name: "Poison Token" },
|
||||||
|
"ENEMY_ATTACK_PARALYZE_CHANCE": { name: "Paralyze Token" },
|
||||||
|
"ENEMY_ATTACK_SLEEP_CHANCE": { name: "Sleep Token" },
|
||||||
|
"ENEMY_ATTACK_FREEZE_CHANCE": { name: "Freeze Token" },
|
||||||
|
"ENEMY_ATTACK_BURN_CHANCE": { name: "Burn Token" },
|
||||||
|
"ENEMY_STATUS_EFFECT_HEAL_CHANCE": { name: "Full Heal Token", description: "Adds a 10% chance every turn to heal a status condition" },
|
||||||
|
"ENEMY_ENDURE_CHANCE": { name: "Endure Token" },
|
||||||
|
"ENEMY_FUSED_CHANCE": { name: "Fusion Token", description: "Adds a 1% chance that a wild Pokémon will be a fusion" },
|
||||||
|
},
|
||||||
|
TempBattleStatBoosterItem: {
|
||||||
|
"x_attack": "X Attack",
|
||||||
|
"x_defense": "X Defense",
|
||||||
|
"x_sp_atk": "X Sp. Atk",
|
||||||
|
"x_sp_def": "X Sp. Def",
|
||||||
|
"x_speed": "X Speed",
|
||||||
|
"x_accuracy": "X Accuracy",
|
||||||
|
"dire_hit": "Dire Hit",
|
||||||
|
},
|
||||||
|
AttackTypeBoosterItem: {
|
||||||
|
"silk_scarf": "Silk Scarf",
|
||||||
|
"black_belt": "Black Belt",
|
||||||
|
"sharp_beak": "Sharp Beak",
|
||||||
|
"poison_barb": "Poison Barb",
|
||||||
|
"soft_sand": "Soft Sand",
|
||||||
|
"hard_stone": "Hard Stone",
|
||||||
|
"silver_powder": "Silver Powder",
|
||||||
|
"spell_tag": "Spell Tag",
|
||||||
|
"metal_coat": "Metal Coat",
|
||||||
|
"charcoal": "Charcoal",
|
||||||
|
"mystic_water": "Mystic Water",
|
||||||
|
"miracle_seed": "Miracle Seed",
|
||||||
|
"magnet": "Magnet",
|
||||||
|
"twisted_spoon": "Twisted Spoon",
|
||||||
|
"never_melt_ice": "Never-Melt Ice",
|
||||||
|
"dragon_fang": "Dragon Fang",
|
||||||
|
"black_glasses": "Black Glasses",
|
||||||
|
"fairy_feather": "Fairy Feather",
|
||||||
|
},
|
||||||
|
BaseStatBoosterItem: {
|
||||||
|
"hp_up": "HP Up",
|
||||||
|
"protein": "Protein",
|
||||||
|
"iron": "Iron",
|
||||||
|
"calcium": "Calcium",
|
||||||
|
"zinc": "Zinc",
|
||||||
|
"carbos": "Carbos",
|
||||||
|
},
|
||||||
|
EvolutionItem: {
|
||||||
|
"NONE": "None",
|
||||||
|
|
||||||
|
"LINKING_CORD": "Linking Cord",
|
||||||
|
"SUN_STONE": "Sun Stone",
|
||||||
|
"MOON_STONE": "Moon Stone",
|
||||||
|
"LEAF_STONE": "Leaf Stone",
|
||||||
|
"FIRE_STONE": "Fire Stone",
|
||||||
|
"WATER_STONE": "Water Stone",
|
||||||
|
"THUNDER_STONE": "Thunder Stone",
|
||||||
|
"ICE_STONE": "Ice Stone",
|
||||||
|
"DUSK_STONE": "Dusk Stone",
|
||||||
|
"DAWN_STONE": "Dawn Stone",
|
||||||
|
"SHINY_STONE": "Shiny Stone",
|
||||||
|
"CRACKED_POT": "Cracked Pot",
|
||||||
|
"SWEET_APPLE": "Sweet Apple",
|
||||||
|
"TART_APPLE": "Tart Apple",
|
||||||
|
"STRAWBERRY_SWEET": "Strawberry Sweet",
|
||||||
|
"UNREMARKABLE_TEACUP": "Unremarkable Teacup",
|
||||||
|
|
||||||
|
"CHIPPED_POT": "Chipped Pot",
|
||||||
|
"BLACK_AUGURITE": "Black Augurite",
|
||||||
|
"GALARICA_CUFF": "Galarica Cuff",
|
||||||
|
"GALARICA_WREATH": "Galarica Wreath",
|
||||||
|
"PEAT_BLOCK": "Peat Block",
|
||||||
|
"AUSPICIOUS_ARMOR": "Auspicious Armor",
|
||||||
|
"MALICIOUS_ARMOR": "Malicious Armor",
|
||||||
|
"MASTERPIECE_TEACUP": "Masterpiece Teacup",
|
||||||
|
"METAL_ALLOY": "Metal Alloy",
|
||||||
|
"SCROLL_OF_DARKNESS": "Scroll Of Darkness",
|
||||||
|
"SCROLL_OF_WATERS": "Scroll Of Waters",
|
||||||
|
"SYRUPY_APPLE": "Syrupy Apple",
|
||||||
|
},
|
||||||
|
FormChangeItem: {
|
||||||
|
"NONE": "None",
|
||||||
|
|
||||||
|
"ABOMASITE": "Abomasite",
|
||||||
|
"ABSOLITE": "Absolite",
|
||||||
|
"AERODACTYLITE": "Aerodactylite",
|
||||||
|
"AGGRONITE": "Aggronite",
|
||||||
|
"ALAKAZITE": "Alakazite",
|
||||||
|
"ALTARIANITE": "Altarianite",
|
||||||
|
"AMPHAROSITE": "Ampharosite",
|
||||||
|
"AUDINITE": "Audinite",
|
||||||
|
"BANETTITE": "Banettite",
|
||||||
|
"BEEDRILLITE": "Beedrillite",
|
||||||
|
"BLASTOISINITE": "Blastoisinite",
|
||||||
|
"BLAZIKENITE": "Blazikenite",
|
||||||
|
"CAMERUPTITE": "Cameruptite",
|
||||||
|
"CHARIZARDITE_X": "Charizardite X",
|
||||||
|
"CHARIZARDITE_Y": "Charizardite Y",
|
||||||
|
"DIANCITE": "Diancite",
|
||||||
|
"GALLADITE": "Galladite",
|
||||||
|
"GARCHOMPITE": "Garchompite",
|
||||||
|
"GARDEVOIRITE": "Gardevoirite",
|
||||||
|
"GENGARITE": "Gengarite",
|
||||||
|
"GLALITITE": "Glalitite",
|
||||||
|
"GYARADOSITE": "Gyaradosite",
|
||||||
|
"HERACRONITE": "Heracronite",
|
||||||
|
"HOUNDOOMINITE": "Houndoominite",
|
||||||
|
"KANGASKHANITE": "Kangaskhanite",
|
||||||
|
"LATIASITE": "Latiasite",
|
||||||
|
"LATIOSITE": "Latiosite",
|
||||||
|
"LOPUNNITE": "Lopunnite",
|
||||||
|
"LUCARIONITE": "Lucarionite",
|
||||||
|
"MANECTITE": "Manectite",
|
||||||
|
"MAWILITE": "Mawilite",
|
||||||
|
"MEDICHAMITE": "Medichamite",
|
||||||
|
"METAGROSSITE": "Metagrossite",
|
||||||
|
"MEWTWONITE_X": "Mewtwonite X",
|
||||||
|
"MEWTWONITE_Y": "Mewtwonite Y",
|
||||||
|
"PIDGEOTITE": "Pidgeotite",
|
||||||
|
"PINSIRITE": "Pinsirite",
|
||||||
|
"RAYQUAZITE": "Rayquazite",
|
||||||
|
"SABLENITE": "Sablenite",
|
||||||
|
"SALAMENCITE": "Salamencite",
|
||||||
|
"SCEPTILITE": "Sceptilite",
|
||||||
|
"SCIZORITE": "Scizorite",
|
||||||
|
"SHARPEDONITE": "Sharpedonite",
|
||||||
|
"SLOWBRONITE": "Slowbronite",
|
||||||
|
"STEELIXITE": "Steelixite",
|
||||||
|
"SWAMPERTITE": "Swampertite",
|
||||||
|
"TYRANITARITE": "Tyranitarite",
|
||||||
|
"VENUSAURITE": "Venusaurite",
|
||||||
|
|
||||||
|
"BLUE_ORB": "Blue Orb",
|
||||||
|
"RED_ORB": "Red Orb",
|
||||||
|
"SHARP_METEORITE": "Sharp Meteorite",
|
||||||
|
"HARD_METEORITE": "Hard Meteorite",
|
||||||
|
"SMOOTH_METEORITE": "Smooth Meteorite",
|
||||||
|
"ADAMANT_CRYSTAL": "Adamant Crystal",
|
||||||
|
"LUSTROUS_ORB": "Lustrous Orb",
|
||||||
|
"GRISEOUS_CORE": "Griseous Core",
|
||||||
|
"REVEAL_GLASS": "Reveal Glass",
|
||||||
|
"GRACIDEA": "Gracidea",
|
||||||
|
"MAX_MUSHROOMS": "Max Mushrooms",
|
||||||
|
"DARK_STONE": "Dark Stone",
|
||||||
|
"LIGHT_STONE": "Light Stone",
|
||||||
|
"PRISON_BOTTLE": "Prison Bottle",
|
||||||
|
"N_LUNARIZER": "N Lunarizer",
|
||||||
|
"N_SOLARIZER": "N Solarizer",
|
||||||
|
"RUSTED_SWORD": "Rusted Sword",
|
||||||
|
"RUSTED_SHIELD": "Rusted Shield",
|
||||||
|
"ICY_REINS_OF_UNITY": "Icy Reins Of Unity",
|
||||||
|
"SHADOW_REINS_OF_UNITY": "Shadow Reins Of Unity",
|
||||||
|
"WELLSPRING_MASK": "Wellspring Mask",
|
||||||
|
"HEARTHFLAME_MASK": "Hearthflame Mask",
|
||||||
|
"CORNERSTONE_MASK": "Cornerstone Mask",
|
||||||
|
"SHOCK_DRIVE": "Shock Drive",
|
||||||
|
"BURN_DRIVE": "Burn Drive",
|
||||||
|
"CHILL_DRIVE": "Chill Drive",
|
||||||
|
"DOUSE_DRIVE": "Douse Drive",
|
||||||
|
},
|
||||||
|
TeraType: {
|
||||||
|
"UNKNOWN": "Unknown",
|
||||||
|
"NORMAL": "Normal",
|
||||||
|
"FIGHTING": "Fighting",
|
||||||
|
"FLYING": "Flying",
|
||||||
|
"POISON": "Poison",
|
||||||
|
"GROUND": "Ground",
|
||||||
|
"ROCK": "Rock",
|
||||||
|
"BUG": "Bug",
|
||||||
|
"GHOST": "Ghost",
|
||||||
|
"STEEL": "Steel",
|
||||||
|
"FIRE": "Fire",
|
||||||
|
"WATER": "Water",
|
||||||
|
"GRASS": "Grass",
|
||||||
|
"ELECTRIC": "Electric",
|
||||||
|
"PSYCHIC": "Psychic",
|
||||||
|
"ICE": "Ice",
|
||||||
|
"DRAGON": "Dragon",
|
||||||
|
"DARK": "Dark",
|
||||||
|
"FAIRY": "Fairy",
|
||||||
|
"STELLAR": "Stellar",
|
||||||
|
},
|
||||||
|
} as const;
|
@ -2915,7 +2915,7 @@ export const move: MoveTranslationEntries = {
|
|||||||
},
|
},
|
||||||
zippyZap: {
|
zippyZap: {
|
||||||
name: "Pikaturbo",
|
name: "Pikaturbo",
|
||||||
effect: "Ataque eléctrico a la velocidad del rayo. Este movimiento tiene prioridad alta y propina golpes críticos.",
|
effect: "The user attacks the target with bursts of electricity at high speed. This move always goes first and raises the user's evasiveness.",
|
||||||
},
|
},
|
||||||
splishySplash: {
|
splishySplash: {
|
||||||
name: "Salpikasurf",
|
name: "Salpikasurf",
|
||||||
|
@ -7,6 +7,15 @@ import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
|||||||
*/
|
*/
|
||||||
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
||||||
"confirmStartTeam":'¿Comenzar con estos Pokémon?',
|
"confirmStartTeam":'¿Comenzar con estos Pokémon?',
|
||||||
|
"gen1": "I",
|
||||||
|
"gen2": "II",
|
||||||
|
"gen3": "III",
|
||||||
|
"gen4": "IV",
|
||||||
|
"gen5": "V",
|
||||||
|
"gen6": "VI",
|
||||||
|
"gen7": "VII",
|
||||||
|
"gen8": "VIII",
|
||||||
|
"gen9": "IX",
|
||||||
"growthRate": "Crecimiento:",
|
"growthRate": "Crecimiento:",
|
||||||
"ability": "Habilid:",
|
"ability": "Habilid:",
|
||||||
"passive": "Pasiva:",
|
"passive": "Pasiva:",
|
||||||
@ -28,5 +37,8 @@ export const starterSelectUiHandler: SimpleTranslationEntries = {
|
|||||||
"cycleNature": 'N: Cambiar Naturaleza',
|
"cycleNature": 'N: Cambiar Naturaleza',
|
||||||
"cycleVariant": 'V: Cambiar Variante',
|
"cycleVariant": 'V: Cambiar Variante',
|
||||||
"enablePassive": "Activar Pasiva",
|
"enablePassive": "Activar Pasiva",
|
||||||
"disablePassive": "Desactivar Pasiva"
|
"disablePassive": "Desactivar Pasiva",
|
||||||
|
"locked": "Locked",
|
||||||
|
"disabled": "Disabled",
|
||||||
|
"uncaught": "Uncaught"
|
||||||
}
|
}
|
44
src/locales/es/weather.ts
Normal file
44
src/locales/es/weather.ts
Normal file
@ -0,0 +1,44 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
/**
|
||||||
|
* The weather namespace holds text displayed when weather is active during a battle
|
||||||
|
*/
|
||||||
|
export const weather: SimpleTranslationEntries = {
|
||||||
|
"sunnyStartMessage": "The sunlight got bright!",
|
||||||
|
"sunnyLapseMessage": "The sunlight is strong.",
|
||||||
|
"sunnyClearMessage": "The sunlight faded.",
|
||||||
|
|
||||||
|
"rainStartMessage": "A downpour started!",
|
||||||
|
"rainLapseMessage": "The downpour continues.",
|
||||||
|
"rainClearMessage": "The rain stopped.",
|
||||||
|
|
||||||
|
"sandstormStartMessage": "A sandstorm brewed!",
|
||||||
|
"sandstormLapseMessage": "The sandstorm rages.",
|
||||||
|
"sandstormClearMessage": "The sandstorm subsided.",
|
||||||
|
"sandstormDamageMessage": "{{pokemonPrefix}}{{pokemonName}} is buffeted\nby the sandstorm!",
|
||||||
|
|
||||||
|
"hailStartMessage": "It started to hail!",
|
||||||
|
"hailLapseMessage": "Hail continues to fall.",
|
||||||
|
"hailClearMessage": "The hail stopped.",
|
||||||
|
"hailDamageMessage": "{{pokemonPrefix}}{{pokemonName}} is pelted\nby the hail!",
|
||||||
|
|
||||||
|
"snowStartMessage": "It started to snow!",
|
||||||
|
"snowLapseMessage": "The snow is falling down.",
|
||||||
|
"snowClearMessage": "The snow stopped.",
|
||||||
|
|
||||||
|
"fogStartMessage": "A thick fog emerged!",
|
||||||
|
"fogLapseMessage": "The fog continues.",
|
||||||
|
"fogClearMessage": "The fog disappeared.",
|
||||||
|
|
||||||
|
"heavyRainStartMessage": "A heavy downpour started!",
|
||||||
|
"heavyRainLapseMessage": "The heavy downpour continues.",
|
||||||
|
"heavyRainClearMessage": "The heavy rain stopped.",
|
||||||
|
|
||||||
|
"harshSunStartMessage": "The sunlight got hot!",
|
||||||
|
"harshSunLapseMessage": "The sun is scorching hot.",
|
||||||
|
"harshSunClearMessage": "The harsh sunlight faded.",
|
||||||
|
|
||||||
|
"strongWindsStartMessage": "A heavy wind began!",
|
||||||
|
"strongWindsLapseMessage": "The wind blows intensely.",
|
||||||
|
"strongWindsClearMessage": "The heavy wind stopped."
|
||||||
|
}
|
5
src/locales/fr/ability-trigger.ts
Normal file
5
src/locales/fr/ability-trigger.ts
Normal file
@ -0,0 +1,5 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const abilityTriggers: SimpleTranslationEntries = {
|
||||||
|
'blockRecoilDamage' : `{{abilityName}}\nde {{pokemonName}} le protège du contrecoup !`,
|
||||||
|
} as const;
|
@ -31,6 +31,8 @@ export const battle: SimpleTranslationEntries = {
|
|||||||
"learnMoveNotLearned": "{{pokemonName}} n’a pas appris\n{{moveName}}.",
|
"learnMoveNotLearned": "{{pokemonName}} n’a pas appris\n{{moveName}}.",
|
||||||
"learnMoveForgetQuestion": "Quelle capacité doit être oubliée ?",
|
"learnMoveForgetQuestion": "Quelle capacité doit être oubliée ?",
|
||||||
"learnMoveForgetSuccess": "{{pokemonName}} oublie comment\nutiliser {{moveName}}.",
|
"learnMoveForgetSuccess": "{{pokemonName}} oublie comment\nutiliser {{moveName}}.",
|
||||||
|
"countdownPoof": "@d{32}1, @d{15}2, @d{15}et@d{15}… @d{15}… @d{15}… @d{15}@s{pb_bounce_1}Tadaaa !",
|
||||||
|
"learnMoveAnd": "Et…",
|
||||||
"levelCapUp": "La limite de niveau\na été augmentée à {{levelCap}} !",
|
"levelCapUp": "La limite de niveau\na été augmentée à {{levelCap}} !",
|
||||||
"moveNotImplemented": "{{moveName}} n’est pas encore implémenté et ne peut pas être sélectionné.",
|
"moveNotImplemented": "{{moveName}} n’est pas encore implémenté et ne peut pas être sélectionné.",
|
||||||
"moveNoPP": "Il n’y a plus de PP pour\ncette capacité !",
|
"moveNoPP": "Il n’y a plus de PP pour\ncette capacité !",
|
||||||
|
@ -1,4 +1,5 @@
|
|||||||
import { ability } from "./ability";
|
import { ability } from "./ability";
|
||||||
|
import { abilityTriggers } from "./ability-trigger";
|
||||||
import { battle } from "./battle";
|
import { battle } from "./battle";
|
||||||
import { commandUiHandler } from "./command-ui-handler";
|
import { commandUiHandler } from "./command-ui-handler";
|
||||||
import { egg } from "./egg";
|
import { egg } from "./egg";
|
||||||
@ -6,6 +7,7 @@ import { fightUiHandler } from "./fight-ui-handler";
|
|||||||
import { growth } from "./growth";
|
import { growth } from "./growth";
|
||||||
import { menu } from "./menu";
|
import { menu } from "./menu";
|
||||||
import { menuUiHandler } from "./menu-ui-handler";
|
import { menuUiHandler } from "./menu-ui-handler";
|
||||||
|
import { modifierType } from "./modifier-type";
|
||||||
import { move } from "./move";
|
import { move } from "./move";
|
||||||
import { nature } from "./nature";
|
import { nature } from "./nature";
|
||||||
import { pokeball } from "./pokeball";
|
import { pokeball } from "./pokeball";
|
||||||
@ -13,10 +15,12 @@ import { pokemon } from "./pokemon";
|
|||||||
import { pokemonStat } from "./pokemon-stat";
|
import { pokemonStat } from "./pokemon-stat";
|
||||||
import { starterSelectUiHandler } from "./starter-select-ui-handler";
|
import { starterSelectUiHandler } from "./starter-select-ui-handler";
|
||||||
import { tutorial } from "./tutorial";
|
import { tutorial } from "./tutorial";
|
||||||
|
import { weather } from "./weather";
|
||||||
|
|
||||||
|
|
||||||
export const frConfig = {
|
export const frConfig = {
|
||||||
ability: ability,
|
ability: ability,
|
||||||
|
abilityTriggers: abilityTriggers,
|
||||||
battle: battle,
|
battle: battle,
|
||||||
commandUiHandler: commandUiHandler,
|
commandUiHandler: commandUiHandler,
|
||||||
egg: egg,
|
egg: egg,
|
||||||
@ -30,5 +34,7 @@ export const frConfig = {
|
|||||||
starterSelectUiHandler: starterSelectUiHandler,
|
starterSelectUiHandler: starterSelectUiHandler,
|
||||||
tutorial: tutorial,
|
tutorial: tutorial,
|
||||||
nature: nature,
|
nature: nature,
|
||||||
growth: growth
|
growth: growth,
|
||||||
|
weather: weather,
|
||||||
|
modifierType: modifierType,
|
||||||
}
|
}
|
@ -9,7 +9,7 @@ export const menuUiHandler: SimpleTranslationEntries = {
|
|||||||
"EGG_GACHA": "Gacha-Œufs",
|
"EGG_GACHA": "Gacha-Œufs",
|
||||||
"MANAGE_DATA": "Mes données",
|
"MANAGE_DATA": "Mes données",
|
||||||
"COMMUNITY": "Communauté",
|
"COMMUNITY": "Communauté",
|
||||||
"RETURN_TO_TITLE": "Écran titre",
|
"SAVE_AND_QUIT": "Sauver & quitter",
|
||||||
"LOG_OUT": "Déconnexion",
|
"LOG_OUT": "Déconnexion",
|
||||||
"slot": "Emplacement {{slotNumber}}",
|
"slot": "Emplacement {{slotNumber}}",
|
||||||
"importSession": "Importer session",
|
"importSession": "Importer session",
|
||||||
|
@ -30,6 +30,11 @@ export const menu: SimpleTranslationEntries = {
|
|||||||
"boyOrGirl": "Es-tu un garçon ou une fille ?",
|
"boyOrGirl": "Es-tu un garçon ou une fille ?",
|
||||||
"boy": "Garçon",
|
"boy": "Garçon",
|
||||||
"girl": "Fille",
|
"girl": "Fille",
|
||||||
|
"evolving": "Quoi ?\n{{pokemonName}} évolue !",
|
||||||
|
"stoppedEvolving": "Hein ?\n{{pokemonName}} n’évolue plus !",
|
||||||
|
"pauseEvolutionsQuestion": "Mettre en pause les évolutions pour {{pokemonName}} ?\nElles peuvent être réactivées depuis l’écran d’équipe.",
|
||||||
|
"evolutionsPaused": "Les évolutions ont été mises en pause pour {{pokemonName}}.",
|
||||||
|
"evolutionDone": "Félicitations !\n{{pokemonName}} a évolué en {{evolvedPokemonName}} !",
|
||||||
"dailyRankings": "Classement du Jour",
|
"dailyRankings": "Classement du Jour",
|
||||||
"weeklyRankings": "Classement de la Semaine",
|
"weeklyRankings": "Classement de la Semaine",
|
||||||
"noRankings": "Pas de Classement",
|
"noRankings": "Pas de Classement",
|
||||||
|
409
src/locales/fr/modifier-type.ts
Normal file
409
src/locales/fr/modifier-type.ts
Normal file
@ -0,0 +1,409 @@
|
|||||||
|
import { ModifierTypeTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const modifierType: ModifierTypeTranslationEntries = {
|
||||||
|
ModifierType: {
|
||||||
|
"AddPokeballModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{pokeballName}}",
|
||||||
|
description: "Receive {{pokeballName}} x{{modifierCount}} (Inventory: {{pokeballAmount}}) \nCatch Rate: {{catchRate}}",
|
||||||
|
},
|
||||||
|
"AddVoucherModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{voucherTypeName}}",
|
||||||
|
description: "Receive {{voucherTypeName}} x{{modifierCount}}",
|
||||||
|
},
|
||||||
|
"PokemonHeldItemModifierType": {
|
||||||
|
extra: {
|
||||||
|
"inoperable": "{{pokemonName}} can't take\nthis item!",
|
||||||
|
"tooMany": "{{pokemonName}} has too many\nof this item!",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonHpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} HP or {{restorePercent}}% HP for one Pokémon, whichever is higher",
|
||||||
|
extra: {
|
||||||
|
"fully": "Fully restores HP for one Pokémon",
|
||||||
|
"fullyWithStatus": "Fully restores HP for one Pokémon and heals any status ailment",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonReviveModifierType": {
|
||||||
|
description: "Revives one Pokémon and restores {{restorePercent}}% HP",
|
||||||
|
},
|
||||||
|
"PokemonStatusHealModifierType": {
|
||||||
|
description: "Heals any status ailment for one Pokémon",
|
||||||
|
},
|
||||||
|
"PokemonPpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} PP for one Pokémon move",
|
||||||
|
extra: {
|
||||||
|
"fully": "Restores all PP for one Pokémon move",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonAllMovePpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} PP for all of one Pokémon's moves",
|
||||||
|
extra: {
|
||||||
|
"fully": "Restores all PP for all of one Pokémon's moves",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonPpUpModifierType": {
|
||||||
|
description: "Permanently increases PP for one Pokémon move by {{upPoints}} for every 5 maximum PP (maximum 3)",
|
||||||
|
},
|
||||||
|
"PokemonNatureChangeModifierType": {
|
||||||
|
name: "{{natureName}} Mint",
|
||||||
|
description: "Changes a Pokémon's nature to {{natureName}} and permanently unlocks the nature for the starter.",
|
||||||
|
},
|
||||||
|
"DoubleBattleChanceBoosterModifierType": {
|
||||||
|
description: "Doubles the chance of an encounter being a double battle for {{battleCount}} battles",
|
||||||
|
},
|
||||||
|
"TempBattleStatBoosterModifierType": {
|
||||||
|
description: "Increases the {{tempBattleStatName}} of all party members by 1 stage for 5 battles",
|
||||||
|
},
|
||||||
|
"AttackTypeBoosterModifierType": {
|
||||||
|
description: "Increases the power of a Pokémon's {{moveType}}-type moves by 20%",
|
||||||
|
},
|
||||||
|
"PokemonLevelIncrementModifierType": {
|
||||||
|
description: "Increases a Pokémon's level by 1",
|
||||||
|
},
|
||||||
|
"AllPokemonLevelIncrementModifierType": {
|
||||||
|
description: "Increases all party members' level by 1",
|
||||||
|
},
|
||||||
|
"PokemonBaseStatBoosterModifierType": {
|
||||||
|
description: "Increases the holder's base {{statName}} by 10%. The higher your IVs, the higher the stack limit.",
|
||||||
|
},
|
||||||
|
"AllPokemonFullHpRestoreModifierType": {
|
||||||
|
description: "Restores 100% HP for all Pokémon",
|
||||||
|
},
|
||||||
|
"AllPokemonFullReviveModifierType": {
|
||||||
|
description: "Revives all fainted Pokémon, fully restoring HP",
|
||||||
|
},
|
||||||
|
"MoneyRewardModifierType": {
|
||||||
|
description: "Grants a {{moneyMultiplier}} amount of money (₽{{moneyAmount}})",
|
||||||
|
extra: {
|
||||||
|
"small": "small",
|
||||||
|
"moderate": "moderate",
|
||||||
|
"large": "large",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
"ExpBoosterModifierType": {
|
||||||
|
description: "Increases gain of EXP. Points by {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonExpBoosterModifierType": {
|
||||||
|
description: "Increases the holder's gain of EXP. Points by {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonFriendshipBoosterModifierType": {
|
||||||
|
description: "Increases friendship gain per victory by 50%",
|
||||||
|
},
|
||||||
|
"PokemonMoveAccuracyBoosterModifierType": {
|
||||||
|
description: "Increases move accuracy by {{accuracyAmount}} (maximum 100)",
|
||||||
|
},
|
||||||
|
"PokemonMultiHitModifierType": {
|
||||||
|
description: "Attacks hit one additional time at the cost of a 60/75/82.5% power reduction per stack respectively",
|
||||||
|
},
|
||||||
|
"TmModifierType": {
|
||||||
|
name: "TM{{moveId}} - {{moveName}}",
|
||||||
|
description: "Teach {{moveName}} to a Pokémon",
|
||||||
|
},
|
||||||
|
"EvolutionItemModifierType": {
|
||||||
|
description: "Causes certain Pokémon to evolve",
|
||||||
|
},
|
||||||
|
"FormChangeItemModifierType": {
|
||||||
|
description: "Causes certain Pokémon to change form",
|
||||||
|
},
|
||||||
|
"FusePokemonModifierType": {
|
||||||
|
description: "Combines two Pokémon (transfers Ability, splits base stats and types, shares move pool)",
|
||||||
|
},
|
||||||
|
"TerastallizeModifierType": {
|
||||||
|
name: "{{teraType}} Tera Shard",
|
||||||
|
description: "{{teraType}} Terastallizes the holder for up to 10 battles",
|
||||||
|
},
|
||||||
|
"ContactHeldItemTransferChanceModifierType": {
|
||||||
|
description: "Upon attacking, there is a {{chancePercent}}% chance the foe's held item will be stolen",
|
||||||
|
},
|
||||||
|
"TurnHeldItemTransferModifierType": {
|
||||||
|
description: "Every turn, the holder acquires one held item from the foe",
|
||||||
|
},
|
||||||
|
"EnemyAttackStatusEffectChanceModifierType": {
|
||||||
|
description: "Adds a {{chancePercent}}% chance to inflict {{statusEffect}} with attack moves",
|
||||||
|
},
|
||||||
|
"EnemyEndureChanceModifierType": {
|
||||||
|
description: "Adds a {{chancePercent}}% chance of enduring a hit",
|
||||||
|
},
|
||||||
|
|
||||||
|
"RARE_CANDY": { name: "Rare Candy" },
|
||||||
|
"RARER_CANDY": { name: "Rarer Candy" },
|
||||||
|
|
||||||
|
"MEGA_BRACELET": { name: "Mega Bracelet", description: "Mega Stones become available" },
|
||||||
|
"DYNAMAX_BAND": { name: "Dynamax Band", description: "Max Mushrooms become available" },
|
||||||
|
"TERA_ORB": { name: "Tera Orb", description: "Tera Shards become available" },
|
||||||
|
|
||||||
|
"MAP": { name: "Map", description: "Allows you to choose your destination at a crossroads" },
|
||||||
|
|
||||||
|
"POTION": { name: "Potion" },
|
||||||
|
"SUPER_POTION": { name: "Super Potion" },
|
||||||
|
"HYPER_POTION": { name: "Hyper Potion" },
|
||||||
|
"MAX_POTION": { name: "Max Potion" },
|
||||||
|
"FULL_RESTORE": { name: "Full Restore" },
|
||||||
|
|
||||||
|
"REVIVE": { name: "Revive" },
|
||||||
|
"MAX_REVIVE": { name: "Max Revive" },
|
||||||
|
|
||||||
|
"FULL_HEAL": { name: "Full Heal" },
|
||||||
|
|
||||||
|
"SACRED_ASH": { name: "Sacred Ash" },
|
||||||
|
|
||||||
|
"REVIVER_SEED": { name: "Reviver Seed", description: "Revives the holder for 1/2 HP upon fainting" },
|
||||||
|
|
||||||
|
"ETHER": { name: "Ether" },
|
||||||
|
"MAX_ETHER": { name: "Max Ether" },
|
||||||
|
|
||||||
|
"ELIXIR": { name: "Elixir" },
|
||||||
|
"MAX_ELIXIR": { name: "Max Elixir" },
|
||||||
|
|
||||||
|
"PP_UP": { name: "PP Up" },
|
||||||
|
"PP_MAX": { name: "PP Max" },
|
||||||
|
|
||||||
|
"LURE": { name: "Lure" },
|
||||||
|
"SUPER_LURE": { name: "Super Lure" },
|
||||||
|
"MAX_LURE": { name: "Max Lure" },
|
||||||
|
|
||||||
|
"MEMORY_MUSHROOM": { name: "Memory Mushroom", description: "Recall one Pokémon's forgotten move" },
|
||||||
|
|
||||||
|
"EXP_SHARE": { name: "EXP. All", description: "Non-participants receive 20% of a single participant's EXP. Points" },
|
||||||
|
"EXP_BALANCE": { name: "EXP. Balance", description: "Weighs EXP. Points received from battles towards lower-leveled party members" },
|
||||||
|
|
||||||
|
"OVAL_CHARM": { name: "Oval Charm", description: "When multiple Pokémon participate in a battle, each gets an extra 10% of the total EXP" },
|
||||||
|
|
||||||
|
"EXP_CHARM": { name: "EXP. Charm" },
|
||||||
|
"SUPER_EXP_CHARM": { name: "Super EXP. Charm" },
|
||||||
|
"GOLDEN_EXP_CHARM": { name: "Golden EXP. Charm" },
|
||||||
|
|
||||||
|
"LUCKY_EGG": { name: "Lucky Egg" },
|
||||||
|
"GOLDEN_EGG": { name: "Golden Egg" },
|
||||||
|
|
||||||
|
"SOOTHE_BELL": { name: "Soothe Bell" },
|
||||||
|
|
||||||
|
"SOUL_DEW": { name: "Soul Dew", description: "Increases the influence of a Pokémon's nature on its stats by 10% (additive)" },
|
||||||
|
|
||||||
|
"NUGGET": { name: "Nugget" },
|
||||||
|
"BIG_NUGGET": { name: "Big Nugget" },
|
||||||
|
"RELIC_GOLD": { name: "Relic Gold" },
|
||||||
|
|
||||||
|
"AMULET_COIN": { name: "Amulet Coin", description: "Increases money rewards by 20%" },
|
||||||
|
"GOLDEN_PUNCH": { name: "Golden Punch", description: "Grants 50% of damage inflicted as money" },
|
||||||
|
"COIN_CASE": { name: "Coin Case", description: "After every 10th battle, receive 10% of your money in interest" },
|
||||||
|
|
||||||
|
"LOCK_CAPSULE": { name: "Lock Capsule", description: "Allows you to lock item rarities when rerolling items" },
|
||||||
|
|
||||||
|
"GRIP_CLAW": { name: "Grip Claw" },
|
||||||
|
"WIDE_LENS": { name: "Wide Lens" },
|
||||||
|
|
||||||
|
"MULTI_LENS": { name: "Multi Lens" },
|
||||||
|
|
||||||
|
"HEALING_CHARM": { name: "Healing Charm", description: "Increases the effectiveness of HP restoring moves and items by 10% (excludes Revives)" },
|
||||||
|
"CANDY_JAR": { name: "Candy Jar", description: "Increases the number of levels added by Rare Candy items by 1" },
|
||||||
|
|
||||||
|
"BERRY_POUCH": { name: "Berry Pouch", description: "Adds a 25% chance that a used berry will not be consumed" },
|
||||||
|
|
||||||
|
"FOCUS_BAND": { name: "Focus Band", description: "Adds a 10% chance to survive with 1 HP after being damaged enough to faint" },
|
||||||
|
|
||||||
|
"QUICK_CLAW": { name: "Quick Claw", description: "Adds a 10% chance to move first regardless of speed (after priority)" },
|
||||||
|
|
||||||
|
"KINGS_ROCK": { name: "King's Rock", description: "Adds a 10% chance an attack move will cause the opponent to flinch" },
|
||||||
|
|
||||||
|
"LEFTOVERS": { name: "Leftovers", description: "Heals 1/16 of a Pokémon's maximum HP every turn" },
|
||||||
|
"SHELL_BELL": { name: "Shell Bell", description: "Heals 1/8 of a Pokémon's dealt damage" },
|
||||||
|
|
||||||
|
"BATON": { name: "Baton", description: "Allows passing along effects when switching Pokémon, which also bypasses traps" },
|
||||||
|
|
||||||
|
"SHINY_CHARM": { name: "Shiny Charm", description: "Dramatically increases the chance of a wild Pokémon being Shiny" },
|
||||||
|
"ABILITY_CHARM": { name: "Ability Charm", description: "Dramatically increases the chance of a wild Pokémon having a Hidden Ability" },
|
||||||
|
|
||||||
|
"IV_SCANNER": { name: "IV Scanner", description: "Allows scanning the IVs of wild Pokémon. 2 IVs are revealed per stack. The best IVs are shown first" },
|
||||||
|
|
||||||
|
"DNA_SPLICERS": { name: "DNA Splicers" },
|
||||||
|
|
||||||
|
"MINI_BLACK_HOLE": { name: "Mini Black Hole" },
|
||||||
|
|
||||||
|
"GOLDEN_POKEBALL": { name: "Golden Poké Ball", description: "Adds 1 extra item option at the end of every battle" },
|
||||||
|
|
||||||
|
"ENEMY_DAMAGE_BOOSTER": { name: "Damage Token", description: "Increases damage by 5%" },
|
||||||
|
"ENEMY_DAMAGE_REDUCTION": { name: "Protection Token", description: "Reduces incoming damage by 2.5%" },
|
||||||
|
"ENEMY_HEAL": { name: "Recovery Token", description: "Heals 2% of max HP every turn" },
|
||||||
|
"ENEMY_ATTACK_POISON_CHANCE": { name: "Poison Token" },
|
||||||
|
"ENEMY_ATTACK_PARALYZE_CHANCE": { name: "Paralyze Token" },
|
||||||
|
"ENEMY_ATTACK_SLEEP_CHANCE": { name: "Sleep Token" },
|
||||||
|
"ENEMY_ATTACK_FREEZE_CHANCE": { name: "Freeze Token" },
|
||||||
|
"ENEMY_ATTACK_BURN_CHANCE": { name: "Burn Token" },
|
||||||
|
"ENEMY_STATUS_EFFECT_HEAL_CHANCE": { name: "Full Heal Token", description: "Adds a 10% chance every turn to heal a status condition" },
|
||||||
|
"ENEMY_ENDURE_CHANCE": { name: "Endure Token" },
|
||||||
|
"ENEMY_FUSED_CHANCE": { name: "Fusion Token", description: "Adds a 1% chance that a wild Pokémon will be a fusion" },
|
||||||
|
},
|
||||||
|
TempBattleStatBoosterItem: {
|
||||||
|
"x_attack": "X Attack",
|
||||||
|
"x_defense": "X Defense",
|
||||||
|
"x_sp_atk": "X Sp. Atk",
|
||||||
|
"x_sp_def": "X Sp. Def",
|
||||||
|
"x_speed": "X Speed",
|
||||||
|
"x_accuracy": "X Accuracy",
|
||||||
|
"dire_hit": "Dire Hit",
|
||||||
|
},
|
||||||
|
AttackTypeBoosterItem: {
|
||||||
|
"silk_scarf": "Silk Scarf",
|
||||||
|
"black_belt": "Black Belt",
|
||||||
|
"sharp_beak": "Sharp Beak",
|
||||||
|
"poison_barb": "Poison Barb",
|
||||||
|
"soft_sand": "Soft Sand",
|
||||||
|
"hard_stone": "Hard Stone",
|
||||||
|
"silver_powder": "Silver Powder",
|
||||||
|
"spell_tag": "Spell Tag",
|
||||||
|
"metal_coat": "Metal Coat",
|
||||||
|
"charcoal": "Charcoal",
|
||||||
|
"mystic_water": "Mystic Water",
|
||||||
|
"miracle_seed": "Miracle Seed",
|
||||||
|
"magnet": "Magnet",
|
||||||
|
"twisted_spoon": "Twisted Spoon",
|
||||||
|
"never_melt_ice": "Never-Melt Ice",
|
||||||
|
"dragon_fang": "Dragon Fang",
|
||||||
|
"black_glasses": "Black Glasses",
|
||||||
|
"fairy_feather": "Fairy Feather",
|
||||||
|
},
|
||||||
|
BaseStatBoosterItem: {
|
||||||
|
"hp_up": "HP Up",
|
||||||
|
"protein": "Protein",
|
||||||
|
"iron": "Iron",
|
||||||
|
"calcium": "Calcium",
|
||||||
|
"zinc": "Zinc",
|
||||||
|
"carbos": "Carbos",
|
||||||
|
},
|
||||||
|
EvolutionItem: {
|
||||||
|
"NONE": "None",
|
||||||
|
|
||||||
|
"LINKING_CORD": "Linking Cord",
|
||||||
|
"SUN_STONE": "Sun Stone",
|
||||||
|
"MOON_STONE": "Moon Stone",
|
||||||
|
"LEAF_STONE": "Leaf Stone",
|
||||||
|
"FIRE_STONE": "Fire Stone",
|
||||||
|
"WATER_STONE": "Water Stone",
|
||||||
|
"THUNDER_STONE": "Thunder Stone",
|
||||||
|
"ICE_STONE": "Ice Stone",
|
||||||
|
"DUSK_STONE": "Dusk Stone",
|
||||||
|
"DAWN_STONE": "Dawn Stone",
|
||||||
|
"SHINY_STONE": "Shiny Stone",
|
||||||
|
"CRACKED_POT": "Cracked Pot",
|
||||||
|
"SWEET_APPLE": "Sweet Apple",
|
||||||
|
"TART_APPLE": "Tart Apple",
|
||||||
|
"STRAWBERRY_SWEET": "Strawberry Sweet",
|
||||||
|
"UNREMARKABLE_TEACUP": "Unremarkable Teacup",
|
||||||
|
|
||||||
|
"CHIPPED_POT": "Chipped Pot",
|
||||||
|
"BLACK_AUGURITE": "Black Augurite",
|
||||||
|
"GALARICA_CUFF": "Galarica Cuff",
|
||||||
|
"GALARICA_WREATH": "Galarica Wreath",
|
||||||
|
"PEAT_BLOCK": "Peat Block",
|
||||||
|
"AUSPICIOUS_ARMOR": "Auspicious Armor",
|
||||||
|
"MALICIOUS_ARMOR": "Malicious Armor",
|
||||||
|
"MASTERPIECE_TEACUP": "Masterpiece Teacup",
|
||||||
|
"METAL_ALLOY": "Metal Alloy",
|
||||||
|
"SCROLL_OF_DARKNESS": "Scroll Of Darkness",
|
||||||
|
"SCROLL_OF_WATERS": "Scroll Of Waters",
|
||||||
|
"SYRUPY_APPLE": "Syrupy Apple",
|
||||||
|
},
|
||||||
|
FormChangeItem: {
|
||||||
|
"NONE": "None",
|
||||||
|
|
||||||
|
"ABOMASITE": "Abomasite",
|
||||||
|
"ABSOLITE": "Absolite",
|
||||||
|
"AERODACTYLITE": "Aerodactylite",
|
||||||
|
"AGGRONITE": "Aggronite",
|
||||||
|
"ALAKAZITE": "Alakazite",
|
||||||
|
"ALTARIANITE": "Altarianite",
|
||||||
|
"AMPHAROSITE": "Ampharosite",
|
||||||
|
"AUDINITE": "Audinite",
|
||||||
|
"BANETTITE": "Banettite",
|
||||||
|
"BEEDRILLITE": "Beedrillite",
|
||||||
|
"BLASTOISINITE": "Blastoisinite",
|
||||||
|
"BLAZIKENITE": "Blazikenite",
|
||||||
|
"CAMERUPTITE": "Cameruptite",
|
||||||
|
"CHARIZARDITE_X": "Charizardite X",
|
||||||
|
"CHARIZARDITE_Y": "Charizardite Y",
|
||||||
|
"DIANCITE": "Diancite",
|
||||||
|
"GALLADITE": "Galladite",
|
||||||
|
"GARCHOMPITE": "Garchompite",
|
||||||
|
"GARDEVOIRITE": "Gardevoirite",
|
||||||
|
"GENGARITE": "Gengarite",
|
||||||
|
"GLALITITE": "Glalitite",
|
||||||
|
"GYARADOSITE": "Gyaradosite",
|
||||||
|
"HERACRONITE": "Heracronite",
|
||||||
|
"HOUNDOOMINITE": "Houndoominite",
|
||||||
|
"KANGASKHANITE": "Kangaskhanite",
|
||||||
|
"LATIASITE": "Latiasite",
|
||||||
|
"LATIOSITE": "Latiosite",
|
||||||
|
"LOPUNNITE": "Lopunnite",
|
||||||
|
"LUCARIONITE": "Lucarionite",
|
||||||
|
"MANECTITE": "Manectite",
|
||||||
|
"MAWILITE": "Mawilite",
|
||||||
|
"MEDICHAMITE": "Medichamite",
|
||||||
|
"METAGROSSITE": "Metagrossite",
|
||||||
|
"MEWTWONITE_X": "Mewtwonite X",
|
||||||
|
"MEWTWONITE_Y": "Mewtwonite Y",
|
||||||
|
"PIDGEOTITE": "Pidgeotite",
|
||||||
|
"PINSIRITE": "Pinsirite",
|
||||||
|
"RAYQUAZITE": "Rayquazite",
|
||||||
|
"SABLENITE": "Sablenite",
|
||||||
|
"SALAMENCITE": "Salamencite",
|
||||||
|
"SCEPTILITE": "Sceptilite",
|
||||||
|
"SCIZORITE": "Scizorite",
|
||||||
|
"SHARPEDONITE": "Sharpedonite",
|
||||||
|
"SLOWBRONITE": "Slowbronite",
|
||||||
|
"STEELIXITE": "Steelixite",
|
||||||
|
"SWAMPERTITE": "Swampertite",
|
||||||
|
"TYRANITARITE": "Tyranitarite",
|
||||||
|
"VENUSAURITE": "Venusaurite",
|
||||||
|
|
||||||
|
"BLUE_ORB": "Blue Orb",
|
||||||
|
"RED_ORB": "Red Orb",
|
||||||
|
"SHARP_METEORITE": "Sharp Meteorite",
|
||||||
|
"HARD_METEORITE": "Hard Meteorite",
|
||||||
|
"SMOOTH_METEORITE": "Smooth Meteorite",
|
||||||
|
"ADAMANT_CRYSTAL": "Adamant Crystal",
|
||||||
|
"LUSTROUS_ORB": "Lustrous Orb",
|
||||||
|
"GRISEOUS_CORE": "Griseous Core",
|
||||||
|
"REVEAL_GLASS": "Reveal Glass",
|
||||||
|
"GRACIDEA": "Gracidea",
|
||||||
|
"MAX_MUSHROOMS": "Max Mushrooms",
|
||||||
|
"DARK_STONE": "Dark Stone",
|
||||||
|
"LIGHT_STONE": "Light Stone",
|
||||||
|
"PRISON_BOTTLE": "Prison Bottle",
|
||||||
|
"N_LUNARIZER": "N Lunarizer",
|
||||||
|
"N_SOLARIZER": "N Solarizer",
|
||||||
|
"RUSTED_SWORD": "Rusted Sword",
|
||||||
|
"RUSTED_SHIELD": "Rusted Shield",
|
||||||
|
"ICY_REINS_OF_UNITY": "Icy Reins Of Unity",
|
||||||
|
"SHADOW_REINS_OF_UNITY": "Shadow Reins Of Unity",
|
||||||
|
"WELLSPRING_MASK": "Wellspring Mask",
|
||||||
|
"HEARTHFLAME_MASK": "Hearthflame Mask",
|
||||||
|
"CORNERSTONE_MASK": "Cornerstone Mask",
|
||||||
|
"SHOCK_DRIVE": "Shock Drive",
|
||||||
|
"BURN_DRIVE": "Burn Drive",
|
||||||
|
"CHILL_DRIVE": "Chill Drive",
|
||||||
|
"DOUSE_DRIVE": "Douse Drive",
|
||||||
|
},
|
||||||
|
TeraType: {
|
||||||
|
"UNKNOWN": "Unknown",
|
||||||
|
"NORMAL": "Normal",
|
||||||
|
"FIGHTING": "Fighting",
|
||||||
|
"FLYING": "Flying",
|
||||||
|
"POISON": "Poison",
|
||||||
|
"GROUND": "Ground",
|
||||||
|
"ROCK": "Rock",
|
||||||
|
"BUG": "Bug",
|
||||||
|
"GHOST": "Ghost",
|
||||||
|
"STEEL": "Steel",
|
||||||
|
"FIRE": "Fire",
|
||||||
|
"WATER": "Water",
|
||||||
|
"GRASS": "Grass",
|
||||||
|
"ELECTRIC": "Electric",
|
||||||
|
"PSYCHIC": "Psychic",
|
||||||
|
"ICE": "Ice",
|
||||||
|
"DRAGON": "Dragon",
|
||||||
|
"DARK": "Dark",
|
||||||
|
"FAIRY": "Fairy",
|
||||||
|
"STELLAR": "Stellar",
|
||||||
|
},
|
||||||
|
} as const;
|
@ -2915,7 +2915,7 @@ export const move: MoveTranslationEntries = {
|
|||||||
},
|
},
|
||||||
"zippyZap": {
|
"zippyZap": {
|
||||||
name: "Pika-Sprint",
|
name: "Pika-Sprint",
|
||||||
effect: "Une attaque électrique rapide comme l’éclair qui inflige un coup critique à coup sûr. Frappe en priorité."
|
effect: "Une attaque électrique rapide comme l’éclair qui auguemente l’esquive. Frappe en priorité."
|
||||||
},
|
},
|
||||||
"splishySplash": {
|
"splishySplash": {
|
||||||
name: "Pika-Splash",
|
name: "Pika-Splash",
|
||||||
|
@ -7,6 +7,15 @@ import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
|||||||
*/
|
*/
|
||||||
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
||||||
"confirmStartTeam":'Commencer avec ces Pokémon ?',
|
"confirmStartTeam":'Commencer avec ces Pokémon ?',
|
||||||
|
"gen1": "1G",
|
||||||
|
"gen2": "2G",
|
||||||
|
"gen3": "3G",
|
||||||
|
"gen4": "4G",
|
||||||
|
"gen5": "5G",
|
||||||
|
"gen6": "6G",
|
||||||
|
"gen7": "7G",
|
||||||
|
"gen8": "8G",
|
||||||
|
"gen9": "9G",
|
||||||
"growthRate": "Croissance :",
|
"growthRate": "Croissance :",
|
||||||
"ability": "Talent :",
|
"ability": "Talent :",
|
||||||
"passive": "Passif :",
|
"passive": "Passif :",
|
||||||
@ -28,5 +37,8 @@ export const starterSelectUiHandler: SimpleTranslationEntries = {
|
|||||||
"cycleNature": "N: » Natures",
|
"cycleNature": "N: » Natures",
|
||||||
"cycleVariant": "V: » Variants",
|
"cycleVariant": "V: » Variants",
|
||||||
"enablePassive": "Activer Passif",
|
"enablePassive": "Activer Passif",
|
||||||
"disablePassive": "Désactiver Passif"
|
"disablePassive": "Désactiver Passif",
|
||||||
|
"locked": "Verrouillé",
|
||||||
|
"disabled": "Désactivé",
|
||||||
|
"uncaught": "Non-capturé"
|
||||||
}
|
}
|
||||||
|
44
src/locales/fr/weather.ts
Normal file
44
src/locales/fr/weather.ts
Normal file
@ -0,0 +1,44 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
/**
|
||||||
|
* The weather namespace holds text displayed when weather is active during a battle
|
||||||
|
*/
|
||||||
|
export const weather: SimpleTranslationEntries = {
|
||||||
|
"sunnyStartMessage": "Les rayons du soleil brillent !",
|
||||||
|
"sunnyLapseMessage": "Les rayons du soleil brillent fort !",
|
||||||
|
"sunnyClearMessage": "Les rayons du soleil s’affaiblissent !",
|
||||||
|
|
||||||
|
"rainStartMessage": "Il commence à pleuvoir !",
|
||||||
|
"rainLapseMessage": "La pluie continue de tomber !",
|
||||||
|
"rainClearMessage": "La pluie s’est arrêtée !",
|
||||||
|
|
||||||
|
"sandstormStartMessage": "Une tempête de sable se prépare !",
|
||||||
|
"sandstormLapseMessage": "La tempête de sable fait rage !",
|
||||||
|
"sandstormClearMessage": "La tempête de sable se calme !",
|
||||||
|
"sandstormDamageMessage": "La tempête de sable inflige des dégâts\nà {{pokemonPrefix}}{{pokemonName}} !",
|
||||||
|
|
||||||
|
"hailStartMessage": "Il commence à grêler !",
|
||||||
|
"hailLapseMessage": "La grêle continue de tomber !",
|
||||||
|
"hailClearMessage": "La grêle s’est arrêtée !",
|
||||||
|
"hailDamageMessage": "La grêle inflige des dégâts\nà {{pokemonPrefix}}{{pokemonName}} !",
|
||||||
|
|
||||||
|
"snowStartMessage": "Il commence à neiger !",
|
||||||
|
"snowLapseMessage": "Il y a une tempête de neige !",
|
||||||
|
"snowClearMessage": "La neige s’est arrêtée !",
|
||||||
|
|
||||||
|
"fogStartMessage": "Le brouillard devient épais…",
|
||||||
|
"fogLapseMessage": "Le brouillard continue !",
|
||||||
|
"fogClearMessage": "Le brouillard s’est dissipé !",
|
||||||
|
|
||||||
|
"heavyRainStartMessage": "Une pluie battante s’abat soudainement !",
|
||||||
|
"heavyRainLapseMessage": "La pluie battante continue.",
|
||||||
|
"heavyRainClearMessage": "La pluie battante s’est arrêtée…",
|
||||||
|
|
||||||
|
"harshSunStartMessage": "Les rayons du soleil s’intensifient !",
|
||||||
|
"harshSunLapseMessage": "Les rayons du soleil sont brulants !",
|
||||||
|
"harshSunClearMessage": "Les rayons du soleil s’affaiblissent !",
|
||||||
|
|
||||||
|
"strongWindsStartMessage": "Un vent mystérieux se lève !",
|
||||||
|
"strongWindsLapseMessage": "Le vent mystérieux violemment !",
|
||||||
|
"strongWindsClearMessage": "Le vent mystérieux s’est dissipé…"
|
||||||
|
}
|
5
src/locales/it/ability-trigger.ts
Normal file
5
src/locales/it/ability-trigger.ts
Normal file
@ -0,0 +1,5 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const abilityTriggers: SimpleTranslationEntries = {
|
||||||
|
'blockRecoilDamage' : `{{abilityName}} di {{pokemonName}}\nl'ha protetto dal contraccolpo!`,
|
||||||
|
} as const;
|
@ -31,6 +31,8 @@ export const battle: SimpleTranslationEntries = {
|
|||||||
"learnMoveNotLearned": "{{pokemonName}} non ha imparato\n{{moveName}}.",
|
"learnMoveNotLearned": "{{pokemonName}} non ha imparato\n{{moveName}}.",
|
||||||
"learnMoveForgetQuestion": "Quale mossa deve dimenticare?",
|
"learnMoveForgetQuestion": "Quale mossa deve dimenticare?",
|
||||||
"learnMoveForgetSuccess": "{{pokemonName}} ha dimenticato la mossa\n{{moveName}}.",
|
"learnMoveForgetSuccess": "{{pokemonName}} ha dimenticato la mossa\n{{moveName}}.",
|
||||||
|
"countdownPoof": "@d{32}1, @d{15}2, @d{15}e@d{15}… @d{15}… @d{15}… @d{15}@s{pb_bounce_1}Puff!",
|
||||||
|
"learnMoveAnd": "E…",
|
||||||
"levelCapUp": "Il livello massimo\nè aumentato a {{levelCap}}!",
|
"levelCapUp": "Il livello massimo\nè aumentato a {{levelCap}}!",
|
||||||
"moveNotImplemented": "{{moveName}} non è ancora implementata e non può essere selezionata.",
|
"moveNotImplemented": "{{moveName}} non è ancora implementata e non può essere selezionata.",
|
||||||
"moveNoPP": "Non ci sono PP rimanenti\nper questa mossa!",
|
"moveNoPP": "Non ci sono PP rimanenti\nper questa mossa!",
|
||||||
|
@ -1,4 +1,5 @@
|
|||||||
import { ability } from "./ability";
|
import { ability } from "./ability";
|
||||||
|
import { abilityTriggers } from "./ability-trigger";
|
||||||
import { battle } from "./battle";
|
import { battle } from "./battle";
|
||||||
import { commandUiHandler } from "./command-ui-handler";
|
import { commandUiHandler } from "./command-ui-handler";
|
||||||
import { egg } from "./egg";
|
import { egg } from "./egg";
|
||||||
@ -6,6 +7,7 @@ import { fightUiHandler } from "./fight-ui-handler";
|
|||||||
import { growth } from "./growth";
|
import { growth } from "./growth";
|
||||||
import { menu } from "./menu";
|
import { menu } from "./menu";
|
||||||
import { menuUiHandler } from "./menu-ui-handler";
|
import { menuUiHandler } from "./menu-ui-handler";
|
||||||
|
import { modifierType } from "./modifier-type";
|
||||||
import { move } from "./move";
|
import { move } from "./move";
|
||||||
import { nature } from "./nature";
|
import { nature } from "./nature";
|
||||||
import { pokeball } from "./pokeball";
|
import { pokeball } from "./pokeball";
|
||||||
@ -13,10 +15,12 @@ import { pokemon } from "./pokemon";
|
|||||||
import { pokemonStat } from "./pokemon-stat";
|
import { pokemonStat } from "./pokemon-stat";
|
||||||
import { starterSelectUiHandler } from "./starter-select-ui-handler";
|
import { starterSelectUiHandler } from "./starter-select-ui-handler";
|
||||||
import { tutorial } from "./tutorial";
|
import { tutorial } from "./tutorial";
|
||||||
|
import { weather } from "./weather";
|
||||||
|
|
||||||
|
|
||||||
export const itConfig = {
|
export const itConfig = {
|
||||||
ability: ability,
|
ability: ability,
|
||||||
|
abilityTriggers: abilityTriggers,
|
||||||
battle: battle,
|
battle: battle,
|
||||||
commandUiHandler: commandUiHandler,
|
commandUiHandler: commandUiHandler,
|
||||||
egg: egg,
|
egg: egg,
|
||||||
@ -30,5 +34,7 @@ export const itConfig = {
|
|||||||
starterSelectUiHandler: starterSelectUiHandler,
|
starterSelectUiHandler: starterSelectUiHandler,
|
||||||
tutorial: tutorial,
|
tutorial: tutorial,
|
||||||
nature: nature,
|
nature: nature,
|
||||||
growth: growth
|
growth: growth,
|
||||||
|
weather: weather,
|
||||||
|
modifierType: modifierType,
|
||||||
}
|
}
|
@ -9,7 +9,7 @@ export const menuUiHandler: SimpleTranslationEntries = {
|
|||||||
"EGG_GACHA": "Gacha Uova",
|
"EGG_GACHA": "Gacha Uova",
|
||||||
"MANAGE_DATA": "Gestisci Dati",
|
"MANAGE_DATA": "Gestisci Dati",
|
||||||
"COMMUNITY": "Community",
|
"COMMUNITY": "Community",
|
||||||
"RETURN_TO_TITLE": "Ritorna al Titolo",
|
"SAVE_AND_QUIT": "Save and Quit",
|
||||||
"LOG_OUT": "Disconnettiti",
|
"LOG_OUT": "Disconnettiti",
|
||||||
"slot": "Slot {{slotNumber}}",
|
"slot": "Slot {{slotNumber}}",
|
||||||
"importSession": "Importa Sessione",
|
"importSession": "Importa Sessione",
|
||||||
|
@ -40,6 +40,11 @@ export const menu: SimpleTranslationEntries = {
|
|||||||
"noRankings": "Nessuna Classifica",
|
"noRankings": "Nessuna Classifica",
|
||||||
"loading": "Caricamento…",
|
"loading": "Caricamento…",
|
||||||
"playersOnline": "Giocatori Online",
|
"playersOnline": "Giocatori Online",
|
||||||
|
"evolving": "What?\n{{pokemonName}} is evolving!",
|
||||||
|
"stoppedEvolving": "{{pokemonName}} stopped evolving.",
|
||||||
|
"pauseEvolutionsQuestion": "Would you like to pause evolutions for {{pokemonName}}?\nEvolutions can be re-enabled from the party screen.",
|
||||||
|
"evolutionsPaused": "Evolutions have been paused for {{pokemonName}}.",
|
||||||
|
"evolutionDone": "Congratulations!\nYour {{pokemonName}} evolved into {{evolvedPokemonName}}!",
|
||||||
"empty":"Vuoto",
|
"empty":"Vuoto",
|
||||||
"yes":"Si",
|
"yes":"Si",
|
||||||
"no":"No",
|
"no":"No",
|
||||||
|
409
src/locales/it/modifier-type.ts
Normal file
409
src/locales/it/modifier-type.ts
Normal file
@ -0,0 +1,409 @@
|
|||||||
|
import { ModifierTypeTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const modifierType: ModifierTypeTranslationEntries = {
|
||||||
|
ModifierType: {
|
||||||
|
"AddPokeballModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{pokeballName}}",
|
||||||
|
description: "Receive {{pokeballName}} x{{modifierCount}} (Inventory: {{pokeballAmount}}) \nCatch Rate: {{catchRate}}",
|
||||||
|
},
|
||||||
|
"AddVoucherModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{voucherTypeName}}",
|
||||||
|
description: "Receive {{voucherTypeName}} x{{modifierCount}}",
|
||||||
|
},
|
||||||
|
"PokemonHeldItemModifierType": {
|
||||||
|
extra: {
|
||||||
|
"inoperable": "{{pokemonName}} can't take\nthis item!",
|
||||||
|
"tooMany": "{{pokemonName}} has too many\nof this item!",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonHpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} HP or {{restorePercent}}% HP for one Pokémon, whichever is higher",
|
||||||
|
extra: {
|
||||||
|
"fully": "Fully restores HP for one Pokémon",
|
||||||
|
"fullyWithStatus": "Fully restores HP for one Pokémon and heals any status ailment",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonReviveModifierType": {
|
||||||
|
description: "Revives one Pokémon and restores {{restorePercent}}% HP",
|
||||||
|
},
|
||||||
|
"PokemonStatusHealModifierType": {
|
||||||
|
description: "Heals any status ailment for one Pokémon",
|
||||||
|
},
|
||||||
|
"PokemonPpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} PP for one Pokémon move",
|
||||||
|
extra: {
|
||||||
|
"fully": "Restores all PP for one Pokémon move",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonAllMovePpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} PP for all of one Pokémon's moves",
|
||||||
|
extra: {
|
||||||
|
"fully": "Restores all PP for all of one Pokémon's moves",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonPpUpModifierType": {
|
||||||
|
description: "Permanently increases PP for one Pokémon move by {{upPoints}} for every 5 maximum PP (maximum 3)",
|
||||||
|
},
|
||||||
|
"PokemonNatureChangeModifierType": {
|
||||||
|
name: "{{natureName}} Mint",
|
||||||
|
description: "Changes a Pokémon's nature to {{natureName}} and permanently unlocks the nature for the starter.",
|
||||||
|
},
|
||||||
|
"DoubleBattleChanceBoosterModifierType": {
|
||||||
|
description: "Doubles the chance of an encounter being a double battle for {{battleCount}} battles",
|
||||||
|
},
|
||||||
|
"TempBattleStatBoosterModifierType": {
|
||||||
|
description: "Increases the {{tempBattleStatName}} of all party members by 1 stage for 5 battles",
|
||||||
|
},
|
||||||
|
"AttackTypeBoosterModifierType": {
|
||||||
|
description: "Increases the power of a Pokémon's {{moveType}}-type moves by 20%",
|
||||||
|
},
|
||||||
|
"PokemonLevelIncrementModifierType": {
|
||||||
|
description: "Increases a Pokémon's level by 1",
|
||||||
|
},
|
||||||
|
"AllPokemonLevelIncrementModifierType": {
|
||||||
|
description: "Increases all party members' level by 1",
|
||||||
|
},
|
||||||
|
"PokemonBaseStatBoosterModifierType": {
|
||||||
|
description: "Increases the holder's base {{statName}} by 10%. The higher your IVs, the higher the stack limit.",
|
||||||
|
},
|
||||||
|
"AllPokemonFullHpRestoreModifierType": {
|
||||||
|
description: "Restores 100% HP for all Pokémon",
|
||||||
|
},
|
||||||
|
"AllPokemonFullReviveModifierType": {
|
||||||
|
description: "Revives all fainted Pokémon, fully restoring HP",
|
||||||
|
},
|
||||||
|
"MoneyRewardModifierType": {
|
||||||
|
description: "Grants a {{moneyMultiplier}} amount of money (₽{{moneyAmount}})",
|
||||||
|
extra: {
|
||||||
|
"small": "small",
|
||||||
|
"moderate": "moderate",
|
||||||
|
"large": "large",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
"ExpBoosterModifierType": {
|
||||||
|
description: "Increases gain of EXP. Points by {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonExpBoosterModifierType": {
|
||||||
|
description: "Increases the holder's gain of EXP. Points by {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonFriendshipBoosterModifierType": {
|
||||||
|
description: "Increases friendship gain per victory by 50%",
|
||||||
|
},
|
||||||
|
"PokemonMoveAccuracyBoosterModifierType": {
|
||||||
|
description: "Increases move accuracy by {{accuracyAmount}} (maximum 100)",
|
||||||
|
},
|
||||||
|
"PokemonMultiHitModifierType": {
|
||||||
|
description: "Attacks hit one additional time at the cost of a 60/75/82.5% power reduction per stack respectively",
|
||||||
|
},
|
||||||
|
"TmModifierType": {
|
||||||
|
name: "TM{{moveId}} - {{moveName}}",
|
||||||
|
description: "Teach {{moveName}} to a Pokémon",
|
||||||
|
},
|
||||||
|
"EvolutionItemModifierType": {
|
||||||
|
description: "Causes certain Pokémon to evolve",
|
||||||
|
},
|
||||||
|
"FormChangeItemModifierType": {
|
||||||
|
description: "Causes certain Pokémon to change form",
|
||||||
|
},
|
||||||
|
"FusePokemonModifierType": {
|
||||||
|
description: "Combines two Pokémon (transfers Ability, splits base stats and types, shares move pool)",
|
||||||
|
},
|
||||||
|
"TerastallizeModifierType": {
|
||||||
|
name: "{{teraType}} Tera Shard",
|
||||||
|
description: "{{teraType}} Terastallizes the holder for up to 10 battles",
|
||||||
|
},
|
||||||
|
"ContactHeldItemTransferChanceModifierType": {
|
||||||
|
description: "Upon attacking, there is a {{chancePercent}}% chance the foe's held item will be stolen",
|
||||||
|
},
|
||||||
|
"TurnHeldItemTransferModifierType": {
|
||||||
|
description: "Every turn, the holder acquires one held item from the foe",
|
||||||
|
},
|
||||||
|
"EnemyAttackStatusEffectChanceModifierType": {
|
||||||
|
description: "Adds a {{chancePercent}}% chance to inflict {{statusEffect}} with attack moves",
|
||||||
|
},
|
||||||
|
"EnemyEndureChanceModifierType": {
|
||||||
|
description: "Adds a {{chancePercent}}% chance of enduring a hit",
|
||||||
|
},
|
||||||
|
|
||||||
|
"RARE_CANDY": { name: "Rare Candy" },
|
||||||
|
"RARER_CANDY": { name: "Rarer Candy" },
|
||||||
|
|
||||||
|
"MEGA_BRACELET": { name: "Mega Bracelet", description: "Mega Stones become available" },
|
||||||
|
"DYNAMAX_BAND": { name: "Dynamax Band", description: "Max Mushrooms become available" },
|
||||||
|
"TERA_ORB": { name: "Tera Orb", description: "Tera Shards become available" },
|
||||||
|
|
||||||
|
"MAP": { name: "Map", description: "Allows you to choose your destination at a crossroads" },
|
||||||
|
|
||||||
|
"POTION": { name: "Potion" },
|
||||||
|
"SUPER_POTION": { name: "Super Potion" },
|
||||||
|
"HYPER_POTION": { name: "Hyper Potion" },
|
||||||
|
"MAX_POTION": { name: "Max Potion" },
|
||||||
|
"FULL_RESTORE": { name: "Full Restore" },
|
||||||
|
|
||||||
|
"REVIVE": { name: "Revive" },
|
||||||
|
"MAX_REVIVE": { name: "Max Revive" },
|
||||||
|
|
||||||
|
"FULL_HEAL": { name: "Full Heal" },
|
||||||
|
|
||||||
|
"SACRED_ASH": { name: "Sacred Ash" },
|
||||||
|
|
||||||
|
"REVIVER_SEED": { name: "Reviver Seed", description: "Revives the holder for 1/2 HP upon fainting" },
|
||||||
|
|
||||||
|
"ETHER": { name: "Ether" },
|
||||||
|
"MAX_ETHER": { name: "Max Ether" },
|
||||||
|
|
||||||
|
"ELIXIR": { name: "Elixir" },
|
||||||
|
"MAX_ELIXIR": { name: "Max Elixir" },
|
||||||
|
|
||||||
|
"PP_UP": { name: "PP Up" },
|
||||||
|
"PP_MAX": { name: "PP Max" },
|
||||||
|
|
||||||
|
"LURE": { name: "Lure" },
|
||||||
|
"SUPER_LURE": { name: "Super Lure" },
|
||||||
|
"MAX_LURE": { name: "Max Lure" },
|
||||||
|
|
||||||
|
"MEMORY_MUSHROOM": { name: "Memory Mushroom", description: "Recall one Pokémon's forgotten move" },
|
||||||
|
|
||||||
|
"EXP_SHARE": { name: "EXP. All", description: "Non-participants receive 20% of a single participant's EXP. Points" },
|
||||||
|
"EXP_BALANCE": { name: "EXP. Balance", description: "Weighs EXP. Points received from battles towards lower-leveled party members" },
|
||||||
|
|
||||||
|
"OVAL_CHARM": { name: "Oval Charm", description: "When multiple Pokémon participate in a battle, each gets an extra 10% of the total EXP" },
|
||||||
|
|
||||||
|
"EXP_CHARM": { name: "EXP. Charm" },
|
||||||
|
"SUPER_EXP_CHARM": { name: "Super EXP. Charm" },
|
||||||
|
"GOLDEN_EXP_CHARM": { name: "Golden EXP. Charm" },
|
||||||
|
|
||||||
|
"LUCKY_EGG": { name: "Lucky Egg" },
|
||||||
|
"GOLDEN_EGG": { name: "Golden Egg" },
|
||||||
|
|
||||||
|
"SOOTHE_BELL": { name: "Soothe Bell" },
|
||||||
|
|
||||||
|
"SOUL_DEW": { name: "Soul Dew", description: "Increases the influence of a Pokémon's nature on its stats by 10% (additive)" },
|
||||||
|
|
||||||
|
"NUGGET": { name: "Nugget" },
|
||||||
|
"BIG_NUGGET": { name: "Big Nugget" },
|
||||||
|
"RELIC_GOLD": { name: "Relic Gold" },
|
||||||
|
|
||||||
|
"AMULET_COIN": { name: "Amulet Coin", description: "Increases money rewards by 20%" },
|
||||||
|
"GOLDEN_PUNCH": { name: "Golden Punch", description: "Grants 50% of damage inflicted as money" },
|
||||||
|
"COIN_CASE": { name: "Coin Case", description: "After every 10th battle, receive 10% of your money in interest" },
|
||||||
|
|
||||||
|
"LOCK_CAPSULE": { name: "Lock Capsule", description: "Allows you to lock item rarities when rerolling items" },
|
||||||
|
|
||||||
|
"GRIP_CLAW": { name: "Grip Claw" },
|
||||||
|
"WIDE_LENS": { name: "Wide Lens" },
|
||||||
|
|
||||||
|
"MULTI_LENS": { name: "Multi Lens" },
|
||||||
|
|
||||||
|
"HEALING_CHARM": { name: "Healing Charm", description: "Increases the effectiveness of HP restoring moves and items by 10% (excludes Revives)" },
|
||||||
|
"CANDY_JAR": { name: "Candy Jar", description: "Increases the number of levels added by Rare Candy items by 1" },
|
||||||
|
|
||||||
|
"BERRY_POUCH": { name: "Berry Pouch", description: "Adds a 25% chance that a used berry will not be consumed" },
|
||||||
|
|
||||||
|
"FOCUS_BAND": { name: "Focus Band", description: "Adds a 10% chance to survive with 1 HP after being damaged enough to faint" },
|
||||||
|
|
||||||
|
"QUICK_CLAW": { name: "Quick Claw", description: "Adds a 10% chance to move first regardless of speed (after priority)" },
|
||||||
|
|
||||||
|
"KINGS_ROCK": { name: "King's Rock", description: "Adds a 10% chance an attack move will cause the opponent to flinch" },
|
||||||
|
|
||||||
|
"LEFTOVERS": { name: "Leftovers", description: "Heals 1/16 of a Pokémon's maximum HP every turn" },
|
||||||
|
"SHELL_BELL": { name: "Shell Bell", description: "Heals 1/8 of a Pokémon's dealt damage" },
|
||||||
|
|
||||||
|
"BATON": { name: "Baton", description: "Allows passing along effects when switching Pokémon, which also bypasses traps" },
|
||||||
|
|
||||||
|
"SHINY_CHARM": { name: "Shiny Charm", description: "Dramatically increases the chance of a wild Pokémon being Shiny" },
|
||||||
|
"ABILITY_CHARM": { name: "Ability Charm", description: "Dramatically increases the chance of a wild Pokémon having a Hidden Ability" },
|
||||||
|
|
||||||
|
"IV_SCANNER": { name: "IV Scanner", description: "Allows scanning the IVs of wild Pokémon. 2 IVs are revealed per stack. The best IVs are shown first" },
|
||||||
|
|
||||||
|
"DNA_SPLICERS": { name: "DNA Splicers" },
|
||||||
|
|
||||||
|
"MINI_BLACK_HOLE": { name: "Mini Black Hole" },
|
||||||
|
|
||||||
|
"GOLDEN_POKEBALL": { name: "Golden Poké Ball", description: "Adds 1 extra item option at the end of every battle" },
|
||||||
|
|
||||||
|
"ENEMY_DAMAGE_BOOSTER": { name: "Damage Token", description: "Increases damage by 5%" },
|
||||||
|
"ENEMY_DAMAGE_REDUCTION": { name: "Protection Token", description: "Reduces incoming damage by 2.5%" },
|
||||||
|
"ENEMY_HEAL": { name: "Recovery Token", description: "Heals 2% of max HP every turn" },
|
||||||
|
"ENEMY_ATTACK_POISON_CHANCE": { name: "Poison Token" },
|
||||||
|
"ENEMY_ATTACK_PARALYZE_CHANCE": { name: "Paralyze Token" },
|
||||||
|
"ENEMY_ATTACK_SLEEP_CHANCE": { name: "Sleep Token" },
|
||||||
|
"ENEMY_ATTACK_FREEZE_CHANCE": { name: "Freeze Token" },
|
||||||
|
"ENEMY_ATTACK_BURN_CHANCE": { name: "Burn Token" },
|
||||||
|
"ENEMY_STATUS_EFFECT_HEAL_CHANCE": { name: "Full Heal Token", description: "Adds a 10% chance every turn to heal a status condition" },
|
||||||
|
"ENEMY_ENDURE_CHANCE": { name: "Endure Token" },
|
||||||
|
"ENEMY_FUSED_CHANCE": { name: "Fusion Token", description: "Adds a 1% chance that a wild Pokémon will be a fusion" },
|
||||||
|
},
|
||||||
|
TempBattleStatBoosterItem: {
|
||||||
|
"x_attack": "X Attack",
|
||||||
|
"x_defense": "X Defense",
|
||||||
|
"x_sp_atk": "X Sp. Atk",
|
||||||
|
"x_sp_def": "X Sp. Def",
|
||||||
|
"x_speed": "X Speed",
|
||||||
|
"x_accuracy": "X Accuracy",
|
||||||
|
"dire_hit": "Dire Hit",
|
||||||
|
},
|
||||||
|
AttackTypeBoosterItem: {
|
||||||
|
"silk_scarf": "Silk Scarf",
|
||||||
|
"black_belt": "Black Belt",
|
||||||
|
"sharp_beak": "Sharp Beak",
|
||||||
|
"poison_barb": "Poison Barb",
|
||||||
|
"soft_sand": "Soft Sand",
|
||||||
|
"hard_stone": "Hard Stone",
|
||||||
|
"silver_powder": "Silver Powder",
|
||||||
|
"spell_tag": "Spell Tag",
|
||||||
|
"metal_coat": "Metal Coat",
|
||||||
|
"charcoal": "Charcoal",
|
||||||
|
"mystic_water": "Mystic Water",
|
||||||
|
"miracle_seed": "Miracle Seed",
|
||||||
|
"magnet": "Magnet",
|
||||||
|
"twisted_spoon": "Twisted Spoon",
|
||||||
|
"never_melt_ice": "Never-Melt Ice",
|
||||||
|
"dragon_fang": "Dragon Fang",
|
||||||
|
"black_glasses": "Black Glasses",
|
||||||
|
"fairy_feather": "Fairy Feather",
|
||||||
|
},
|
||||||
|
BaseStatBoosterItem: {
|
||||||
|
"hp_up": "HP Up",
|
||||||
|
"protein": "Protein",
|
||||||
|
"iron": "Iron",
|
||||||
|
"calcium": "Calcium",
|
||||||
|
"zinc": "Zinc",
|
||||||
|
"carbos": "Carbos",
|
||||||
|
},
|
||||||
|
EvolutionItem: {
|
||||||
|
"NONE": "None",
|
||||||
|
|
||||||
|
"LINKING_CORD": "Linking Cord",
|
||||||
|
"SUN_STONE": "Sun Stone",
|
||||||
|
"MOON_STONE": "Moon Stone",
|
||||||
|
"LEAF_STONE": "Leaf Stone",
|
||||||
|
"FIRE_STONE": "Fire Stone",
|
||||||
|
"WATER_STONE": "Water Stone",
|
||||||
|
"THUNDER_STONE": "Thunder Stone",
|
||||||
|
"ICE_STONE": "Ice Stone",
|
||||||
|
"DUSK_STONE": "Dusk Stone",
|
||||||
|
"DAWN_STONE": "Dawn Stone",
|
||||||
|
"SHINY_STONE": "Shiny Stone",
|
||||||
|
"CRACKED_POT": "Cracked Pot",
|
||||||
|
"SWEET_APPLE": "Sweet Apple",
|
||||||
|
"TART_APPLE": "Tart Apple",
|
||||||
|
"STRAWBERRY_SWEET": "Strawberry Sweet",
|
||||||
|
"UNREMARKABLE_TEACUP": "Unremarkable Teacup",
|
||||||
|
|
||||||
|
"CHIPPED_POT": "Chipped Pot",
|
||||||
|
"BLACK_AUGURITE": "Black Augurite",
|
||||||
|
"GALARICA_CUFF": "Galarica Cuff",
|
||||||
|
"GALARICA_WREATH": "Galarica Wreath",
|
||||||
|
"PEAT_BLOCK": "Peat Block",
|
||||||
|
"AUSPICIOUS_ARMOR": "Auspicious Armor",
|
||||||
|
"MALICIOUS_ARMOR": "Malicious Armor",
|
||||||
|
"MASTERPIECE_TEACUP": "Masterpiece Teacup",
|
||||||
|
"METAL_ALLOY": "Metal Alloy",
|
||||||
|
"SCROLL_OF_DARKNESS": "Scroll Of Darkness",
|
||||||
|
"SCROLL_OF_WATERS": "Scroll Of Waters",
|
||||||
|
"SYRUPY_APPLE": "Syrupy Apple",
|
||||||
|
},
|
||||||
|
FormChangeItem: {
|
||||||
|
"NONE": "None",
|
||||||
|
|
||||||
|
"ABOMASITE": "Abomasite",
|
||||||
|
"ABSOLITE": "Absolite",
|
||||||
|
"AERODACTYLITE": "Aerodactylite",
|
||||||
|
"AGGRONITE": "Aggronite",
|
||||||
|
"ALAKAZITE": "Alakazite",
|
||||||
|
"ALTARIANITE": "Altarianite",
|
||||||
|
"AMPHAROSITE": "Ampharosite",
|
||||||
|
"AUDINITE": "Audinite",
|
||||||
|
"BANETTITE": "Banettite",
|
||||||
|
"BEEDRILLITE": "Beedrillite",
|
||||||
|
"BLASTOISINITE": "Blastoisinite",
|
||||||
|
"BLAZIKENITE": "Blazikenite",
|
||||||
|
"CAMERUPTITE": "Cameruptite",
|
||||||
|
"CHARIZARDITE_X": "Charizardite X",
|
||||||
|
"CHARIZARDITE_Y": "Charizardite Y",
|
||||||
|
"DIANCITE": "Diancite",
|
||||||
|
"GALLADITE": "Galladite",
|
||||||
|
"GARCHOMPITE": "Garchompite",
|
||||||
|
"GARDEVOIRITE": "Gardevoirite",
|
||||||
|
"GENGARITE": "Gengarite",
|
||||||
|
"GLALITITE": "Glalitite",
|
||||||
|
"GYARADOSITE": "Gyaradosite",
|
||||||
|
"HERACRONITE": "Heracronite",
|
||||||
|
"HOUNDOOMINITE": "Houndoominite",
|
||||||
|
"KANGASKHANITE": "Kangaskhanite",
|
||||||
|
"LATIASITE": "Latiasite",
|
||||||
|
"LATIOSITE": "Latiosite",
|
||||||
|
"LOPUNNITE": "Lopunnite",
|
||||||
|
"LUCARIONITE": "Lucarionite",
|
||||||
|
"MANECTITE": "Manectite",
|
||||||
|
"MAWILITE": "Mawilite",
|
||||||
|
"MEDICHAMITE": "Medichamite",
|
||||||
|
"METAGROSSITE": "Metagrossite",
|
||||||
|
"MEWTWONITE_X": "Mewtwonite X",
|
||||||
|
"MEWTWONITE_Y": "Mewtwonite Y",
|
||||||
|
"PIDGEOTITE": "Pidgeotite",
|
||||||
|
"PINSIRITE": "Pinsirite",
|
||||||
|
"RAYQUAZITE": "Rayquazite",
|
||||||
|
"SABLENITE": "Sablenite",
|
||||||
|
"SALAMENCITE": "Salamencite",
|
||||||
|
"SCEPTILITE": "Sceptilite",
|
||||||
|
"SCIZORITE": "Scizorite",
|
||||||
|
"SHARPEDONITE": "Sharpedonite",
|
||||||
|
"SLOWBRONITE": "Slowbronite",
|
||||||
|
"STEELIXITE": "Steelixite",
|
||||||
|
"SWAMPERTITE": "Swampertite",
|
||||||
|
"TYRANITARITE": "Tyranitarite",
|
||||||
|
"VENUSAURITE": "Venusaurite",
|
||||||
|
|
||||||
|
"BLUE_ORB": "Blue Orb",
|
||||||
|
"RED_ORB": "Red Orb",
|
||||||
|
"SHARP_METEORITE": "Sharp Meteorite",
|
||||||
|
"HARD_METEORITE": "Hard Meteorite",
|
||||||
|
"SMOOTH_METEORITE": "Smooth Meteorite",
|
||||||
|
"ADAMANT_CRYSTAL": "Adamant Crystal",
|
||||||
|
"LUSTROUS_ORB": "Lustrous Orb",
|
||||||
|
"GRISEOUS_CORE": "Griseous Core",
|
||||||
|
"REVEAL_GLASS": "Reveal Glass",
|
||||||
|
"GRACIDEA": "Gracidea",
|
||||||
|
"MAX_MUSHROOMS": "Max Mushrooms",
|
||||||
|
"DARK_STONE": "Dark Stone",
|
||||||
|
"LIGHT_STONE": "Light Stone",
|
||||||
|
"PRISON_BOTTLE": "Prison Bottle",
|
||||||
|
"N_LUNARIZER": "N Lunarizer",
|
||||||
|
"N_SOLARIZER": "N Solarizer",
|
||||||
|
"RUSTED_SWORD": "Rusted Sword",
|
||||||
|
"RUSTED_SHIELD": "Rusted Shield",
|
||||||
|
"ICY_REINS_OF_UNITY": "Icy Reins Of Unity",
|
||||||
|
"SHADOW_REINS_OF_UNITY": "Shadow Reins Of Unity",
|
||||||
|
"WELLSPRING_MASK": "Wellspring Mask",
|
||||||
|
"HEARTHFLAME_MASK": "Hearthflame Mask",
|
||||||
|
"CORNERSTONE_MASK": "Cornerstone Mask",
|
||||||
|
"SHOCK_DRIVE": "Shock Drive",
|
||||||
|
"BURN_DRIVE": "Burn Drive",
|
||||||
|
"CHILL_DRIVE": "Chill Drive",
|
||||||
|
"DOUSE_DRIVE": "Douse Drive",
|
||||||
|
},
|
||||||
|
TeraType: {
|
||||||
|
"UNKNOWN": "Unknown",
|
||||||
|
"NORMAL": "Normal",
|
||||||
|
"FIGHTING": "Fighting",
|
||||||
|
"FLYING": "Flying",
|
||||||
|
"POISON": "Poison",
|
||||||
|
"GROUND": "Ground",
|
||||||
|
"ROCK": "Rock",
|
||||||
|
"BUG": "Bug",
|
||||||
|
"GHOST": "Ghost",
|
||||||
|
"STEEL": "Steel",
|
||||||
|
"FIRE": "Fire",
|
||||||
|
"WATER": "Water",
|
||||||
|
"GRASS": "Grass",
|
||||||
|
"ELECTRIC": "Electric",
|
||||||
|
"PSYCHIC": "Psychic",
|
||||||
|
"ICE": "Ice",
|
||||||
|
"DRAGON": "Dragon",
|
||||||
|
"DARK": "Dark",
|
||||||
|
"FAIRY": "Fairy",
|
||||||
|
"STELLAR": "Stellar",
|
||||||
|
},
|
||||||
|
} as const;
|
@ -2915,7 +2915,7 @@ export const move: MoveTranslationEntries = {
|
|||||||
},
|
},
|
||||||
zippyZap: {
|
zippyZap: {
|
||||||
name: "Sprintaboom",
|
name: "Sprintaboom",
|
||||||
effect: "Un attacco elettrico ad altissima velocità. Questa mossa ha priorità alta e infligge sicuramente un brutto colpo.",
|
effect: "The user attacks the target with bursts of electricity at high speed. This move always goes first and raises the user's evasiveness.",
|
||||||
},
|
},
|
||||||
splishySplash: {
|
splishySplash: {
|
||||||
name: "Surfasplash",
|
name: "Surfasplash",
|
||||||
|
@ -7,6 +7,15 @@ import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
|||||||
*/
|
*/
|
||||||
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
||||||
"confirmStartTeam":'Vuoi iniziare con questi Pokémon?',
|
"confirmStartTeam":'Vuoi iniziare con questi Pokémon?',
|
||||||
|
"gen1": "I",
|
||||||
|
"gen2": "II",
|
||||||
|
"gen3": "III",
|
||||||
|
"gen4": "IV",
|
||||||
|
"gen5": "V",
|
||||||
|
"gen6": "VI",
|
||||||
|
"gen7": "VII",
|
||||||
|
"gen8": "VIII",
|
||||||
|
"gen9": "IX",
|
||||||
"growthRate": "Vel. Crescita:",
|
"growthRate": "Vel. Crescita:",
|
||||||
"ability": "Abilità:",
|
"ability": "Abilità:",
|
||||||
"passive": "Passiva:",
|
"passive": "Passiva:",
|
||||||
@ -28,5 +37,8 @@ export const starterSelectUiHandler: SimpleTranslationEntries = {
|
|||||||
"cycleNature": 'N: Alterna Natura',
|
"cycleNature": 'N: Alterna Natura',
|
||||||
"cycleVariant": 'V: Alterna Variante',
|
"cycleVariant": 'V: Alterna Variante',
|
||||||
"enablePassive": "Attiva Passiva",
|
"enablePassive": "Attiva Passiva",
|
||||||
"disablePassive": "Disattiva Passiva"
|
"disablePassive": "Disattiva Passiva",
|
||||||
|
"locked": "Bloccato",
|
||||||
|
"disabled": "Disabilitato",
|
||||||
|
"uncaught": "Non Catturato"
|
||||||
}
|
}
|
44
src/locales/it/weather.ts
Normal file
44
src/locales/it/weather.ts
Normal file
@ -0,0 +1,44 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
/**
|
||||||
|
* The weather namespace holds text displayed when weather is active during a battle
|
||||||
|
*/
|
||||||
|
export const weather: SimpleTranslationEntries = {
|
||||||
|
"sunnyStartMessage": "The sunlight got bright!",
|
||||||
|
"sunnyLapseMessage": "The sunlight is strong.",
|
||||||
|
"sunnyClearMessage": "The sunlight faded.",
|
||||||
|
|
||||||
|
"rainStartMessage": "A downpour started!",
|
||||||
|
"rainLapseMessage": "The downpour continues.",
|
||||||
|
"rainClearMessage": "The rain stopped.",
|
||||||
|
|
||||||
|
"sandstormStartMessage": "A sandstorm brewed!",
|
||||||
|
"sandstormLapseMessage": "The sandstorm rages.",
|
||||||
|
"sandstormClearMessage": "The sandstorm subsided.",
|
||||||
|
"sandstormDamageMessage": "{{pokemonPrefix}}{{pokemonName}} is buffeted\nby the sandstorm!",
|
||||||
|
|
||||||
|
"hailStartMessage": "It started to hail!",
|
||||||
|
"hailLapseMessage": "Hail continues to fall.",
|
||||||
|
"hailClearMessage": "The hail stopped.",
|
||||||
|
"hailDamageMessage": "{{pokemonPrefix}}{{pokemonName}} is pelted\nby the hail!",
|
||||||
|
|
||||||
|
"snowStartMessage": "It started to snow!",
|
||||||
|
"snowLapseMessage": "The snow is falling down.",
|
||||||
|
"snowClearMessage": "The snow stopped.",
|
||||||
|
|
||||||
|
"fogStartMessage": "A thick fog emerged!",
|
||||||
|
"fogLapseMessage": "The fog continues.",
|
||||||
|
"fogClearMessage": "The fog disappeared.",
|
||||||
|
|
||||||
|
"heavyRainStartMessage": "A heavy downpour started!",
|
||||||
|
"heavyRainLapseMessage": "The heavy downpour continues.",
|
||||||
|
"heavyRainClearMessage": "The heavy rain stopped.",
|
||||||
|
|
||||||
|
"harshSunStartMessage": "The sunlight got hot!",
|
||||||
|
"harshSunLapseMessage": "The sun is scorching hot.",
|
||||||
|
"harshSunClearMessage": "The harsh sunlight faded.",
|
||||||
|
|
||||||
|
"strongWindsStartMessage": "A heavy wind began!",
|
||||||
|
"strongWindsLapseMessage": "The wind blows intensely.",
|
||||||
|
"strongWindsClearMessage": "The heavy wind stopped."
|
||||||
|
}
|
@ -9,7 +9,7 @@ export const battle: SimpleTranslationEntries = {
|
|||||||
"trainerComeBack": "{{trainerName}} retirou {{pokemonName}} da batalha!",
|
"trainerComeBack": "{{trainerName}} retirou {{pokemonName}} da batalha!",
|
||||||
"playerGo": "{{pokemonName}}, eu escolho você!",
|
"playerGo": "{{pokemonName}}, eu escolho você!",
|
||||||
"trainerGo": "{{trainerName}} enviou {{pokemonName}}!",
|
"trainerGo": "{{trainerName}} enviou {{pokemonName}}!",
|
||||||
"switchQuestion": "Quer trocar\n{{pokemonName}}?",
|
"switchQuestion": "Quer trocar\nde {{pokemonName}}?",
|
||||||
"trainerDefeated": "Você derrotou\n{{trainerName}}!",
|
"trainerDefeated": "Você derrotou\n{{trainerName}}!",
|
||||||
"pokemonCaught": "{{pokemonName}} foi capturado!",
|
"pokemonCaught": "{{pokemonName}} foi capturado!",
|
||||||
"pokemon": "Pokémon",
|
"pokemon": "Pokémon",
|
||||||
@ -31,6 +31,8 @@ export const battle: SimpleTranslationEntries = {
|
|||||||
"learnMoveNotLearned": "{{pokemonName}} não aprendeu {{moveName}}.",
|
"learnMoveNotLearned": "{{pokemonName}} não aprendeu {{moveName}}.",
|
||||||
"learnMoveForgetQuestion": "Qual movimento quer esquecer?",
|
"learnMoveForgetQuestion": "Qual movimento quer esquecer?",
|
||||||
"learnMoveForgetSuccess": "{{pokemonName}} esqueceu como usar {{moveName}}.",
|
"learnMoveForgetSuccess": "{{pokemonName}} esqueceu como usar {{moveName}}.",
|
||||||
|
"countdownPoof": "@d{32}1, @d{15}2, @d{15}e@d{15}… @d{15}… @d{15}… @d{15}@s{pb_bounce_1}Puf!",
|
||||||
|
"learnMoveAnd": "E…",
|
||||||
"levelCapUp": "O nível máximo aumentou\npara {{levelCap}}!",
|
"levelCapUp": "O nível máximo aumentou\npara {{levelCap}}!",
|
||||||
"moveNotImplemented": "{{moveName}} ainda não foi implementado e não pode ser usado.",
|
"moveNotImplemented": "{{moveName}} ainda não foi implementado e não pode ser usado.",
|
||||||
"moveNoPP": "Não há mais PP\npara esse movimento!",
|
"moveNoPP": "Não há mais PP\npara esse movimento!",
|
||||||
|
@ -5,6 +5,7 @@ import { fightUiHandler } from "./fight-ui-handler";
|
|||||||
import { growth } from "./growth";
|
import { growth } from "./growth";
|
||||||
import { menu } from "./menu";
|
import { menu } from "./menu";
|
||||||
import { menuUiHandler } from "./menu-ui-handler";
|
import { menuUiHandler } from "./menu-ui-handler";
|
||||||
|
import { modifierType } from "./modifier-type";
|
||||||
import { move } from "./move";
|
import { move } from "./move";
|
||||||
import { nature } from "./nature";
|
import { nature } from "./nature";
|
||||||
import { pokeball } from "./pokeball";
|
import { pokeball } from "./pokeball";
|
||||||
@ -12,6 +13,7 @@ import { pokemon } from "./pokemon";
|
|||||||
import { pokemonStat } from "./pokemon-stat";
|
import { pokemonStat } from "./pokemon-stat";
|
||||||
import { starterSelectUiHandler } from "./starter-select-ui-handler";
|
import { starterSelectUiHandler } from "./starter-select-ui-handler";
|
||||||
import { tutorial } from "./tutorial";
|
import { tutorial } from "./tutorial";
|
||||||
|
import { weather } from "./weather";
|
||||||
|
|
||||||
|
|
||||||
export const ptBrConfig = {
|
export const ptBrConfig = {
|
||||||
@ -28,5 +30,7 @@ export const ptBrConfig = {
|
|||||||
starterSelectUiHandler: starterSelectUiHandler,
|
starterSelectUiHandler: starterSelectUiHandler,
|
||||||
tutorial: tutorial,
|
tutorial: tutorial,
|
||||||
nature: nature,
|
nature: nature,
|
||||||
growth: growth
|
growth: growth,
|
||||||
|
weather: weather,
|
||||||
|
modifierType: modifierType,
|
||||||
}
|
}
|
@ -1,23 +1,23 @@
|
|||||||
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
export const menuUiHandler: SimpleTranslationEntries = {
|
export const menuUiHandler: SimpleTranslationEntries = {
|
||||||
"GAME_SETTINGS": 'Configurações',
|
"GAME_SETTINGS": "Configurações",
|
||||||
"ACHIEVEMENTS": "Conquistas",
|
"ACHIEVEMENTS": "Conquistas",
|
||||||
"STATS": "Estatísticas",
|
"STATS": "Estatísticas",
|
||||||
"VOUCHERS": "Vouchers",
|
"VOUCHERS": "Vouchers",
|
||||||
"EGG_LIST": "Incubadora",
|
"EGG_LIST": "Incubadora",
|
||||||
"EGG_GACHA": "Gacha de Ovos",
|
"EGG_GACHA": "Gacha de ovos",
|
||||||
"MANAGE_DATA": "Gerenciar Dados",
|
"MANAGE_DATA": "Gerenciar dados",
|
||||||
"COMMUNITY": "Comunidade",
|
"COMMUNITY": "Comunidade",
|
||||||
"RETURN_TO_TITLE": "Voltar ao Início",
|
"SAVE_AND_QUIT": "Salvar e sair",
|
||||||
"LOG_OUT": "Logout",
|
"LOG_OUT": "Logout",
|
||||||
"slot": "Slot {{slotNumber}}",
|
"slot": "Slot {{slotNumber}}",
|
||||||
"importSession": "Importar Sessão",
|
"importSession": "Importar sessão",
|
||||||
"importSlotSelect": "Selecione um slot para importar.",
|
"importSlotSelect": "Selecione um slot para importar.",
|
||||||
"exportSession": "Exportar Sessão",
|
"exportSession": "Exportar sessão",
|
||||||
"exportSlotSelect": "Selecione um slot para exportar.",
|
"exportSlotSelect": "Selecione um slot para exportar.",
|
||||||
"importData": "Importar Dados",
|
"importData": "Importar dados",
|
||||||
"exportData": "Exportar Dados",
|
"exportData": "Exportar dados",
|
||||||
"cancel": "Cancelar",
|
"cancel": "Cancelar",
|
||||||
"losingProgressionWarning": "Você vai perder todo o progresso desde o início da batalha. Confirmar?"
|
"losingProgressionWarning": "Você vai perder todo o progresso desde o início da batalha. Confirmar?"
|
||||||
} as const;
|
} as const;
|
@ -8,7 +8,7 @@ import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
|||||||
export const menu: SimpleTranslationEntries = {
|
export const menu: SimpleTranslationEntries = {
|
||||||
"cancel": "Cancelar",
|
"cancel": "Cancelar",
|
||||||
"continue": "Continuar",
|
"continue": "Continuar",
|
||||||
"dailyRun": "Desafio diário (Beta)",
|
"dailyRun": "Desafio Diário (Beta)",
|
||||||
"loadGame": "Carregar Jogo",
|
"loadGame": "Carregar Jogo",
|
||||||
"newGame": "Novo Jogo",
|
"newGame": "Novo Jogo",
|
||||||
"selectGameMode": "Escolha um modo de jogo.",
|
"selectGameMode": "Escolha um modo de jogo.",
|
||||||
@ -35,6 +35,11 @@ export const menu: SimpleTranslationEntries = {
|
|||||||
"boyOrGirl": "Você é um menino ou uma menina?",
|
"boyOrGirl": "Você é um menino ou uma menina?",
|
||||||
"boy": "Menino",
|
"boy": "Menino",
|
||||||
"girl": "Menina",
|
"girl": "Menina",
|
||||||
|
"evolving": "Que?\n{{pokemonName}} tá evoluindo!",
|
||||||
|
"stoppedEvolving": "{{pokemonName}} parou de evoluir.",
|
||||||
|
"pauseEvolutionsQuestion": "Gostaria de pausar evoluções para {{pokemonName}}?\nEvoluções podem ser religadas na tela de equipe.",
|
||||||
|
"evolutionsPaused": "Evoluções foram paradas para {{pokemonName}}.",
|
||||||
|
"evolutionDone": "Parabéns!\nSeu {{pokemonName}} evolui para {{evolvedPokemonName}}!",
|
||||||
"dailyRankings": "Classificação Diária",
|
"dailyRankings": "Classificação Diária",
|
||||||
"weeklyRankings": "Classificação Semanal",
|
"weeklyRankings": "Classificação Semanal",
|
||||||
"noRankings": "Sem Classificação",
|
"noRankings": "Sem Classificação",
|
||||||
|
409
src/locales/pt_BR/modifier-type.ts
Normal file
409
src/locales/pt_BR/modifier-type.ts
Normal file
@ -0,0 +1,409 @@
|
|||||||
|
import { ModifierTypeTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const modifierType: ModifierTypeTranslationEntries = {
|
||||||
|
ModifierType: {
|
||||||
|
"AddPokeballModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{pokeballName}}",
|
||||||
|
description: "Receive {{pokeballName}} x{{modifierCount}} (Inventory: {{pokeballAmount}}) \nCatch Rate: {{catchRate}}",
|
||||||
|
},
|
||||||
|
"AddVoucherModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{voucherTypeName}}",
|
||||||
|
description: "Receive {{voucherTypeName}} x{{modifierCount}}",
|
||||||
|
},
|
||||||
|
"PokemonHeldItemModifierType": {
|
||||||
|
extra: {
|
||||||
|
"inoperable": "{{pokemonName}} can't take\nthis item!",
|
||||||
|
"tooMany": "{{pokemonName}} has too many\nof this item!",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonHpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} HP or {{restorePercent}}% HP for one Pokémon, whichever is higher",
|
||||||
|
extra: {
|
||||||
|
"fully": "Fully restores HP for one Pokémon",
|
||||||
|
"fullyWithStatus": "Fully restores HP for one Pokémon and heals any status ailment",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonReviveModifierType": {
|
||||||
|
description: "Revives one Pokémon and restores {{restorePercent}}% HP",
|
||||||
|
},
|
||||||
|
"PokemonStatusHealModifierType": {
|
||||||
|
description: "Heals any status ailment for one Pokémon",
|
||||||
|
},
|
||||||
|
"PokemonPpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} PP for one Pokémon move",
|
||||||
|
extra: {
|
||||||
|
"fully": "Restores all PP for one Pokémon move",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonAllMovePpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} PP for all of one Pokémon's moves",
|
||||||
|
extra: {
|
||||||
|
"fully": "Restores all PP for all of one Pokémon's moves",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonPpUpModifierType": {
|
||||||
|
description: "Permanently increases PP for one Pokémon move by {{upPoints}} for every 5 maximum PP (maximum 3)",
|
||||||
|
},
|
||||||
|
"PokemonNatureChangeModifierType": {
|
||||||
|
name: "{{natureName}} Mint",
|
||||||
|
description: "Changes a Pokémon's nature to {{natureName}} and permanently unlocks the nature for the starter.",
|
||||||
|
},
|
||||||
|
"DoubleBattleChanceBoosterModifierType": {
|
||||||
|
description: "Doubles the chance of an encounter being a double battle for {{battleCount}} battles",
|
||||||
|
},
|
||||||
|
"TempBattleStatBoosterModifierType": {
|
||||||
|
description: "Increases the {{tempBattleStatName}} of all party members by 1 stage for 5 battles",
|
||||||
|
},
|
||||||
|
"AttackTypeBoosterModifierType": {
|
||||||
|
description: "Increases the power of a Pokémon's {{moveType}}-type moves by 20%",
|
||||||
|
},
|
||||||
|
"PokemonLevelIncrementModifierType": {
|
||||||
|
description: "Increases a Pokémon's level by 1",
|
||||||
|
},
|
||||||
|
"AllPokemonLevelIncrementModifierType": {
|
||||||
|
description: "Increases all party members' level by 1",
|
||||||
|
},
|
||||||
|
"PokemonBaseStatBoosterModifierType": {
|
||||||
|
description: "Increases the holder's base {{statName}} by 10%. The higher your IVs, the higher the stack limit.",
|
||||||
|
},
|
||||||
|
"AllPokemonFullHpRestoreModifierType": {
|
||||||
|
description: "Restores 100% HP for all Pokémon",
|
||||||
|
},
|
||||||
|
"AllPokemonFullReviveModifierType": {
|
||||||
|
description: "Revives all fainted Pokémon, fully restoring HP",
|
||||||
|
},
|
||||||
|
"MoneyRewardModifierType": {
|
||||||
|
description: "Grants a {{moneyMultiplier}} amount of money (₽{{moneyAmount}})",
|
||||||
|
extra: {
|
||||||
|
"small": "small",
|
||||||
|
"moderate": "moderate",
|
||||||
|
"large": "large",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
"ExpBoosterModifierType": {
|
||||||
|
description: "Increases gain of EXP. Points by {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonExpBoosterModifierType": {
|
||||||
|
description: "Increases the holder's gain of EXP. Points by {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonFriendshipBoosterModifierType": {
|
||||||
|
description: "Increases friendship gain per victory by 50%",
|
||||||
|
},
|
||||||
|
"PokemonMoveAccuracyBoosterModifierType": {
|
||||||
|
description: "Increases move accuracy by {{accuracyAmount}} (maximum 100)",
|
||||||
|
},
|
||||||
|
"PokemonMultiHitModifierType": {
|
||||||
|
description: "Attacks hit one additional time at the cost of a 60/75/82.5% power reduction per stack respectively",
|
||||||
|
},
|
||||||
|
"TmModifierType": {
|
||||||
|
name: "TM{{moveId}} - {{moveName}}",
|
||||||
|
description: "Teach {{moveName}} to a Pokémon",
|
||||||
|
},
|
||||||
|
"EvolutionItemModifierType": {
|
||||||
|
description: "Causes certain Pokémon to evolve",
|
||||||
|
},
|
||||||
|
"FormChangeItemModifierType": {
|
||||||
|
description: "Causes certain Pokémon to change form",
|
||||||
|
},
|
||||||
|
"FusePokemonModifierType": {
|
||||||
|
description: "Combines two Pokémon (transfers Ability, splits base stats and types, shares move pool)",
|
||||||
|
},
|
||||||
|
"TerastallizeModifierType": {
|
||||||
|
name: "{{teraType}} Tera Shard",
|
||||||
|
description: "{{teraType}} Terastallizes the holder for up to 10 battles",
|
||||||
|
},
|
||||||
|
"ContactHeldItemTransferChanceModifierType": {
|
||||||
|
description: "Upon attacking, there is a {{chancePercent}}% chance the foe's held item will be stolen",
|
||||||
|
},
|
||||||
|
"TurnHeldItemTransferModifierType": {
|
||||||
|
description: "Every turn, the holder acquires one held item from the foe",
|
||||||
|
},
|
||||||
|
"EnemyAttackStatusEffectChanceModifierType": {
|
||||||
|
description: "Adds a {{chancePercent}}% chance to inflict {{statusEffect}} with attack moves",
|
||||||
|
},
|
||||||
|
"EnemyEndureChanceModifierType": {
|
||||||
|
description: "Adds a {{chancePercent}}% chance of enduring a hit",
|
||||||
|
},
|
||||||
|
|
||||||
|
"RARE_CANDY": { name: "Rare Candy" },
|
||||||
|
"RARER_CANDY": { name: "Rarer Candy" },
|
||||||
|
|
||||||
|
"MEGA_BRACELET": { name: "Mega Bracelet", description: "Mega Stones become available" },
|
||||||
|
"DYNAMAX_BAND": { name: "Dynamax Band", description: "Max Mushrooms become available" },
|
||||||
|
"TERA_ORB": { name: "Tera Orb", description: "Tera Shards become available" },
|
||||||
|
|
||||||
|
"MAP": { name: "Map", description: "Allows you to choose your destination at a crossroads" },
|
||||||
|
|
||||||
|
"POTION": { name: "Potion" },
|
||||||
|
"SUPER_POTION": { name: "Super Potion" },
|
||||||
|
"HYPER_POTION": { name: "Hyper Potion" },
|
||||||
|
"MAX_POTION": { name: "Max Potion" },
|
||||||
|
"FULL_RESTORE": { name: "Full Restore" },
|
||||||
|
|
||||||
|
"REVIVE": { name: "Revive" },
|
||||||
|
"MAX_REVIVE": { name: "Max Revive" },
|
||||||
|
|
||||||
|
"FULL_HEAL": { name: "Full Heal" },
|
||||||
|
|
||||||
|
"SACRED_ASH": { name: "Sacred Ash" },
|
||||||
|
|
||||||
|
"REVIVER_SEED": { name: "Reviver Seed", description: "Revives the holder for 1/2 HP upon fainting" },
|
||||||
|
|
||||||
|
"ETHER": { name: "Ether" },
|
||||||
|
"MAX_ETHER": { name: "Max Ether" },
|
||||||
|
|
||||||
|
"ELIXIR": { name: "Elixir" },
|
||||||
|
"MAX_ELIXIR": { name: "Max Elixir" },
|
||||||
|
|
||||||
|
"PP_UP": { name: "PP Up" },
|
||||||
|
"PP_MAX": { name: "PP Max" },
|
||||||
|
|
||||||
|
"LURE": { name: "Lure" },
|
||||||
|
"SUPER_LURE": { name: "Super Lure" },
|
||||||
|
"MAX_LURE": { name: "Max Lure" },
|
||||||
|
|
||||||
|
"MEMORY_MUSHROOM": { name: "Memory Mushroom", description: "Recall one Pokémon's forgotten move" },
|
||||||
|
|
||||||
|
"EXP_SHARE": { name: "EXP. All", description: "Non-participants receive 20% of a single participant's EXP. Points" },
|
||||||
|
"EXP_BALANCE": { name: "EXP. Balance", description: "Weighs EXP. Points received from battles towards lower-leveled party members" },
|
||||||
|
|
||||||
|
"OVAL_CHARM": { name: "Oval Charm", description: "When multiple Pokémon participate in a battle, each gets an extra 10% of the total EXP" },
|
||||||
|
|
||||||
|
"EXP_CHARM": { name: "EXP. Charm" },
|
||||||
|
"SUPER_EXP_CHARM": { name: "Super EXP. Charm" },
|
||||||
|
"GOLDEN_EXP_CHARM": { name: "Golden EXP. Charm" },
|
||||||
|
|
||||||
|
"LUCKY_EGG": { name: "Lucky Egg" },
|
||||||
|
"GOLDEN_EGG": { name: "Golden Egg" },
|
||||||
|
|
||||||
|
"SOOTHE_BELL": { name: "Soothe Bell" },
|
||||||
|
|
||||||
|
"SOUL_DEW": { name: "Soul Dew", description: "Increases the influence of a Pokémon's nature on its stats by 10% (additive)" },
|
||||||
|
|
||||||
|
"NUGGET": { name: "Nugget" },
|
||||||
|
"BIG_NUGGET": { name: "Big Nugget" },
|
||||||
|
"RELIC_GOLD": { name: "Relic Gold" },
|
||||||
|
|
||||||
|
"AMULET_COIN": { name: "Amulet Coin", description: "Increases money rewards by 20%" },
|
||||||
|
"GOLDEN_PUNCH": { name: "Golden Punch", description: "Grants 50% of damage inflicted as money" },
|
||||||
|
"COIN_CASE": { name: "Coin Case", description: "After every 10th battle, receive 10% of your money in interest" },
|
||||||
|
|
||||||
|
"LOCK_CAPSULE": { name: "Lock Capsule", description: "Allows you to lock item rarities when rerolling items" },
|
||||||
|
|
||||||
|
"GRIP_CLAW": { name: "Grip Claw" },
|
||||||
|
"WIDE_LENS": { name: "Wide Lens" },
|
||||||
|
|
||||||
|
"MULTI_LENS": { name: "Multi Lens" },
|
||||||
|
|
||||||
|
"HEALING_CHARM": { name: "Healing Charm", description: "Increases the effectiveness of HP restoring moves and items by 10% (excludes Revives)" },
|
||||||
|
"CANDY_JAR": { name: "Candy Jar", description: "Increases the number of levels added by Rare Candy items by 1" },
|
||||||
|
|
||||||
|
"BERRY_POUCH": { name: "Berry Pouch", description: "Adds a 25% chance that a used berry will not be consumed" },
|
||||||
|
|
||||||
|
"FOCUS_BAND": { name: "Focus Band", description: "Adds a 10% chance to survive with 1 HP after being damaged enough to faint" },
|
||||||
|
|
||||||
|
"QUICK_CLAW": { name: "Quick Claw", description: "Adds a 10% chance to move first regardless of speed (after priority)" },
|
||||||
|
|
||||||
|
"KINGS_ROCK": { name: "King's Rock", description: "Adds a 10% chance an attack move will cause the opponent to flinch" },
|
||||||
|
|
||||||
|
"LEFTOVERS": { name: "Leftovers", description: "Heals 1/16 of a Pokémon's maximum HP every turn" },
|
||||||
|
"SHELL_BELL": { name: "Shell Bell", description: "Heals 1/8 of a Pokémon's dealt damage" },
|
||||||
|
|
||||||
|
"BATON": { name: "Baton", description: "Allows passing along effects when switching Pokémon, which also bypasses traps" },
|
||||||
|
|
||||||
|
"SHINY_CHARM": { name: "Shiny Charm", description: "Dramatically increases the chance of a wild Pokémon being Shiny" },
|
||||||
|
"ABILITY_CHARM": { name: "Ability Charm", description: "Dramatically increases the chance of a wild Pokémon having a Hidden Ability" },
|
||||||
|
|
||||||
|
"IV_SCANNER": { name: "IV Scanner", description: "Allows scanning the IVs of wild Pokémon. 2 IVs are revealed per stack. The best IVs are shown first" },
|
||||||
|
|
||||||
|
"DNA_SPLICERS": { name: "DNA Splicers" },
|
||||||
|
|
||||||
|
"MINI_BLACK_HOLE": { name: "Mini Black Hole" },
|
||||||
|
|
||||||
|
"GOLDEN_POKEBALL": { name: "Golden Poké Ball", description: "Adds 1 extra item option at the end of every battle" },
|
||||||
|
|
||||||
|
"ENEMY_DAMAGE_BOOSTER": { name: "Damage Token", description: "Increases damage by 5%" },
|
||||||
|
"ENEMY_DAMAGE_REDUCTION": { name: "Protection Token", description: "Reduces incoming damage by 2.5%" },
|
||||||
|
"ENEMY_HEAL": { name: "Recovery Token", description: "Heals 2% of max HP every turn" },
|
||||||
|
"ENEMY_ATTACK_POISON_CHANCE": { name: "Poison Token" },
|
||||||
|
"ENEMY_ATTACK_PARALYZE_CHANCE": { name: "Paralyze Token" },
|
||||||
|
"ENEMY_ATTACK_SLEEP_CHANCE": { name: "Sleep Token" },
|
||||||
|
"ENEMY_ATTACK_FREEZE_CHANCE": { name: "Freeze Token" },
|
||||||
|
"ENEMY_ATTACK_BURN_CHANCE": { name: "Burn Token" },
|
||||||
|
"ENEMY_STATUS_EFFECT_HEAL_CHANCE": { name: "Full Heal Token", description: "Adds a 10% chance every turn to heal a status condition" },
|
||||||
|
"ENEMY_ENDURE_CHANCE": { name: "Endure Token" },
|
||||||
|
"ENEMY_FUSED_CHANCE": { name: "Fusion Token", description: "Adds a 1% chance that a wild Pokémon will be a fusion" },
|
||||||
|
},
|
||||||
|
TempBattleStatBoosterItem: {
|
||||||
|
"x_attack": "X Attack",
|
||||||
|
"x_defense": "X Defense",
|
||||||
|
"x_sp_atk": "X Sp. Atk",
|
||||||
|
"x_sp_def": "X Sp. Def",
|
||||||
|
"x_speed": "X Speed",
|
||||||
|
"x_accuracy": "X Accuracy",
|
||||||
|
"dire_hit": "Dire Hit",
|
||||||
|
},
|
||||||
|
AttackTypeBoosterItem: {
|
||||||
|
"silk_scarf": "Silk Scarf",
|
||||||
|
"black_belt": "Black Belt",
|
||||||
|
"sharp_beak": "Sharp Beak",
|
||||||
|
"poison_barb": "Poison Barb",
|
||||||
|
"soft_sand": "Soft Sand",
|
||||||
|
"hard_stone": "Hard Stone",
|
||||||
|
"silver_powder": "Silver Powder",
|
||||||
|
"spell_tag": "Spell Tag",
|
||||||
|
"metal_coat": "Metal Coat",
|
||||||
|
"charcoal": "Charcoal",
|
||||||
|
"mystic_water": "Mystic Water",
|
||||||
|
"miracle_seed": "Miracle Seed",
|
||||||
|
"magnet": "Magnet",
|
||||||
|
"twisted_spoon": "Twisted Spoon",
|
||||||
|
"never_melt_ice": "Never-Melt Ice",
|
||||||
|
"dragon_fang": "Dragon Fang",
|
||||||
|
"black_glasses": "Black Glasses",
|
||||||
|
"fairy_feather": "Fairy Feather",
|
||||||
|
},
|
||||||
|
BaseStatBoosterItem: {
|
||||||
|
"hp_up": "HP Up",
|
||||||
|
"protein": "Protein",
|
||||||
|
"iron": "Iron",
|
||||||
|
"calcium": "Calcium",
|
||||||
|
"zinc": "Zinc",
|
||||||
|
"carbos": "Carbos",
|
||||||
|
},
|
||||||
|
EvolutionItem: {
|
||||||
|
"NONE": "None",
|
||||||
|
|
||||||
|
"LINKING_CORD": "Linking Cord",
|
||||||
|
"SUN_STONE": "Sun Stone",
|
||||||
|
"MOON_STONE": "Moon Stone",
|
||||||
|
"LEAF_STONE": "Leaf Stone",
|
||||||
|
"FIRE_STONE": "Fire Stone",
|
||||||
|
"WATER_STONE": "Water Stone",
|
||||||
|
"THUNDER_STONE": "Thunder Stone",
|
||||||
|
"ICE_STONE": "Ice Stone",
|
||||||
|
"DUSK_STONE": "Dusk Stone",
|
||||||
|
"DAWN_STONE": "Dawn Stone",
|
||||||
|
"SHINY_STONE": "Shiny Stone",
|
||||||
|
"CRACKED_POT": "Cracked Pot",
|
||||||
|
"SWEET_APPLE": "Sweet Apple",
|
||||||
|
"TART_APPLE": "Tart Apple",
|
||||||
|
"STRAWBERRY_SWEET": "Strawberry Sweet",
|
||||||
|
"UNREMARKABLE_TEACUP": "Unremarkable Teacup",
|
||||||
|
|
||||||
|
"CHIPPED_POT": "Chipped Pot",
|
||||||
|
"BLACK_AUGURITE": "Black Augurite",
|
||||||
|
"GALARICA_CUFF": "Galarica Cuff",
|
||||||
|
"GALARICA_WREATH": "Galarica Wreath",
|
||||||
|
"PEAT_BLOCK": "Peat Block",
|
||||||
|
"AUSPICIOUS_ARMOR": "Auspicious Armor",
|
||||||
|
"MALICIOUS_ARMOR": "Malicious Armor",
|
||||||
|
"MASTERPIECE_TEACUP": "Masterpiece Teacup",
|
||||||
|
"METAL_ALLOY": "Metal Alloy",
|
||||||
|
"SCROLL_OF_DARKNESS": "Scroll Of Darkness",
|
||||||
|
"SCROLL_OF_WATERS": "Scroll Of Waters",
|
||||||
|
"SYRUPY_APPLE": "Syrupy Apple",
|
||||||
|
},
|
||||||
|
FormChangeItem: {
|
||||||
|
"NONE": "None",
|
||||||
|
|
||||||
|
"ABOMASITE": "Abomasite",
|
||||||
|
"ABSOLITE": "Absolite",
|
||||||
|
"AERODACTYLITE": "Aerodactylite",
|
||||||
|
"AGGRONITE": "Aggronite",
|
||||||
|
"ALAKAZITE": "Alakazite",
|
||||||
|
"ALTARIANITE": "Altarianite",
|
||||||
|
"AMPHAROSITE": "Ampharosite",
|
||||||
|
"AUDINITE": "Audinite",
|
||||||
|
"BANETTITE": "Banettite",
|
||||||
|
"BEEDRILLITE": "Beedrillite",
|
||||||
|
"BLASTOISINITE": "Blastoisinite",
|
||||||
|
"BLAZIKENITE": "Blazikenite",
|
||||||
|
"CAMERUPTITE": "Cameruptite",
|
||||||
|
"CHARIZARDITE_X": "Charizardite X",
|
||||||
|
"CHARIZARDITE_Y": "Charizardite Y",
|
||||||
|
"DIANCITE": "Diancite",
|
||||||
|
"GALLADITE": "Galladite",
|
||||||
|
"GARCHOMPITE": "Garchompite",
|
||||||
|
"GARDEVOIRITE": "Gardevoirite",
|
||||||
|
"GENGARITE": "Gengarite",
|
||||||
|
"GLALITITE": "Glalitite",
|
||||||
|
"GYARADOSITE": "Gyaradosite",
|
||||||
|
"HERACRONITE": "Heracronite",
|
||||||
|
"HOUNDOOMINITE": "Houndoominite",
|
||||||
|
"KANGASKHANITE": "Kangaskhanite",
|
||||||
|
"LATIASITE": "Latiasite",
|
||||||
|
"LATIOSITE": "Latiosite",
|
||||||
|
"LOPUNNITE": "Lopunnite",
|
||||||
|
"LUCARIONITE": "Lucarionite",
|
||||||
|
"MANECTITE": "Manectite",
|
||||||
|
"MAWILITE": "Mawilite",
|
||||||
|
"MEDICHAMITE": "Medichamite",
|
||||||
|
"METAGROSSITE": "Metagrossite",
|
||||||
|
"MEWTWONITE_X": "Mewtwonite X",
|
||||||
|
"MEWTWONITE_Y": "Mewtwonite Y",
|
||||||
|
"PIDGEOTITE": "Pidgeotite",
|
||||||
|
"PINSIRITE": "Pinsirite",
|
||||||
|
"RAYQUAZITE": "Rayquazite",
|
||||||
|
"SABLENITE": "Sablenite",
|
||||||
|
"SALAMENCITE": "Salamencite",
|
||||||
|
"SCEPTILITE": "Sceptilite",
|
||||||
|
"SCIZORITE": "Scizorite",
|
||||||
|
"SHARPEDONITE": "Sharpedonite",
|
||||||
|
"SLOWBRONITE": "Slowbronite",
|
||||||
|
"STEELIXITE": "Steelixite",
|
||||||
|
"SWAMPERTITE": "Swampertite",
|
||||||
|
"TYRANITARITE": "Tyranitarite",
|
||||||
|
"VENUSAURITE": "Venusaurite",
|
||||||
|
|
||||||
|
"BLUE_ORB": "Blue Orb",
|
||||||
|
"RED_ORB": "Red Orb",
|
||||||
|
"SHARP_METEORITE": "Sharp Meteorite",
|
||||||
|
"HARD_METEORITE": "Hard Meteorite",
|
||||||
|
"SMOOTH_METEORITE": "Smooth Meteorite",
|
||||||
|
"ADAMANT_CRYSTAL": "Adamant Crystal",
|
||||||
|
"LUSTROUS_ORB": "Lustrous Orb",
|
||||||
|
"GRISEOUS_CORE": "Griseous Core",
|
||||||
|
"REVEAL_GLASS": "Reveal Glass",
|
||||||
|
"GRACIDEA": "Gracidea",
|
||||||
|
"MAX_MUSHROOMS": "Max Mushrooms",
|
||||||
|
"DARK_STONE": "Dark Stone",
|
||||||
|
"LIGHT_STONE": "Light Stone",
|
||||||
|
"PRISON_BOTTLE": "Prison Bottle",
|
||||||
|
"N_LUNARIZER": "N Lunarizer",
|
||||||
|
"N_SOLARIZER": "N Solarizer",
|
||||||
|
"RUSTED_SWORD": "Rusted Sword",
|
||||||
|
"RUSTED_SHIELD": "Rusted Shield",
|
||||||
|
"ICY_REINS_OF_UNITY": "Icy Reins Of Unity",
|
||||||
|
"SHADOW_REINS_OF_UNITY": "Shadow Reins Of Unity",
|
||||||
|
"WELLSPRING_MASK": "Wellspring Mask",
|
||||||
|
"HEARTHFLAME_MASK": "Hearthflame Mask",
|
||||||
|
"CORNERSTONE_MASK": "Cornerstone Mask",
|
||||||
|
"SHOCK_DRIVE": "Shock Drive",
|
||||||
|
"BURN_DRIVE": "Burn Drive",
|
||||||
|
"CHILL_DRIVE": "Chill Drive",
|
||||||
|
"DOUSE_DRIVE": "Douse Drive",
|
||||||
|
},
|
||||||
|
TeraType: {
|
||||||
|
"UNKNOWN": "Unknown",
|
||||||
|
"NORMAL": "Normal",
|
||||||
|
"FIGHTING": "Fighting",
|
||||||
|
"FLYING": "Flying",
|
||||||
|
"POISON": "Poison",
|
||||||
|
"GROUND": "Ground",
|
||||||
|
"ROCK": "Rock",
|
||||||
|
"BUG": "Bug",
|
||||||
|
"GHOST": "Ghost",
|
||||||
|
"STEEL": "Steel",
|
||||||
|
"FIRE": "Fire",
|
||||||
|
"WATER": "Water",
|
||||||
|
"GRASS": "Grass",
|
||||||
|
"ELECTRIC": "Electric",
|
||||||
|
"PSYCHIC": "Psychic",
|
||||||
|
"ICE": "Ice",
|
||||||
|
"DRAGON": "Dragon",
|
||||||
|
"DARK": "Dark",
|
||||||
|
"FAIRY": "Fairy",
|
||||||
|
"STELLAR": "Stellar",
|
||||||
|
},
|
||||||
|
} as const;
|
@ -2915,7 +2915,7 @@ export const move: MoveTranslationEntries = {
|
|||||||
},
|
},
|
||||||
zippyZap: {
|
zippyZap: {
|
||||||
name: "Zippy Zap",
|
name: "Zippy Zap",
|
||||||
effect: "O usuário ataca o alvo com rajadas de eletricidade em alta velocidade. Este movimento sempre ataca primeiro e resulta em um golpe crítico."
|
effect: "The user attacks the target with bursts of electricity at high speed. This move always goes first and raises the user's evasiveness."
|
||||||
},
|
},
|
||||||
splishySplash: {
|
splishySplash: {
|
||||||
name: "Splishy Splash",
|
name: "Splishy Splash",
|
||||||
|
@ -8,7 +8,7 @@ export const nature: SimpleTranslationEntries = {
|
|||||||
"Naughty": "Teimosa",
|
"Naughty": "Teimosa",
|
||||||
"Bold": "Corajosa",
|
"Bold": "Corajosa",
|
||||||
"Docile": "Dócil",
|
"Docile": "Dócil",
|
||||||
"Relaxed": "Descontraída",
|
"Relaxed": "Relaxada",
|
||||||
"Impish": "Inquieta",
|
"Impish": "Inquieta",
|
||||||
"Lax": "Relaxada",
|
"Lax": "Relaxada",
|
||||||
"Timid": "Tímida",
|
"Timid": "Tímida",
|
||||||
@ -20,7 +20,7 @@ export const nature: SimpleTranslationEntries = {
|
|||||||
"Mild": "Mansa",
|
"Mild": "Mansa",
|
||||||
"Quiet": "Quieta",
|
"Quiet": "Quieta",
|
||||||
"Bashful": "Atrapalhada",
|
"Bashful": "Atrapalhada",
|
||||||
"Rash": "Imprudente",
|
"Rash": "Rabugenta",
|
||||||
"Calm": "Calma",
|
"Calm": "Calma",
|
||||||
"Gentle": "Gentil",
|
"Gentle": "Gentil",
|
||||||
"Sassy": "Atrevida",
|
"Sassy": "Atrevida",
|
||||||
|
@ -7,10 +7,19 @@ import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
|||||||
*/
|
*/
|
||||||
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
||||||
"confirmStartTeam": 'Começar com esses Pokémon?',
|
"confirmStartTeam": 'Começar com esses Pokémon?',
|
||||||
|
"gen1": "I",
|
||||||
|
"gen2": "II",
|
||||||
|
"gen3": "III",
|
||||||
|
"gen4": "IV",
|
||||||
|
"gen5": "V",
|
||||||
|
"gen6": "VI",
|
||||||
|
"gen7": "VII",
|
||||||
|
"gen8": "VIII",
|
||||||
|
"gen9": "IX",
|
||||||
"growthRate": "Crescimento:",
|
"growthRate": "Crescimento:",
|
||||||
"ability": "Hab.:",
|
"ability": "Habilidade:",
|
||||||
"passive": "Passiva:",
|
"passive": "Passiva:",
|
||||||
"nature": "Nature:",
|
"nature": "Natureza:",
|
||||||
"eggMoves": "Mov. de Ovo",
|
"eggMoves": "Mov. de Ovo",
|
||||||
"start": "Iniciar",
|
"start": "Iniciar",
|
||||||
"addToParty": "Adicionar à equipe",
|
"addToParty": "Adicionar à equipe",
|
||||||
@ -25,8 +34,11 @@ export const starterSelectUiHandler: SimpleTranslationEntries = {
|
|||||||
"cycleForm": 'F: Mudar Forma',
|
"cycleForm": 'F: Mudar Forma',
|
||||||
"cycleGender": 'G: Mudar Gênero',
|
"cycleGender": 'G: Mudar Gênero',
|
||||||
"cycleAbility": 'E: Mudar Habilidade',
|
"cycleAbility": 'E: Mudar Habilidade',
|
||||||
"cycleNature": 'N: Mudar Nature',
|
"cycleNature": 'N: Mudar Natureza',
|
||||||
"cycleVariant": 'V: Mudar Variante',
|
"cycleVariant": 'V: Mudar Variante',
|
||||||
"enablePassive": "Ativar Passiva",
|
"enablePassive": "Ativar Passiva",
|
||||||
"disablePassive": "Desativar Passiva"
|
"disablePassive": "Desativar Passiva",
|
||||||
|
"locked": "Bloqueada",
|
||||||
|
"disabled": "Desativada",
|
||||||
|
"uncaught": "Não capturado"
|
||||||
}
|
}
|
@ -1,43 +1,51 @@
|
|||||||
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
export const tutorial: SimpleTranslationEntries = {
|
export const tutorial: SimpleTranslationEntries = {
|
||||||
"intro": `Bem-vindo ao PokéRogue! Este é um jogo de Pokémon feito por fãs focado em batalha com elementos roguelite.
|
"intro": `Bem-vindo ao PokéRogue! Este é um jogo Pokémon feito por fãs focado em batalhas com elementos roguelite.
|
||||||
$Este jogo não é monetizado e não reivindicamos propriedade de Pokémon nem dos ativos protegidos por direitos autorais usados.
|
$Este jogo não é monetizado e não reivindicamos propriedade de Pokémon nem dos ativos protegidos
|
||||||
$O jogo é um trabalho em andamento, mas totalmente jogável.\nPara relatórios de bugs, use a comunidade no Discord.
|
$por direitos autorais usados.
|
||||||
$Se o jogo rodar lentamente, certifique-se de que a 'Aceleração de hardware' esteja ativada nas configurações do seu navegador.`,
|
$O jogo é um trabalho em andamento, mas é totalmente jogável.
|
||||||
|
$Para relatórios de bugs, use a comunidade no Discord.
|
||||||
|
$Se o jogo estiver rodando lentamente, certifique-se de que a 'Aceleração de hardware' esteja ativada
|
||||||
|
$nas configurações do seu navegador.`,
|
||||||
|
|
||||||
"accessMenu": `Para acessar o menu, aperte M ou Esc.
|
"accessMenu": `Para acessar o menu, aperte M ou Esc.
|
||||||
$O menu contém configurações e diversas funções.`,
|
$O menu contém configurações e diversas funções.`,
|
||||||
|
|
||||||
"menu": `A partir deste menu, você pode acessar as configurações.
|
"menu": `A partir deste menu, você pode acessar as configurações.
|
||||||
$Nas configurações, você pode alterar a velocidade do jogo, o estilo da janela e outras opções.
|
$Nas configurações, você pode alterar a velocidade do jogo,
|
||||||
$Existem também vários outros recursos aqui, então não deixe de conferir todos eles!`,
|
$o estilo da janela, entre outras opções.
|
||||||
|
$Existem também vários outros recursos disponíveis aqui.
|
||||||
|
$Não deixe de conferir todos eles!`,
|
||||||
|
|
||||||
"starterSelect": `Nessa tela, você pode selecionar seus iniciais.\nEsses são os Pokémon iniciais da sua equipe.
|
"starterSelect": `Aqui você pode escolher seus iniciais.\nEsses serão os primeiro Pokémon da sua equipe.
|
||||||
$Cada inicial tem seu próprio custo. Sua equipe pode ter até \n6 membros contando que o preço não ultrapasse 10.
|
$Cada inicial tem seu custo. Sua equipe pode ter até 6\nmembros, desde que a soma dos custos não ultrapasse 10.
|
||||||
$Você pode também selecionar o gênero, habilidade, e formas dependendo \ndas variantes que você capturou ou chocou.
|
$Você pode escolher o gênero, a habilidade\ne até a forma do seu inicial.
|
||||||
$Os IVs da espécie são os melhores de todos que você \njá capturou ou chocou, então tente conseguir vários Pokémon da mesma espécie!`,
|
$Essas opções dependem das variantes dessa\nespécie que você já capturou ou chocou.
|
||||||
|
$Os IVs de cada inicial são os melhores de todos os Pokémon\ndaquela espécie que você já capturou ou chocou.
|
||||||
|
$Sempre capture vários Pokémon de várias espécies!`,
|
||||||
|
|
||||||
"pokerus": `Todo dia, 3 Pokémon iniciais ficam com uma borda roxa.
|
"pokerus": `Todo dia, 3 Pokémon iniciais ficam com uma borda roxa.
|
||||||
$Caso veja um inicial que você possui com uma dessa, tente\nadicioná-lo a sua equipe. Lembre-se de olhar seu sumário!`,
|
$Caso veja um inicial que você possui com uma dessa, tente\nadicioná-lo a sua equipe. Lembre-se de olhar seu sumário!`,
|
||||||
|
|
||||||
"statChange": `As mudanças de estatísticas se mantém depois do combate\ndesde que o Pokémon não seja trocado.
|
"statChange": `As mudanças de atributos se mantém após a batalha desde que o Pokémon não seja trocado.
|
||||||
$Seus Pokémon voltam a suas Poké Bolas antes de batalhas contra treinadores e de entrar em um novo bioma.
|
$Seus Pokémon voltam a suas Poké Bolas antes de batalhas contra treinadores e de entrar em um novo bioma.
|
||||||
$Também é possível ver as mudanças de estatísticas dos Pokémon em campo mantendo pressionado C ou Shift.`,
|
$Para ver as mudanças de atributos dos Pokémon em campo, mantena C ou Shift pressionado durante a batalha.`,
|
||||||
|
|
||||||
"selectItem": `Após cada batalha você pode escolher entre 3 itens aleatórios.\nVocê pode escolher apenas um.
|
"selectItem": `Após cada batalha, você pode escolher entre 3 itens aleatórios.
|
||||||
$Esses variam entre consumíveis, itens de segurar, e itens passivos permanentes.
|
$Você pode escolher apenas um deles.
|
||||||
$A maioria dos efeitos de itens não consumíveis serão acumulados de várias maneiras.
|
$Esses itens variam entre consumíveis, itens de segurar e itens passivos permanentes.
|
||||||
$Alguns itens só aparecerão se puderem ser usados, por exemplo, itens de evolução.
|
$A maioria dos efeitos de itens não consumíveis podem ser acumulados.
|
||||||
$Você também pode transferir itens de segurar entre os Pokémon utilizando a opção de transferir.
|
$Alguns itens só aparecerão se puderem ser usados, como os itens de evolução.
|
||||||
|
$Você também pode transferir itens de segurar entre os Pokémon utilizando a opção "Transfer".
|
||||||
$A opção de transferir irá aparecer no canto inferior direito assim que você obter um item de segurar.
|
$A opção de transferir irá aparecer no canto inferior direito assim que você obter um item de segurar.
|
||||||
$Você pode comprar itens consumíveis com dinheiro, e uma maior variedade ficará disponível conforme você for mais longe.
|
$Você pode comprar itens consumíveis com dinheiro, e sua variedade aumentará conforme você for mais longe.
|
||||||
$Certifique-se de comprá-los antes de escolher seu item aleatório. Ao escolher, a próxima batalha começará.`,
|
$Certifique-se de comprá-los antes de escolher seu item aleatório. Ao escolhê-lo, a próxima batalha começará.`,
|
||||||
|
|
||||||
"eggGacha": `Nesta tela você pode trocar seus vouchers\npor ovos de Pokémon.
|
"eggGacha": `Aqui você pode trocar seus vouchers\npor ovos de Pokémon.
|
||||||
$Ovos ficam mais próximos de chocar depois de cada batalha.\nOvos raros demoram mais para chocar.
|
$Ovos ficam mais próximos de chocar após cada batalha.\nOvos mais raros demoram mais para chocar.
|
||||||
$Pokémon chocados não serão adicionados a sua equipe,\nmas sim aos seus iniciais.
|
$Pokémon chocados não serão adicionados a sua equipe,\nmas sim aos seus iniciais.
|
||||||
$Pokémon chocados geralmente possuem IVs melhores\nque Pokémon selvagens.
|
$Pokémon chocados geralmente possuem IVs melhores\nque Pokémon selvagens.
|
||||||
$Alguns Pokémon só podem ser obtidos através de seus ovos.
|
$Alguns Pokémon só podem ser obtidos através de seus ovos.
|
||||||
$Há 3 máquinas, cada uma com um bônus diferente,\nentão escolha a que mais lhe convém!`,
|
$Temos 3 máquinas, cada uma com seu bônus específico,\nentão escolha a que mais lhe convém!`,
|
||||||
} as const;
|
} as const;
|
44
src/locales/pt_BR/weather.ts
Normal file
44
src/locales/pt_BR/weather.ts
Normal file
@ -0,0 +1,44 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
/**
|
||||||
|
* The weather namespace holds text displayed when weather is active during a battle
|
||||||
|
*/
|
||||||
|
export const weather: SimpleTranslationEntries = {
|
||||||
|
"sunnyStartMessage": "A luz do sol ficou clara!",
|
||||||
|
"sunnyLapseMessage": "A luz do sol está forte.",
|
||||||
|
"sunnyClearMessage": "A luz do sol sumiu.",
|
||||||
|
|
||||||
|
"rainStartMessage": "Começou a chover!",
|
||||||
|
"rainLapseMessage": "A chuva continua forte.",
|
||||||
|
"rainClearMessage": "A chuva parou.",
|
||||||
|
|
||||||
|
"sandstormStartMessage": "Uma tempestade de areia se formou!",
|
||||||
|
"sandstormLapseMessage": "A tempestade de areia é violenta.",
|
||||||
|
"sandstormClearMessage": "A tempestade de areia diminuiu.",
|
||||||
|
"sandstormDamageMessage": "{{pokemonPrefix}}{{pokemonName}} é atingido\npela tempestade de areia!",
|
||||||
|
|
||||||
|
"hailStartMessage": "Começou a chover granizo!",
|
||||||
|
"hailLapseMessage": "Granizo cai do céu.",
|
||||||
|
"hailClearMessage": "O granizo parou.",
|
||||||
|
"hailDamageMessage": "{{pokemonPrefix}}{{pokemonName}} é atingido\npelo granizo!",
|
||||||
|
|
||||||
|
"snowStartMessage": "Começou a nevar!",
|
||||||
|
"snowLapseMessage": "A neve continua caindo.",
|
||||||
|
"snowClearMessage": "Parou de nevar.",
|
||||||
|
|
||||||
|
"fogStartMessage": "Uma névoa densa se formou!",
|
||||||
|
"fogLapseMessage": "A névoa continua forte.",
|
||||||
|
"fogClearMessage": "A névoa sumiu.",
|
||||||
|
|
||||||
|
"heavyRainStartMessage": "Um temporal começou!",
|
||||||
|
"heavyRainLapseMessage": "O temporal continua forte.",
|
||||||
|
"heavyRainClearMessage": "O temporal parou.",
|
||||||
|
|
||||||
|
"harshSunStartMessage": "A luz do sol está escaldante!",
|
||||||
|
"harshSunLapseMessage": "A luz do sol é intensa.",
|
||||||
|
"harshSunClearMessage": "A luz do sol enfraqueceu.",
|
||||||
|
|
||||||
|
"strongWindsStartMessage": "Ventos fortes apareceram!",
|
||||||
|
"strongWindsLapseMessage": "Os ventos fortes continuam.",
|
||||||
|
"strongWindsClearMessage": "Os ventos fortes diminuíram.",
|
||||||
|
}
|
5
src/locales/zh_CN/ability-trigger.ts
Normal file
5
src/locales/zh_CN/ability-trigger.ts
Normal file
@ -0,0 +1,5 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const abilityTriggers: SimpleTranslationEntries = {
|
||||||
|
'blockRecoilDamage' : `{{pokemonName}}'s {{abilityName}}\nprotected it from recoil!`,
|
||||||
|
} as const;
|
@ -31,6 +31,8 @@ export const battle: SimpleTranslationEntries = {
|
|||||||
"learnMoveNotLearned": "{{pokemonName}} 没有学会 {{moveName}}。",
|
"learnMoveNotLearned": "{{pokemonName}} 没有学会 {{moveName}}。",
|
||||||
"learnMoveForgetQuestion": "要忘记哪个技能?",
|
"learnMoveForgetQuestion": "要忘记哪个技能?",
|
||||||
"learnMoveForgetSuccess": "{{pokemonName}} 忘记了\n如何使用 {{moveName}}。",
|
"learnMoveForgetSuccess": "{{pokemonName}} 忘记了\n如何使用 {{moveName}}。",
|
||||||
|
"countdownPoof": "@d{32}1, @d{15}2, @d{15}和@d{15}… @d{15}… @d{15}… @d{15}@s{pb_bounce_1}噗!",
|
||||||
|
"learnMoveAnd": "和…",
|
||||||
"levelCapUp": "等级上限提升到 {{levelCap}}!",
|
"levelCapUp": "等级上限提升到 {{levelCap}}!",
|
||||||
"moveNotImplemented": "{{moveName}} 尚未实装,无法选择。",
|
"moveNotImplemented": "{{moveName}} 尚未实装,无法选择。",
|
||||||
"moveNoPP": "这个技能的 PP 用完了",
|
"moveNoPP": "这个技能的 PP 用完了",
|
||||||
|
@ -1,4 +1,5 @@
|
|||||||
import { ability } from "./ability";
|
import { ability } from "./ability";
|
||||||
|
import { abilityTriggers } from "./ability-trigger";
|
||||||
import { battle } from "./battle";
|
import { battle } from "./battle";
|
||||||
import { commandUiHandler } from "./command-ui-handler";
|
import { commandUiHandler } from "./command-ui-handler";
|
||||||
import { fightUiHandler } from "./fight-ui-handler";
|
import { fightUiHandler } from "./fight-ui-handler";
|
||||||
@ -11,10 +12,14 @@ import { pokemonStat } from "./pokemon-stat";
|
|||||||
import { starterSelectUiHandler } from "./starter-select-ui-handler";
|
import { starterSelectUiHandler } from "./starter-select-ui-handler";
|
||||||
import { tutorial } from "./tutorial";
|
import { tutorial } from "./tutorial";
|
||||||
import { nature } from "./nature";
|
import { nature } from "./nature";
|
||||||
|
import { weather } from "./weather";
|
||||||
|
import { modifierType } from "./modifier-type";
|
||||||
|
import { growth } from "./growth";
|
||||||
|
|
||||||
|
|
||||||
export const zhCnConfig = {
|
export const zhCnConfig = {
|
||||||
ability: ability,
|
ability: ability,
|
||||||
|
abilityTriggers: abilityTriggers,
|
||||||
battle: battle,
|
battle: battle,
|
||||||
commandUiHandler: commandUiHandler,
|
commandUiHandler: commandUiHandler,
|
||||||
fightUiHandler: fightUiHandler,
|
fightUiHandler: fightUiHandler,
|
||||||
@ -26,6 +31,8 @@ export const zhCnConfig = {
|
|||||||
pokemon: pokemon,
|
pokemon: pokemon,
|
||||||
starterSelectUiHandler: starterSelectUiHandler,
|
starterSelectUiHandler: starterSelectUiHandler,
|
||||||
tutorial: tutorial,
|
tutorial: tutorial,
|
||||||
|
nature: nature,
|
||||||
nature: nature
|
growth: growth,
|
||||||
|
weather: weather,
|
||||||
|
modifierType: modifierType,
|
||||||
}
|
}
|
10
src/locales/zh_CN/growth.ts
Normal file
10
src/locales/zh_CN/growth.ts
Normal file
@ -0,0 +1,10 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const growth: SimpleTranslationEntries = {
|
||||||
|
"Erratic": "Erratic",
|
||||||
|
"Fast": "Fast",
|
||||||
|
"Medium_Fast": "Medium Fast",
|
||||||
|
"Medium_Slow": "Medium Slow",
|
||||||
|
"Slow": "Slow",
|
||||||
|
"Fluctuating": "Fluctuating"
|
||||||
|
} as const;
|
@ -9,7 +9,7 @@ export const menuUiHandler: SimpleTranslationEntries = {
|
|||||||
"EGG_GACHA": "扭蛋机",
|
"EGG_GACHA": "扭蛋机",
|
||||||
"MANAGE_DATA": "管理数据",
|
"MANAGE_DATA": "管理数据",
|
||||||
"COMMUNITY": "社区",
|
"COMMUNITY": "社区",
|
||||||
"RETURN_TO_TITLE": "返回标题画面",
|
"SAVE_AND_QUIT": "Save and Quit",
|
||||||
"LOG_OUT": "登出",
|
"LOG_OUT": "登出",
|
||||||
"slot": "存档位 {{slotNumber}}",
|
"slot": "存档位 {{slotNumber}}",
|
||||||
"importSession": "导入存档",
|
"importSession": "导入存档",
|
||||||
|
@ -35,6 +35,11 @@ export const menu: SimpleTranslationEntries = {
|
|||||||
"boyOrGirl": "你是男孩还是女孩?",
|
"boyOrGirl": "你是男孩还是女孩?",
|
||||||
"boy": "男孩",
|
"boy": "男孩",
|
||||||
"girl": "女孩",
|
"girl": "女孩",
|
||||||
|
"evolving": "What?\n{{pokemonName}} is evolving!",
|
||||||
|
"stoppedEvolving": "{{pokemonName}} stopped evolving.",
|
||||||
|
"pauseEvolutionsQuestion": "Would you like to pause evolutions for {{pokemonName}}?\nEvolutions can be re-enabled from the party screen.",
|
||||||
|
"evolutionsPaused": "Evolutions have been paused for {{pokemonName}}.",
|
||||||
|
"evolutionDone": "Congratulations!\nYour {{pokemonName}} evolved into {{evolvedPokemonName}}!",
|
||||||
"dailyRankings": "每日排名",
|
"dailyRankings": "每日排名",
|
||||||
"weeklyRankings": "每周排名",
|
"weeklyRankings": "每周排名",
|
||||||
"noRankings": "无排名",
|
"noRankings": "无排名",
|
||||||
|
409
src/locales/zh_CN/modifier-type.ts
Normal file
409
src/locales/zh_CN/modifier-type.ts
Normal file
@ -0,0 +1,409 @@
|
|||||||
|
import { ModifierTypeTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
export const modifierType: ModifierTypeTranslationEntries = {
|
||||||
|
ModifierType: {
|
||||||
|
"AddPokeballModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{pokeballName}}",
|
||||||
|
description: "Receive {{pokeballName}} x{{modifierCount}} (Inventory: {{pokeballAmount}}) \nCatch Rate: {{catchRate}}",
|
||||||
|
},
|
||||||
|
"AddVoucherModifierType": {
|
||||||
|
name: "{{modifierCount}}x {{voucherTypeName}}",
|
||||||
|
description: "Receive {{voucherTypeName}} x{{modifierCount}}",
|
||||||
|
},
|
||||||
|
"PokemonHeldItemModifierType": {
|
||||||
|
extra: {
|
||||||
|
"inoperable": "{{pokemonName}} can't take\nthis item!",
|
||||||
|
"tooMany": "{{pokemonName}} has too many\nof this item!",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonHpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} HP or {{restorePercent}}% HP for one Pokémon, whichever is higher",
|
||||||
|
extra: {
|
||||||
|
"fully": "Fully restores HP for one Pokémon",
|
||||||
|
"fullyWithStatus": "Fully restores HP for one Pokémon and heals any status ailment",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonReviveModifierType": {
|
||||||
|
description: "Revives one Pokémon and restores {{restorePercent}}% HP",
|
||||||
|
},
|
||||||
|
"PokemonStatusHealModifierType": {
|
||||||
|
description: "Heals any status ailment for one Pokémon",
|
||||||
|
},
|
||||||
|
"PokemonPpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} PP for one Pokémon move",
|
||||||
|
extra: {
|
||||||
|
"fully": "Restores all PP for one Pokémon move",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonAllMovePpRestoreModifierType": {
|
||||||
|
description: "Restores {{restorePoints}} PP for all of one Pokémon's moves",
|
||||||
|
extra: {
|
||||||
|
"fully": "Restores all PP for all of one Pokémon's moves",
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"PokemonPpUpModifierType": {
|
||||||
|
description: "Permanently increases PP for one Pokémon move by {{upPoints}} for every 5 maximum PP (maximum 3)",
|
||||||
|
},
|
||||||
|
"PokemonNatureChangeModifierType": {
|
||||||
|
name: "{{natureName}} Mint",
|
||||||
|
description: "Changes a Pokémon's nature to {{natureName}} and permanently unlocks the nature for the starter.",
|
||||||
|
},
|
||||||
|
"DoubleBattleChanceBoosterModifierType": {
|
||||||
|
description: "Doubles the chance of an encounter being a double battle for {{battleCount}} battles",
|
||||||
|
},
|
||||||
|
"TempBattleStatBoosterModifierType": {
|
||||||
|
description: "Increases the {{tempBattleStatName}} of all party members by 1 stage for 5 battles",
|
||||||
|
},
|
||||||
|
"AttackTypeBoosterModifierType": {
|
||||||
|
description: "Increases the power of a Pokémon's {{moveType}}-type moves by 20%",
|
||||||
|
},
|
||||||
|
"PokemonLevelIncrementModifierType": {
|
||||||
|
description: "Increases a Pokémon's level by 1",
|
||||||
|
},
|
||||||
|
"AllPokemonLevelIncrementModifierType": {
|
||||||
|
description: "Increases all party members' level by 1",
|
||||||
|
},
|
||||||
|
"PokemonBaseStatBoosterModifierType": {
|
||||||
|
description: "Increases the holder's base {{statName}} by 10%. The higher your IVs, the higher the stack limit.",
|
||||||
|
},
|
||||||
|
"AllPokemonFullHpRestoreModifierType": {
|
||||||
|
description: "Restores 100% HP for all Pokémon",
|
||||||
|
},
|
||||||
|
"AllPokemonFullReviveModifierType": {
|
||||||
|
description: "Revives all fainted Pokémon, fully restoring HP",
|
||||||
|
},
|
||||||
|
"MoneyRewardModifierType": {
|
||||||
|
description: "Grants a {{moneyMultiplier}} amount of money (₽{{moneyAmount}})",
|
||||||
|
extra: {
|
||||||
|
"small": "small",
|
||||||
|
"moderate": "moderate",
|
||||||
|
"large": "large",
|
||||||
|
},
|
||||||
|
},
|
||||||
|
"ExpBoosterModifierType": {
|
||||||
|
description: "Increases gain of EXP. Points by {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonExpBoosterModifierType": {
|
||||||
|
description: "Increases the holder's gain of EXP. Points by {{boostPercent}}%",
|
||||||
|
},
|
||||||
|
"PokemonFriendshipBoosterModifierType": {
|
||||||
|
description: "Increases friendship gain per victory by 50%",
|
||||||
|
},
|
||||||
|
"PokemonMoveAccuracyBoosterModifierType": {
|
||||||
|
description: "Increases move accuracy by {{accuracyAmount}} (maximum 100)",
|
||||||
|
},
|
||||||
|
"PokemonMultiHitModifierType": {
|
||||||
|
description: "Attacks hit one additional time at the cost of a 60/75/82.5% power reduction per stack respectively",
|
||||||
|
},
|
||||||
|
"TmModifierType": {
|
||||||
|
name: "TM{{moveId}} - {{moveName}}",
|
||||||
|
description: "Teach {{moveName}} to a Pokémon",
|
||||||
|
},
|
||||||
|
"EvolutionItemModifierType": {
|
||||||
|
description: "Causes certain Pokémon to evolve",
|
||||||
|
},
|
||||||
|
"FormChangeItemModifierType": {
|
||||||
|
description: "Causes certain Pokémon to change form",
|
||||||
|
},
|
||||||
|
"FusePokemonModifierType": {
|
||||||
|
description: "Combines two Pokémon (transfers Ability, splits base stats and types, shares move pool)",
|
||||||
|
},
|
||||||
|
"TerastallizeModifierType": {
|
||||||
|
name: "{{teraType}} Tera Shard",
|
||||||
|
description: "{{teraType}} Terastallizes the holder for up to 10 battles",
|
||||||
|
},
|
||||||
|
"ContactHeldItemTransferChanceModifierType": {
|
||||||
|
description: "Upon attacking, there is a {{chancePercent}}% chance the foe's held item will be stolen",
|
||||||
|
},
|
||||||
|
"TurnHeldItemTransferModifierType": {
|
||||||
|
description: "Every turn, the holder acquires one held item from the foe",
|
||||||
|
},
|
||||||
|
"EnemyAttackStatusEffectChanceModifierType": {
|
||||||
|
description: "Adds a {{chancePercent}}% chance to inflict {{statusEffect}} with attack moves",
|
||||||
|
},
|
||||||
|
"EnemyEndureChanceModifierType": {
|
||||||
|
description: "Adds a {{chancePercent}}% chance of enduring a hit",
|
||||||
|
},
|
||||||
|
|
||||||
|
"RARE_CANDY": { name: "Rare Candy" },
|
||||||
|
"RARER_CANDY": { name: "Rarer Candy" },
|
||||||
|
|
||||||
|
"MEGA_BRACELET": { name: "Mega Bracelet", description: "Mega Stones become available" },
|
||||||
|
"DYNAMAX_BAND": { name: "Dynamax Band", description: "Max Mushrooms become available" },
|
||||||
|
"TERA_ORB": { name: "Tera Orb", description: "Tera Shards become available" },
|
||||||
|
|
||||||
|
"MAP": { name: "Map", description: "Allows you to choose your destination at a crossroads" },
|
||||||
|
|
||||||
|
"POTION": { name: "Potion" },
|
||||||
|
"SUPER_POTION": { name: "Super Potion" },
|
||||||
|
"HYPER_POTION": { name: "Hyper Potion" },
|
||||||
|
"MAX_POTION": { name: "Max Potion" },
|
||||||
|
"FULL_RESTORE": { name: "Full Restore" },
|
||||||
|
|
||||||
|
"REVIVE": { name: "Revive" },
|
||||||
|
"MAX_REVIVE": { name: "Max Revive" },
|
||||||
|
|
||||||
|
"FULL_HEAL": { name: "Full Heal" },
|
||||||
|
|
||||||
|
"SACRED_ASH": { name: "Sacred Ash" },
|
||||||
|
|
||||||
|
"REVIVER_SEED": { name: "Reviver Seed", description: "Revives the holder for 1/2 HP upon fainting" },
|
||||||
|
|
||||||
|
"ETHER": { name: "Ether" },
|
||||||
|
"MAX_ETHER": { name: "Max Ether" },
|
||||||
|
|
||||||
|
"ELIXIR": { name: "Elixir" },
|
||||||
|
"MAX_ELIXIR": { name: "Max Elixir" },
|
||||||
|
|
||||||
|
"PP_UP": { name: "PP Up" },
|
||||||
|
"PP_MAX": { name: "PP Max" },
|
||||||
|
|
||||||
|
"LURE": { name: "Lure" },
|
||||||
|
"SUPER_LURE": { name: "Super Lure" },
|
||||||
|
"MAX_LURE": { name: "Max Lure" },
|
||||||
|
|
||||||
|
"MEMORY_MUSHROOM": { name: "Memory Mushroom", description: "Recall one Pokémon's forgotten move" },
|
||||||
|
|
||||||
|
"EXP_SHARE": { name: "EXP. All", description: "Non-participants receive 20% of a single participant's EXP. Points" },
|
||||||
|
"EXP_BALANCE": { name: "EXP. Balance", description: "Weighs EXP. Points received from battles towards lower-leveled party members" },
|
||||||
|
|
||||||
|
"OVAL_CHARM": { name: "Oval Charm", description: "When multiple Pokémon participate in a battle, each gets an extra 10% of the total EXP" },
|
||||||
|
|
||||||
|
"EXP_CHARM": { name: "EXP. Charm" },
|
||||||
|
"SUPER_EXP_CHARM": { name: "Super EXP. Charm" },
|
||||||
|
"GOLDEN_EXP_CHARM": { name: "Golden EXP. Charm" },
|
||||||
|
|
||||||
|
"LUCKY_EGG": { name: "Lucky Egg" },
|
||||||
|
"GOLDEN_EGG": { name: "Golden Egg" },
|
||||||
|
|
||||||
|
"SOOTHE_BELL": { name: "Soothe Bell" },
|
||||||
|
|
||||||
|
"SOUL_DEW": { name: "Soul Dew", description: "Increases the influence of a Pokémon's nature on its stats by 10% (additive)" },
|
||||||
|
|
||||||
|
"NUGGET": { name: "Nugget" },
|
||||||
|
"BIG_NUGGET": { name: "Big Nugget" },
|
||||||
|
"RELIC_GOLD": { name: "Relic Gold" },
|
||||||
|
|
||||||
|
"AMULET_COIN": { name: "Amulet Coin", description: "Increases money rewards by 20%" },
|
||||||
|
"GOLDEN_PUNCH": { name: "Golden Punch", description: "Grants 50% of damage inflicted as money" },
|
||||||
|
"COIN_CASE": { name: "Coin Case", description: "After every 10th battle, receive 10% of your money in interest" },
|
||||||
|
|
||||||
|
"LOCK_CAPSULE": { name: "Lock Capsule", description: "Allows you to lock item rarities when rerolling items" },
|
||||||
|
|
||||||
|
"GRIP_CLAW": { name: "Grip Claw" },
|
||||||
|
"WIDE_LENS": { name: "Wide Lens" },
|
||||||
|
|
||||||
|
"MULTI_LENS": { name: "Multi Lens" },
|
||||||
|
|
||||||
|
"HEALING_CHARM": { name: "Healing Charm", description: "Increases the effectiveness of HP restoring moves and items by 10% (excludes Revives)" },
|
||||||
|
"CANDY_JAR": { name: "Candy Jar", description: "Increases the number of levels added by Rare Candy items by 1" },
|
||||||
|
|
||||||
|
"BERRY_POUCH": { name: "Berry Pouch", description: "Adds a 25% chance that a used berry will not be consumed" },
|
||||||
|
|
||||||
|
"FOCUS_BAND": { name: "Focus Band", description: "Adds a 10% chance to survive with 1 HP after being damaged enough to faint" },
|
||||||
|
|
||||||
|
"QUICK_CLAW": { name: "Quick Claw", description: "Adds a 10% chance to move first regardless of speed (after priority)" },
|
||||||
|
|
||||||
|
"KINGS_ROCK": { name: "King's Rock", description: "Adds a 10% chance an attack move will cause the opponent to flinch" },
|
||||||
|
|
||||||
|
"LEFTOVERS": { name: "Leftovers", description: "Heals 1/16 of a Pokémon's maximum HP every turn" },
|
||||||
|
"SHELL_BELL": { name: "Shell Bell", description: "Heals 1/8 of a Pokémon's dealt damage" },
|
||||||
|
|
||||||
|
"BATON": { name: "Baton", description: "Allows passing along effects when switching Pokémon, which also bypasses traps" },
|
||||||
|
|
||||||
|
"SHINY_CHARM": { name: "Shiny Charm", description: "Dramatically increases the chance of a wild Pokémon being Shiny" },
|
||||||
|
"ABILITY_CHARM": { name: "Ability Charm", description: "Dramatically increases the chance of a wild Pokémon having a Hidden Ability" },
|
||||||
|
|
||||||
|
"IV_SCANNER": { name: "IV Scanner", description: "Allows scanning the IVs of wild Pokémon. 2 IVs are revealed per stack. The best IVs are shown first" },
|
||||||
|
|
||||||
|
"DNA_SPLICERS": { name: "DNA Splicers" },
|
||||||
|
|
||||||
|
"MINI_BLACK_HOLE": { name: "Mini Black Hole" },
|
||||||
|
|
||||||
|
"GOLDEN_POKEBALL": { name: "Golden Poké Ball", description: "Adds 1 extra item option at the end of every battle" },
|
||||||
|
|
||||||
|
"ENEMY_DAMAGE_BOOSTER": { name: "Damage Token", description: "Increases damage by 5%" },
|
||||||
|
"ENEMY_DAMAGE_REDUCTION": { name: "Protection Token", description: "Reduces incoming damage by 2.5%" },
|
||||||
|
"ENEMY_HEAL": { name: "Recovery Token", description: "Heals 2% of max HP every turn" },
|
||||||
|
"ENEMY_ATTACK_POISON_CHANCE": { name: "Poison Token" },
|
||||||
|
"ENEMY_ATTACK_PARALYZE_CHANCE": { name: "Paralyze Token" },
|
||||||
|
"ENEMY_ATTACK_SLEEP_CHANCE": { name: "Sleep Token" },
|
||||||
|
"ENEMY_ATTACK_FREEZE_CHANCE": { name: "Freeze Token" },
|
||||||
|
"ENEMY_ATTACK_BURN_CHANCE": { name: "Burn Token" },
|
||||||
|
"ENEMY_STATUS_EFFECT_HEAL_CHANCE": { name: "Full Heal Token", description: "Adds a 10% chance every turn to heal a status condition" },
|
||||||
|
"ENEMY_ENDURE_CHANCE": { name: "Endure Token" },
|
||||||
|
"ENEMY_FUSED_CHANCE": { name: "Fusion Token", description: "Adds a 1% chance that a wild Pokémon will be a fusion" },
|
||||||
|
},
|
||||||
|
TempBattleStatBoosterItem: {
|
||||||
|
"x_attack": "X Attack",
|
||||||
|
"x_defense": "X Defense",
|
||||||
|
"x_sp_atk": "X Sp. Atk",
|
||||||
|
"x_sp_def": "X Sp. Def",
|
||||||
|
"x_speed": "X Speed",
|
||||||
|
"x_accuracy": "X Accuracy",
|
||||||
|
"dire_hit": "Dire Hit",
|
||||||
|
},
|
||||||
|
AttackTypeBoosterItem: {
|
||||||
|
"silk_scarf": "Silk Scarf",
|
||||||
|
"black_belt": "Black Belt",
|
||||||
|
"sharp_beak": "Sharp Beak",
|
||||||
|
"poison_barb": "Poison Barb",
|
||||||
|
"soft_sand": "Soft Sand",
|
||||||
|
"hard_stone": "Hard Stone",
|
||||||
|
"silver_powder": "Silver Powder",
|
||||||
|
"spell_tag": "Spell Tag",
|
||||||
|
"metal_coat": "Metal Coat",
|
||||||
|
"charcoal": "Charcoal",
|
||||||
|
"mystic_water": "Mystic Water",
|
||||||
|
"miracle_seed": "Miracle Seed",
|
||||||
|
"magnet": "Magnet",
|
||||||
|
"twisted_spoon": "Twisted Spoon",
|
||||||
|
"never_melt_ice": "Never-Melt Ice",
|
||||||
|
"dragon_fang": "Dragon Fang",
|
||||||
|
"black_glasses": "Black Glasses",
|
||||||
|
"fairy_feather": "Fairy Feather",
|
||||||
|
},
|
||||||
|
BaseStatBoosterItem: {
|
||||||
|
"hp_up": "HP Up",
|
||||||
|
"protein": "Protein",
|
||||||
|
"iron": "Iron",
|
||||||
|
"calcium": "Calcium",
|
||||||
|
"zinc": "Zinc",
|
||||||
|
"carbos": "Carbos",
|
||||||
|
},
|
||||||
|
EvolutionItem: {
|
||||||
|
"NONE": "None",
|
||||||
|
|
||||||
|
"LINKING_CORD": "Linking Cord",
|
||||||
|
"SUN_STONE": "Sun Stone",
|
||||||
|
"MOON_STONE": "Moon Stone",
|
||||||
|
"LEAF_STONE": "Leaf Stone",
|
||||||
|
"FIRE_STONE": "Fire Stone",
|
||||||
|
"WATER_STONE": "Water Stone",
|
||||||
|
"THUNDER_STONE": "Thunder Stone",
|
||||||
|
"ICE_STONE": "Ice Stone",
|
||||||
|
"DUSK_STONE": "Dusk Stone",
|
||||||
|
"DAWN_STONE": "Dawn Stone",
|
||||||
|
"SHINY_STONE": "Shiny Stone",
|
||||||
|
"CRACKED_POT": "Cracked Pot",
|
||||||
|
"SWEET_APPLE": "Sweet Apple",
|
||||||
|
"TART_APPLE": "Tart Apple",
|
||||||
|
"STRAWBERRY_SWEET": "Strawberry Sweet",
|
||||||
|
"UNREMARKABLE_TEACUP": "Unremarkable Teacup",
|
||||||
|
|
||||||
|
"CHIPPED_POT": "Chipped Pot",
|
||||||
|
"BLACK_AUGURITE": "Black Augurite",
|
||||||
|
"GALARICA_CUFF": "Galarica Cuff",
|
||||||
|
"GALARICA_WREATH": "Galarica Wreath",
|
||||||
|
"PEAT_BLOCK": "Peat Block",
|
||||||
|
"AUSPICIOUS_ARMOR": "Auspicious Armor",
|
||||||
|
"MALICIOUS_ARMOR": "Malicious Armor",
|
||||||
|
"MASTERPIECE_TEACUP": "Masterpiece Teacup",
|
||||||
|
"METAL_ALLOY": "Metal Alloy",
|
||||||
|
"SCROLL_OF_DARKNESS": "Scroll Of Darkness",
|
||||||
|
"SCROLL_OF_WATERS": "Scroll Of Waters",
|
||||||
|
"SYRUPY_APPLE": "Syrupy Apple",
|
||||||
|
},
|
||||||
|
FormChangeItem: {
|
||||||
|
"NONE": "None",
|
||||||
|
|
||||||
|
"ABOMASITE": "Abomasite",
|
||||||
|
"ABSOLITE": "Absolite",
|
||||||
|
"AERODACTYLITE": "Aerodactylite",
|
||||||
|
"AGGRONITE": "Aggronite",
|
||||||
|
"ALAKAZITE": "Alakazite",
|
||||||
|
"ALTARIANITE": "Altarianite",
|
||||||
|
"AMPHAROSITE": "Ampharosite",
|
||||||
|
"AUDINITE": "Audinite",
|
||||||
|
"BANETTITE": "Banettite",
|
||||||
|
"BEEDRILLITE": "Beedrillite",
|
||||||
|
"BLASTOISINITE": "Blastoisinite",
|
||||||
|
"BLAZIKENITE": "Blazikenite",
|
||||||
|
"CAMERUPTITE": "Cameruptite",
|
||||||
|
"CHARIZARDITE_X": "Charizardite X",
|
||||||
|
"CHARIZARDITE_Y": "Charizardite Y",
|
||||||
|
"DIANCITE": "Diancite",
|
||||||
|
"GALLADITE": "Galladite",
|
||||||
|
"GARCHOMPITE": "Garchompite",
|
||||||
|
"GARDEVOIRITE": "Gardevoirite",
|
||||||
|
"GENGARITE": "Gengarite",
|
||||||
|
"GLALITITE": "Glalitite",
|
||||||
|
"GYARADOSITE": "Gyaradosite",
|
||||||
|
"HERACRONITE": "Heracronite",
|
||||||
|
"HOUNDOOMINITE": "Houndoominite",
|
||||||
|
"KANGASKHANITE": "Kangaskhanite",
|
||||||
|
"LATIASITE": "Latiasite",
|
||||||
|
"LATIOSITE": "Latiosite",
|
||||||
|
"LOPUNNITE": "Lopunnite",
|
||||||
|
"LUCARIONITE": "Lucarionite",
|
||||||
|
"MANECTITE": "Manectite",
|
||||||
|
"MAWILITE": "Mawilite",
|
||||||
|
"MEDICHAMITE": "Medichamite",
|
||||||
|
"METAGROSSITE": "Metagrossite",
|
||||||
|
"MEWTWONITE_X": "Mewtwonite X",
|
||||||
|
"MEWTWONITE_Y": "Mewtwonite Y",
|
||||||
|
"PIDGEOTITE": "Pidgeotite",
|
||||||
|
"PINSIRITE": "Pinsirite",
|
||||||
|
"RAYQUAZITE": "Rayquazite",
|
||||||
|
"SABLENITE": "Sablenite",
|
||||||
|
"SALAMENCITE": "Salamencite",
|
||||||
|
"SCEPTILITE": "Sceptilite",
|
||||||
|
"SCIZORITE": "Scizorite",
|
||||||
|
"SHARPEDONITE": "Sharpedonite",
|
||||||
|
"SLOWBRONITE": "Slowbronite",
|
||||||
|
"STEELIXITE": "Steelixite",
|
||||||
|
"SWAMPERTITE": "Swampertite",
|
||||||
|
"TYRANITARITE": "Tyranitarite",
|
||||||
|
"VENUSAURITE": "Venusaurite",
|
||||||
|
|
||||||
|
"BLUE_ORB": "Blue Orb",
|
||||||
|
"RED_ORB": "Red Orb",
|
||||||
|
"SHARP_METEORITE": "Sharp Meteorite",
|
||||||
|
"HARD_METEORITE": "Hard Meteorite",
|
||||||
|
"SMOOTH_METEORITE": "Smooth Meteorite",
|
||||||
|
"ADAMANT_CRYSTAL": "Adamant Crystal",
|
||||||
|
"LUSTROUS_ORB": "Lustrous Orb",
|
||||||
|
"GRISEOUS_CORE": "Griseous Core",
|
||||||
|
"REVEAL_GLASS": "Reveal Glass",
|
||||||
|
"GRACIDEA": "Gracidea",
|
||||||
|
"MAX_MUSHROOMS": "Max Mushrooms",
|
||||||
|
"DARK_STONE": "Dark Stone",
|
||||||
|
"LIGHT_STONE": "Light Stone",
|
||||||
|
"PRISON_BOTTLE": "Prison Bottle",
|
||||||
|
"N_LUNARIZER": "N Lunarizer",
|
||||||
|
"N_SOLARIZER": "N Solarizer",
|
||||||
|
"RUSTED_SWORD": "Rusted Sword",
|
||||||
|
"RUSTED_SHIELD": "Rusted Shield",
|
||||||
|
"ICY_REINS_OF_UNITY": "Icy Reins Of Unity",
|
||||||
|
"SHADOW_REINS_OF_UNITY": "Shadow Reins Of Unity",
|
||||||
|
"WELLSPRING_MASK": "Wellspring Mask",
|
||||||
|
"HEARTHFLAME_MASK": "Hearthflame Mask",
|
||||||
|
"CORNERSTONE_MASK": "Cornerstone Mask",
|
||||||
|
"SHOCK_DRIVE": "Shock Drive",
|
||||||
|
"BURN_DRIVE": "Burn Drive",
|
||||||
|
"CHILL_DRIVE": "Chill Drive",
|
||||||
|
"DOUSE_DRIVE": "Douse Drive",
|
||||||
|
},
|
||||||
|
TeraType: {
|
||||||
|
"UNKNOWN": "Unknown",
|
||||||
|
"NORMAL": "Normal",
|
||||||
|
"FIGHTING": "Fighting",
|
||||||
|
"FLYING": "Flying",
|
||||||
|
"POISON": "Poison",
|
||||||
|
"GROUND": "Ground",
|
||||||
|
"ROCK": "Rock",
|
||||||
|
"BUG": "Bug",
|
||||||
|
"GHOST": "Ghost",
|
||||||
|
"STEEL": "Steel",
|
||||||
|
"FIRE": "Fire",
|
||||||
|
"WATER": "Water",
|
||||||
|
"GRASS": "Grass",
|
||||||
|
"ELECTRIC": "Electric",
|
||||||
|
"PSYCHIC": "Psychic",
|
||||||
|
"ICE": "Ice",
|
||||||
|
"DRAGON": "Dragon",
|
||||||
|
"DARK": "Dark",
|
||||||
|
"FAIRY": "Fairy",
|
||||||
|
"STELLAR": "Stellar",
|
||||||
|
},
|
||||||
|
} as const;
|
@ -2915,7 +2915,7 @@ export const move: MoveTranslationEntries = {
|
|||||||
},
|
},
|
||||||
"zippyZap": {
|
"zippyZap": {
|
||||||
name: "电电加速",
|
name: "电电加速",
|
||||||
effect: "迅猛无比的电击。必定能够\n先制攻击,击中对方的要害",
|
effect: "The user attacks the target with bursts of electricity at high speed. This move always goes first and raises the user's evasiveness.",
|
||||||
},
|
},
|
||||||
"splishySplash": {
|
"splishySplash": {
|
||||||
name: "滔滔冲浪",
|
name: "滔滔冲浪",
|
||||||
|
@ -7,6 +7,15 @@ import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
|||||||
*/
|
*/
|
||||||
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
export const starterSelectUiHandler: SimpleTranslationEntries = {
|
||||||
"confirmStartTeam":'使用这些宝可梦开始游戏吗?',
|
"confirmStartTeam":'使用这些宝可梦开始游戏吗?',
|
||||||
|
"gen1": "I",
|
||||||
|
"gen2": "II",
|
||||||
|
"gen3": "III",
|
||||||
|
"gen4": "IV",
|
||||||
|
"gen5": "V",
|
||||||
|
"gen6": "VI",
|
||||||
|
"gen7": "VII",
|
||||||
|
"gen8": "VIII",
|
||||||
|
"gen9": "IX",
|
||||||
"growthRate": "成长速度:",
|
"growthRate": "成长速度:",
|
||||||
"ability": "特性:",
|
"ability": "特性:",
|
||||||
"passive": "被动:",
|
"passive": "被动:",
|
||||||
@ -28,5 +37,8 @@ export const starterSelectUiHandler: SimpleTranslationEntries = {
|
|||||||
"cycleNature": 'N: 切换性格',
|
"cycleNature": 'N: 切换性格',
|
||||||
"cycleVariant": 'V: 切换变种',
|
"cycleVariant": 'V: 切换变种',
|
||||||
"enablePassive": "启用被动",
|
"enablePassive": "启用被动",
|
||||||
"disablePassive": "禁用被动"
|
"disablePassive": "禁用被动",
|
||||||
|
"locked": "Locked",
|
||||||
|
"disabled": "Disabled",
|
||||||
|
"uncaught": "Uncaught"
|
||||||
}
|
}
|
44
src/locales/zh_CN/weather.ts
Normal file
44
src/locales/zh_CN/weather.ts
Normal file
@ -0,0 +1,44 @@
|
|||||||
|
import { SimpleTranslationEntries } from "#app/plugins/i18n";
|
||||||
|
|
||||||
|
/**
|
||||||
|
* The weather namespace holds text displayed when weather is active during a battle
|
||||||
|
*/
|
||||||
|
export const weather: SimpleTranslationEntries = {
|
||||||
|
"sunnyStartMessage": "The sunlight got bright!",
|
||||||
|
"sunnyLapseMessage": "The sunlight is strong.",
|
||||||
|
"sunnyClearMessage": "The sunlight faded.",
|
||||||
|
|
||||||
|
"rainStartMessage": "A downpour started!",
|
||||||
|
"rainLapseMessage": "The downpour continues.",
|
||||||
|
"rainClearMessage": "The rain stopped.",
|
||||||
|
|
||||||
|
"sandstormStartMessage": "A sandstorm brewed!",
|
||||||
|
"sandstormLapseMessage": "The sandstorm rages.",
|
||||||
|
"sandstormClearMessage": "The sandstorm subsided.",
|
||||||
|
"sandstormDamageMessage": "{{pokemonPrefix}}{{pokemonName}} is buffeted\nby the sandstorm!",
|
||||||
|
|
||||||
|
"hailStartMessage": "It started to hail!",
|
||||||
|
"hailLapseMessage": "Hail continues to fall.",
|
||||||
|
"hailClearMessage": "The hail stopped.",
|
||||||
|
"hailDamageMessage": "{{pokemonPrefix}}{{pokemonName}} is pelted\nby the hail!",
|
||||||
|
|
||||||
|
"snowStartMessage": "It started to snow!",
|
||||||
|
"snowLapseMessage": "The snow is falling down.",
|
||||||
|
"snowClearMessage": "The snow stopped.",
|
||||||
|
|
||||||
|
"fogStartMessage": "A thick fog emerged!",
|
||||||
|
"fogLapseMessage": "The fog continues.",
|
||||||
|
"fogClearMessage": "The fog disappeared.",
|
||||||
|
|
||||||
|
"heavyRainStartMessage": "A heavy downpour started!",
|
||||||
|
"heavyRainLapseMessage": "The heavy downpour continues.",
|
||||||
|
"heavyRainClearMessage": "The heavy rain stopped.",
|
||||||
|
|
||||||
|
"harshSunStartMessage": "The sunlight got hot!",
|
||||||
|
"harshSunLapseMessage": "The sun is scorching hot.",
|
||||||
|
"harshSunClearMessage": "The harsh sunlight faded.",
|
||||||
|
|
||||||
|
"strongWindsStartMessage": "A heavy wind began!",
|
||||||
|
"strongWindsLapseMessage": "The wind blows intensely.",
|
||||||
|
"strongWindsClearMessage": "The heavy wind stopped."
|
||||||
|
}
|
File diff suppressed because it is too large
Load Diff
@ -635,6 +635,9 @@ export class PokemonBaseStatModifier extends PokemonHeldItemModifier {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Applies Specific Type item boosts (e.g., Magnet)
|
||||||
|
*/
|
||||||
export class AttackTypeBoosterModifier extends PokemonHeldItemModifier {
|
export class AttackTypeBoosterModifier extends PokemonHeldItemModifier {
|
||||||
private moveType: Type;
|
private moveType: Type;
|
||||||
private boostMultiplier: number;
|
private boostMultiplier: number;
|
||||||
@ -667,8 +670,15 @@ export class AttackTypeBoosterModifier extends PokemonHeldItemModifier {
|
|||||||
return super.shouldApply(args) && args.length === 3 && typeof args[1] === 'number' && args[2] instanceof Utils.NumberHolder;
|
return super.shouldApply(args) && args.length === 3 && typeof args[1] === 'number' && args[2] instanceof Utils.NumberHolder;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @param {Array<any>} args Array
|
||||||
|
* - Index 0: {Pokemon} Pokemon
|
||||||
|
* - Index 1: {number} Move type
|
||||||
|
* - Index 2: {Utils.NumberHolder} Move power
|
||||||
|
* @returns {boolean} Returns true if boosts have been applied to the move.
|
||||||
|
*/
|
||||||
apply(args: any[]): boolean {
|
apply(args: any[]): boolean {
|
||||||
if (args[1] === this.moveType) {
|
if (args[1] === this.moveType && (args[2] as Utils.NumberHolder).value >= 1) {
|
||||||
(args[2] as Utils.NumberHolder).value = Math.floor((args[2] as Utils.NumberHolder).value * (1 + (this.getStackCount() * this.boostMultiplier)));
|
(args[2] as Utils.NumberHolder).value = Math.floor((args[2] as Utils.NumberHolder).value * (1 + (this.getStackCount() * this.boostMultiplier)));
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
@ -721,6 +731,40 @@ export class SurviveDamageModifier extends PokemonHeldItemModifier {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export class BypassSpeedChanceModifier extends PokemonHeldItemModifier {
|
||||||
|
constructor(type: ModifierType, pokemonId: integer, stackCount?: integer) {
|
||||||
|
super(type, pokemonId, stackCount);
|
||||||
|
}
|
||||||
|
|
||||||
|
matchType(modifier: Modifier) {
|
||||||
|
return modifier instanceof BypassSpeedChanceModifier;
|
||||||
|
}
|
||||||
|
|
||||||
|
clone() {
|
||||||
|
return new BypassSpeedChanceModifier(this.type, this.pokemonId, this.stackCount);
|
||||||
|
}
|
||||||
|
|
||||||
|
shouldApply(args: any[]): boolean {
|
||||||
|
return super.shouldApply(args) && args.length === 2 && args[1] instanceof Utils.BooleanHolder;
|
||||||
|
}
|
||||||
|
|
||||||
|
apply(args: any[]): boolean {
|
||||||
|
const pokemon = args[0] as Pokemon;
|
||||||
|
const bypassSpeed = args[1] as Utils.BooleanHolder;
|
||||||
|
|
||||||
|
if (!bypassSpeed.value && pokemon.randSeedInt(10) < this.getStackCount()) {
|
||||||
|
bypassSpeed.value = true;
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
getMaxHeldItemCount(pokemon: Pokemon): integer {
|
||||||
|
return 3;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
export class FlinchChanceModifier extends PokemonHeldItemModifier {
|
export class FlinchChanceModifier extends PokemonHeldItemModifier {
|
||||||
constructor(type: ModifierType, pokemonId: integer, stackCount?: integer) {
|
constructor(type: ModifierType, pokemonId: integer, stackCount?: integer) {
|
||||||
super(type, pokemonId, stackCount);
|
super(type, pokemonId, stackCount);
|
||||||
|
102
src/phases.ts
102
src/phases.ts
@ -2,11 +2,11 @@ import BattleScene, { AnySound, bypassLogin, startingWave } from "./battle-scene
|
|||||||
import { default as Pokemon, PlayerPokemon, EnemyPokemon, PokemonMove, MoveResult, DamageResult, FieldPosition, HitResult, TurnMove } from "./field/pokemon";
|
import { default as Pokemon, PlayerPokemon, EnemyPokemon, PokemonMove, MoveResult, DamageResult, FieldPosition, HitResult, TurnMove } from "./field/pokemon";
|
||||||
import * as Utils from './utils';
|
import * as Utils from './utils';
|
||||||
import { Moves } from "./data/enums/moves";
|
import { Moves } from "./data/enums/moves";
|
||||||
import { allMoves, applyMoveAttrs, BypassSleepAttr, ChargeAttr, applyFilteredMoveAttrs, HitsTagAttr, MissEffectAttr, MoveAttr, MoveEffectAttr, MoveFlags, MultiHitAttr, OverrideMoveEffectAttr, VariableAccuracyAttr, MoveTarget, OneHitKOAttr, getMoveTargets, MoveTargetSet, MoveEffectTrigger, CopyMoveAttr, AttackMove, SelfStatusMove, DelayedAttackAttr, RechargeAttr, PreMoveMessageAttr, HealStatusEffectAttr, IgnoreOpponentStatChangesAttr, NoEffectAttr, BypassRedirectAttr, FixedDamageAttr, PostVictoryStatChangeAttr, OneHitKOAccuracyAttr, ForceSwitchOutAttr, VariableTargetAttr } from "./data/move";
|
import { allMoves, applyMoveAttrs, BypassSleepAttr, ChargeAttr, applyFilteredMoveAttrs, HitsTagAttr, MissEffectAttr, MoveAttr, MoveEffectAttr, MoveFlags, MultiHitAttr, OverrideMoveEffectAttr, VariableAccuracyAttr, MoveTarget, OneHitKOAttr, getMoveTargets, MoveTargetSet, MoveEffectTrigger, CopyMoveAttr, AttackMove, SelfStatusMove, DelayedAttackAttr, RechargeAttr, PreMoveMessageAttr, HealStatusEffectAttr, IgnoreOpponentStatChangesAttr, NoEffectAttr, BypassRedirectAttr, FixedDamageAttr, PostVictoryStatChangeAttr, OneHitKOAccuracyAttr, ForceSwitchOutAttr, VariableTargetAttr, SacrificialAttr } from "./data/move";
|
||||||
import { Mode } from './ui/ui';
|
import { Mode } from './ui/ui';
|
||||||
import { Command } from "./ui/command-ui-handler";
|
import { Command } from "./ui/command-ui-handler";
|
||||||
import { Stat } from "./data/pokemon-stat";
|
import { Stat } from "./data/pokemon-stat";
|
||||||
import { BerryModifier, ContactHeldItemTransferChanceModifier, EnemyAttackStatusEffectChanceModifier, EnemyPersistentModifier, EnemyStatusEffectHealChanceModifier, EnemyTurnHealModifier, ExpBalanceModifier, ExpBoosterModifier, ExpShareModifier, ExtraModifierModifier, FlinchChanceModifier, FusePokemonModifier, HealingBoosterModifier, HitHealModifier, LapsingPersistentModifier, MapModifier, Modifier, MultipleParticipantExpBonusModifier, PersistentModifier, PokemonExpBoosterModifier, PokemonHeldItemModifier, PokemonInstantReviveModifier, SwitchEffectTransferModifier, TempBattleStatBoosterModifier, TurnHealModifier, TurnHeldItemTransferModifier, MoneyMultiplierModifier, MoneyInterestModifier, IvScannerModifier, LapsingPokemonHeldItemModifier, PokemonMultiHitModifier, PokemonMoveAccuracyBoosterModifier, overrideModifiers, overrideHeldItems } from "./modifier/modifier";
|
import { BerryModifier, ContactHeldItemTransferChanceModifier, EnemyAttackStatusEffectChanceModifier, EnemyPersistentModifier, EnemyStatusEffectHealChanceModifier, EnemyTurnHealModifier, ExpBalanceModifier, ExpBoosterModifier, ExpShareModifier, ExtraModifierModifier, FlinchChanceModifier, FusePokemonModifier, HealingBoosterModifier, HitHealModifier, LapsingPersistentModifier, MapModifier, Modifier, MultipleParticipantExpBonusModifier, PersistentModifier, PokemonExpBoosterModifier, PokemonHeldItemModifier, PokemonInstantReviveModifier, SwitchEffectTransferModifier, TempBattleStatBoosterModifier, TurnHealModifier, TurnHeldItemTransferModifier, MoneyMultiplierModifier, MoneyInterestModifier, IvScannerModifier, LapsingPokemonHeldItemModifier, PokemonMultiHitModifier, PokemonMoveAccuracyBoosterModifier, overrideModifiers, overrideHeldItems, BypassSpeedChanceModifier } from "./modifier/modifier";
|
||||||
import PartyUiHandler, { PartyOption, PartyUiMode } from "./ui/party-ui-handler";
|
import PartyUiHandler, { PartyOption, PartyUiMode } from "./ui/party-ui-handler";
|
||||||
import { doPokeballBounceAnim, getPokeballAtlasKey, getPokeballCatchMultiplier, getPokeballTintColor, PokeballType } from "./data/pokeball";
|
import { doPokeballBounceAnim, getPokeballAtlasKey, getPokeballCatchMultiplier, getPokeballTintColor, PokeballType } from "./data/pokeball";
|
||||||
import { CommonAnim, CommonBattleAnim, MoveAnim, initMoveAnim, loadMoveAnimAssets } from "./data/battle-anims";
|
import { CommonAnim, CommonBattleAnim, MoveAnim, initMoveAnim, loadMoveAnimAssets } from "./data/battle-anims";
|
||||||
@ -289,7 +289,7 @@ export class TitlePhase extends Phase {
|
|||||||
}
|
}
|
||||||
this.scene.sessionSlotId = slotId;
|
this.scene.sessionSlotId = slotId;
|
||||||
|
|
||||||
fetchDailyRunSeed().then(seed => {
|
const generateDaily = (seed: string) => {
|
||||||
this.scene.gameMode = gameModes[GameModes.DAILY];
|
this.scene.gameMode = gameModes[GameModes.DAILY];
|
||||||
|
|
||||||
this.scene.setSeed(seed);
|
this.scene.setSeed(seed);
|
||||||
@ -330,11 +330,21 @@ export class TitlePhase extends Phase {
|
|||||||
this.scene.newBattle();
|
this.scene.newBattle();
|
||||||
this.scene.arena.init();
|
this.scene.arena.init();
|
||||||
this.scene.sessionPlayTime = 0;
|
this.scene.sessionPlayTime = 0;
|
||||||
|
this.scene.lastSavePlayTime = 0;
|
||||||
this.end();
|
this.end();
|
||||||
});
|
});
|
||||||
}).catch(err => {
|
};
|
||||||
console.error("Failed to load daily run:\n", err);
|
|
||||||
});
|
// If Online, calls seed fetch from db to generate daily run. If Offline, generates a daily run based on current date.
|
||||||
|
if (!Utils.isLocal) {
|
||||||
|
fetchDailyRunSeed().then(seed => {
|
||||||
|
generateDaily(seed);
|
||||||
|
}).catch(err => {
|
||||||
|
console.error("Failed to load daily run:\n", err);
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
generateDaily(btoa(new Date().toISOString().substring(0, 10)));
|
||||||
|
}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -384,8 +394,12 @@ export class UnavailablePhase extends Phase {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export class ReloadSessionPhase extends Phase {
|
export class ReloadSessionPhase extends Phase {
|
||||||
constructor(scene: BattleScene) {
|
private systemDataStr: string;
|
||||||
|
|
||||||
|
constructor(scene: BattleScene, systemDataStr?: string) {
|
||||||
super(scene);
|
super(scene);
|
||||||
|
|
||||||
|
this.systemDataStr = systemDataStr;
|
||||||
}
|
}
|
||||||
|
|
||||||
start(): void {
|
start(): void {
|
||||||
@ -401,7 +415,9 @@ export class ReloadSessionPhase extends Phase {
|
|||||||
delayElapsed = true;
|
delayElapsed = true;
|
||||||
});
|
});
|
||||||
|
|
||||||
this.scene.gameData.loadSystem().then(() => {
|
this.scene.gameData.clearLocalData();
|
||||||
|
|
||||||
|
(this.systemDataStr ? this.scene.gameData.initSystem(this.systemDataStr) : this.scene.gameData.loadSystem()).then(() => {
|
||||||
if (delayElapsed)
|
if (delayElapsed)
|
||||||
this.end();
|
this.end();
|
||||||
else
|
else
|
||||||
@ -522,6 +538,7 @@ export class SelectStarterPhase extends Phase {
|
|||||||
this.scene.newBattle();
|
this.scene.newBattle();
|
||||||
this.scene.arena.init();
|
this.scene.arena.init();
|
||||||
this.scene.sessionPlayTime = 0;
|
this.scene.sessionPlayTime = 0;
|
||||||
|
this.scene.lastSavePlayTime = 0;
|
||||||
this.end();
|
this.end();
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
@ -775,7 +792,7 @@ export class EncounterPhase extends BattlePhase {
|
|||||||
|
|
||||||
this.scene.ui.setMode(Mode.MESSAGE).then(() => {
|
this.scene.ui.setMode(Mode.MESSAGE).then(() => {
|
||||||
if (!this.loaded) {
|
if (!this.loaded) {
|
||||||
this.scene.gameData.saveAll(this.scene, true).then(success => {
|
this.scene.gameData.saveAll(this.scene, true, battle.waveIndex % 10 === 1 || this.scene.lastSavePlayTime >= 300).then(success => {
|
||||||
this.scene.disableMenu = false;
|
this.scene.disableMenu = false;
|
||||||
if (!success)
|
if (!success)
|
||||||
return this.scene.reset(true);
|
return this.scene.reset(true);
|
||||||
@ -1953,6 +1970,14 @@ export class TurnStartPhase extends FieldPhase {
|
|||||||
const field = this.scene.getField();
|
const field = this.scene.getField();
|
||||||
const order = this.getOrder();
|
const order = this.getOrder();
|
||||||
|
|
||||||
|
const battlerBypassSpeed = {};
|
||||||
|
|
||||||
|
this.scene.getField(true).filter(p => p.summonData).map(p => {
|
||||||
|
const bypassSpeed = new Utils.BooleanHolder(false);
|
||||||
|
this.scene.applyModifiers(BypassSpeedChanceModifier, p.isPlayer(), p, bypassSpeed);
|
||||||
|
battlerBypassSpeed[p.getBattlerIndex()] = bypassSpeed;
|
||||||
|
});
|
||||||
|
|
||||||
const moveOrder = order.slice(0);
|
const moveOrder = order.slice(0);
|
||||||
|
|
||||||
moveOrder.sort((a, b) => {
|
moveOrder.sort((a, b) => {
|
||||||
@ -1978,6 +2003,9 @@ export class TurnStartPhase extends FieldPhase {
|
|||||||
return aPriority.value < bPriority.value ? 1 : -1;
|
return aPriority.value < bPriority.value ? 1 : -1;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (battlerBypassSpeed[a].value !== battlerBypassSpeed[b].value)
|
||||||
|
return battlerBypassSpeed[a].value ? -1 : 1;
|
||||||
|
|
||||||
const aIndex = order.indexOf(a);
|
const aIndex = order.indexOf(a);
|
||||||
const bIndex = order.indexOf(b);
|
const bIndex = order.indexOf(b);
|
||||||
|
|
||||||
@ -2242,12 +2270,8 @@ export class MovePhase extends BattlePhase {
|
|||||||
}
|
}
|
||||||
|
|
||||||
const targets = this.scene.getField(true).filter(p => {
|
const targets = this.scene.getField(true).filter(p => {
|
||||||
if (this.targets.indexOf(p.getBattlerIndex()) > -1) {
|
if (this.targets.indexOf(p.getBattlerIndex()) > -1)
|
||||||
const hiddenTag = p.getTag(HiddenTag);
|
|
||||||
if (hiddenTag && !this.move.getMove().getAttrs(HitsTagAttr).filter(hta => (hta as HitsTagAttr).tagType === hiddenTag.tagType).length && !p.hasAbilityWithAttr(AlwaysHitAbAttr) && !this.pokemon.hasAbilityWithAttr(AlwaysHitAbAttr))
|
|
||||||
return false;
|
|
||||||
return true;
|
return true;
|
||||||
}
|
|
||||||
return false;
|
return false;
|
||||||
});
|
});
|
||||||
|
|
||||||
@ -2288,10 +2312,17 @@ export class MovePhase extends BattlePhase {
|
|||||||
if (this.move.moveId)
|
if (this.move.moveId)
|
||||||
this.showMoveText();
|
this.showMoveText();
|
||||||
|
|
||||||
|
// This should only happen when there are no valid targets left on the field
|
||||||
if ((moveQueue.length && moveQueue[0].move === Moves.NONE) || !targets.length) {
|
if ((moveQueue.length && moveQueue[0].move === Moves.NONE) || !targets.length) {
|
||||||
moveQueue.shift();
|
this.showFailedText();
|
||||||
this.cancel();
|
this.cancel();
|
||||||
|
|
||||||
|
// Record a failed move so Abilities like Truant don't trigger next turn and soft-lock
|
||||||
this.pokemon.pushMoveHistory({ move: Moves.NONE, result: MoveResult.FAIL });
|
this.pokemon.pushMoveHistory({ move: Moves.NONE, result: MoveResult.FAIL });
|
||||||
|
|
||||||
|
this.pokemon.lapseTags(BattlerTagLapseType.MOVE_EFFECT); // Remove any tags from moves like Fly/Dive/etc.
|
||||||
|
|
||||||
|
moveQueue.shift();
|
||||||
return this.end();
|
return this.end();
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -2520,8 +2551,14 @@ export class MoveEffectPhase extends PokemonPhase {
|
|||||||
}));
|
}));
|
||||||
}
|
}
|
||||||
// Trigger effect which should only apply one time after all targeted effects have already applied
|
// Trigger effect which should only apply one time after all targeted effects have already applied
|
||||||
applyFilteredMoveAttrs((attr: MoveAttr) => attr instanceof MoveEffectAttr && (attr as MoveEffectAttr).trigger === MoveEffectTrigger.POST_TARGET,
|
const postTarget = applyFilteredMoveAttrs((attr: MoveAttr) => attr instanceof MoveEffectAttr && (attr as MoveEffectAttr).trigger === MoveEffectTrigger.POST_TARGET,
|
||||||
user, null, this.move.getMove())
|
user, null, this.move.getMove());
|
||||||
|
|
||||||
|
if (applyAttrs.length) // If there is a pending asynchronous move effect, do this after
|
||||||
|
applyAttrs[applyAttrs.length - 1]?.then(() => postTarget);
|
||||||
|
else // Otherwise, push a new asynchronous move effect
|
||||||
|
applyAttrs.push(postTarget);
|
||||||
|
|
||||||
Promise.allSettled(applyAttrs).then(() => this.end());
|
Promise.allSettled(applyAttrs).then(() => this.end());
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
@ -2556,13 +2593,14 @@ export class MoveEffectPhase extends PokemonPhase {
|
|||||||
if (user.hasAbilityWithAttr(AlwaysHitAbAttr) || target.hasAbilityWithAttr(AlwaysHitAbAttr))
|
if (user.hasAbilityWithAttr(AlwaysHitAbAttr) || target.hasAbilityWithAttr(AlwaysHitAbAttr))
|
||||||
return true;
|
return true;
|
||||||
|
|
||||||
|
// If the user should ignore accuracy on a target, check who the user targeted last turn and see if they match
|
||||||
|
if (user.getTag(BattlerTagType.IGNORE_ACCURACY) && (user.getLastXMoves().slice(1).find(() => true)?.targets || []).indexOf(target.getBattlerIndex()) !== -1)
|
||||||
|
return true;
|
||||||
|
|
||||||
const hiddenTag = target.getTag(HiddenTag);
|
const hiddenTag = target.getTag(HiddenTag);
|
||||||
if (hiddenTag && !this.move.getMove().getAttrs(HitsTagAttr).filter(hta => (hta as HitsTagAttr).tagType === hiddenTag.tagType).length)
|
if (hiddenTag && !this.move.getMove().getAttrs(HitsTagAttr).filter(hta => (hta as HitsTagAttr).tagType === hiddenTag.tagType).length)
|
||||||
return false;
|
return false;
|
||||||
|
|
||||||
if (user.getTag(BattlerTagType.IGNORE_ACCURACY) && (user.getLastXMoves().find(() => true)?.targets || []).indexOf(target.getBattlerIndex()) > -1)
|
|
||||||
return true;
|
|
||||||
|
|
||||||
const moveAccuracy = new Utils.NumberHolder(this.move.getMove().accuracy);
|
const moveAccuracy = new Utils.NumberHolder(this.move.getMove().accuracy);
|
||||||
|
|
||||||
applyMoveAttrs(VariableAccuracyAttr, user, target, this.move.getMove(), moveAccuracy);
|
applyMoveAttrs(VariableAccuracyAttr, user, target, this.move.getMove(), moveAccuracy);
|
||||||
@ -2931,19 +2969,21 @@ export class ObtainStatusEffectPhase extends PokemonPhase {
|
|||||||
private statusEffect: StatusEffect;
|
private statusEffect: StatusEffect;
|
||||||
private cureTurn: integer;
|
private cureTurn: integer;
|
||||||
private sourceText: string;
|
private sourceText: string;
|
||||||
|
private sourcePokemon: Pokemon;
|
||||||
|
|
||||||
constructor(scene: BattleScene, battlerIndex: BattlerIndex, statusEffect: StatusEffect, cureTurn?: integer, sourceText?: string) {
|
constructor(scene: BattleScene, battlerIndex: BattlerIndex, statusEffect: StatusEffect, cureTurn?: integer, sourceText?: string, sourcePokemon?: Pokemon) {
|
||||||
super(scene, battlerIndex);
|
super(scene, battlerIndex);
|
||||||
|
|
||||||
this.statusEffect = statusEffect;
|
this.statusEffect = statusEffect;
|
||||||
this.cureTurn = cureTurn;
|
this.cureTurn = cureTurn;
|
||||||
this.sourceText = sourceText;
|
this.sourceText = sourceText;
|
||||||
|
this.sourcePokemon = sourcePokemon; // For tracking which Pokemon caused the status effect
|
||||||
}
|
}
|
||||||
|
|
||||||
start() {
|
start() {
|
||||||
const pokemon = this.getPokemon();
|
const pokemon = this.getPokemon();
|
||||||
if (!pokemon.status) {
|
if (!pokemon.status) {
|
||||||
if (pokemon.trySetStatus(this.statusEffect)) {
|
if (pokemon.trySetStatus(this.statusEffect, false, this.sourcePokemon)) {
|
||||||
if (this.cureTurn)
|
if (this.cureTurn)
|
||||||
pokemon.status.cureTurn = this.cureTurn;
|
pokemon.status.cureTurn = this.cureTurn;
|
||||||
pokemon.updateInfo(true);
|
pokemon.updateInfo(true);
|
||||||
@ -3610,10 +3650,20 @@ export class GameOverPhase extends BattlePhase {
|
|||||||
});
|
});
|
||||||
});
|
});
|
||||||
};
|
};
|
||||||
|
|
||||||
|
/* Added a local check to see if the game is running offline on victory
|
||||||
|
If Online, execute apiFetch as intended
|
||||||
|
If Offline, execute offlineNewClear(), a localStorage implementation of newClear daily run checks */
|
||||||
if (this.victory) {
|
if (this.victory) {
|
||||||
Utils.apiFetch(`savedata/newclear?slot=${this.scene.sessionSlotId}`, true)
|
if (!Utils.isLocal) {
|
||||||
|
Utils.apiFetch(`savedata/newclear?slot=${this.scene.sessionSlotId}`, true)
|
||||||
.then(response => response.json())
|
.then(response => response.json())
|
||||||
.then(newClear => doGameOver(newClear));
|
.then(newClear => doGameOver(newClear));
|
||||||
|
} else {
|
||||||
|
this.scene.gameData.offlineNewClear(this.scene).then(result => {
|
||||||
|
doGameOver(result);
|
||||||
|
});
|
||||||
|
}
|
||||||
} else
|
} else
|
||||||
doGameOver(false);
|
doGameOver(false);
|
||||||
}
|
}
|
||||||
@ -3671,7 +3721,7 @@ export class PostGameOverPhase extends Phase {
|
|||||||
start() {
|
start() {
|
||||||
super.start();
|
super.start();
|
||||||
|
|
||||||
this.scene.gameData.saveSystem().then(success => {
|
this.scene.gameData.saveAll(this.scene, true, true, true).then(success => {
|
||||||
if (!success)
|
if (!success)
|
||||||
return this.scene.reset(true);
|
return this.scene.reset(true);
|
||||||
this.scene.gameData.tryClearSession(this.scene, this.scene.sessionSlotId).then((success: boolean | [boolean, boolean]) => {
|
this.scene.gameData.tryClearSession(this.scene, this.scene.sessionSlotId).then((success: boolean | [boolean, boolean]) => {
|
||||||
@ -3921,9 +3971,9 @@ export class LearnMovePhase extends PlayerPartyMemberPokemonPhase {
|
|||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
this.scene.ui.setMode(messageMode).then(() => {
|
this.scene.ui.setMode(messageMode).then(() => {
|
||||||
this.scene.ui.showText('@d{32}1, @d{15}2, and@d{15}… @d{15}… @d{15}… @d{15}@s{pb_bounce_1}Poof!', null, () => {
|
this.scene.ui.showText(i18next.t('battle:countdownPoof'), null, () => {
|
||||||
this.scene.ui.showText(i18next.t('battle:learnMoveForgetSuccess', { pokemonName: pokemon.name, moveName: pokemon.moveset[moveIndex].getName() }), null, () => {
|
this.scene.ui.showText(i18next.t('battle:learnMoveForgetSuccess', { pokemonName: pokemon.name, moveName: pokemon.moveset[moveIndex].getName() }), null, () => {
|
||||||
this.scene.ui.showText('And…', null, () => {
|
this.scene.ui.showText(i18next.t('battle:learnMoveAnd'), null, () => {
|
||||||
pokemon.setMove(moveIndex, Moves.NONE);
|
pokemon.setMove(moveIndex, Moves.NONE);
|
||||||
this.scene.unshiftPhase(new LearnMovePhase(this.scene, this.partyMemberIndex, this.moveId));
|
this.scene.unshiftPhase(new LearnMovePhase(this.scene, this.partyMemberIndex, this.moveId));
|
||||||
this.end();
|
this.end();
|
||||||
|
@ -31,6 +31,22 @@ export interface AbilityTranslationEntries {
|
|||||||
[key: string]: AbilityTranslationEntry
|
[key: string]: AbilityTranslationEntry
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export interface ModifierTypeTranslationEntry {
|
||||||
|
name?: string,
|
||||||
|
description?: string,
|
||||||
|
extra?: SimpleTranslationEntries
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface ModifierTypeTranslationEntries {
|
||||||
|
ModifierType: { [key: string]: ModifierTypeTranslationEntry },
|
||||||
|
AttackTypeBoosterItem: SimpleTranslationEntries,
|
||||||
|
TempBattleStatBoosterItem: SimpleTranslationEntries,
|
||||||
|
BaseStatBoosterItem: SimpleTranslationEntries,
|
||||||
|
EvolutionItem: SimpleTranslationEntries,
|
||||||
|
FormChangeItem: SimpleTranslationEntries,
|
||||||
|
TeraType: SimpleTranslationEntries,
|
||||||
|
}
|
||||||
|
|
||||||
export interface Localizable {
|
export interface Localizable {
|
||||||
localize(): void;
|
localize(): void;
|
||||||
}
|
}
|
||||||
@ -98,7 +114,8 @@ declare module 'i18next' {
|
|||||||
menu: SimpleTranslationEntries;
|
menu: SimpleTranslationEntries;
|
||||||
menuUiHandler: SimpleTranslationEntries;
|
menuUiHandler: SimpleTranslationEntries;
|
||||||
move: MoveTranslationEntries;
|
move: MoveTranslationEntries;
|
||||||
battle: SimpleTranslationEntries,
|
battle: SimpleTranslationEntries;
|
||||||
|
abilityTriggers: SimpleTranslationEntries;
|
||||||
ability: AbilityTranslationEntries;
|
ability: AbilityTranslationEntries;
|
||||||
pokeball: SimpleTranslationEntries;
|
pokeball: SimpleTranslationEntries;
|
||||||
pokemon: SimpleTranslationEntries;
|
pokemon: SimpleTranslationEntries;
|
||||||
@ -110,6 +127,8 @@ declare module 'i18next' {
|
|||||||
nature: SimpleTranslationEntries;
|
nature: SimpleTranslationEntries;
|
||||||
growth: SimpleTranslationEntries;
|
growth: SimpleTranslationEntries;
|
||||||
egg: SimpleTranslationEntries;
|
egg: SimpleTranslationEntries;
|
||||||
|
weather: SimpleTranslationEntries;
|
||||||
|
modifierType: ModifierTypeTranslationEntries;
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -20,7 +20,7 @@ import { Egg } from "../data/egg";
|
|||||||
import { VoucherType, vouchers } from "./voucher";
|
import { VoucherType, vouchers } from "./voucher";
|
||||||
import { AES, enc } from "crypto-js";
|
import { AES, enc } from "crypto-js";
|
||||||
import { Mode } from "../ui/ui";
|
import { Mode } from "../ui/ui";
|
||||||
import { loggedInUser, updateUserInfo } from "../account";
|
import { clientSessionId, loggedInUser, updateUserInfo } from "../account";
|
||||||
import { Nature } from "../data/nature";
|
import { Nature } from "../data/nature";
|
||||||
import { GameStats } from "./game-stats";
|
import { GameStats } from "./game-stats";
|
||||||
import { Tutorial } from "../tutorial";
|
import { Tutorial } from "../tutorial";
|
||||||
@ -67,6 +67,18 @@ export function getDataTypeKey(dataType: GameDataType, slotId: integer = 0): str
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
function encrypt(data: string, bypassLogin: boolean): string {
|
||||||
|
return (bypassLogin
|
||||||
|
? (data: string) => btoa(data)
|
||||||
|
: (data: string) => AES.encrypt(data, saveKey))(data);
|
||||||
|
}
|
||||||
|
|
||||||
|
function decrypt(data: string, bypassLogin: boolean): string {
|
||||||
|
return (bypassLogin
|
||||||
|
? (data: string) => atob(data)
|
||||||
|
: (data: string) => AES.decrypt(data, saveKey).toString(enc.Utf8))(data);
|
||||||
|
}
|
||||||
|
|
||||||
interface SystemSaveData {
|
interface SystemSaveData {
|
||||||
trainerId: integer;
|
trainerId: integer;
|
||||||
secretId: integer;
|
secretId: integer;
|
||||||
@ -277,8 +289,10 @@ export class GameData {
|
|||||||
const maxIntAttrValue = Math.pow(2, 31);
|
const maxIntAttrValue = Math.pow(2, 31);
|
||||||
const systemData = JSON.stringify(data, (k: any, v: any) => typeof v === 'bigint' ? v <= maxIntAttrValue ? Number(v) : v.toString() : v);
|
const systemData = JSON.stringify(data, (k: any, v: any) => typeof v === 'bigint' ? v <= maxIntAttrValue ? Number(v) : v.toString() : v);
|
||||||
|
|
||||||
|
localStorage.setItem(`data_${loggedInUser.username}`, encrypt(systemData, bypassLogin));
|
||||||
|
|
||||||
if (!bypassLogin) {
|
if (!bypassLogin) {
|
||||||
Utils.apiPost(`savedata/update?datatype=${GameDataType.SYSTEM}`, systemData, undefined, true)
|
Utils.apiPost(`savedata/update?datatype=${GameDataType.SYSTEM}&clientSessionId=${clientSessionId}`, systemData, undefined, true)
|
||||||
.then(response => response.text())
|
.then(response => response.text())
|
||||||
.then(error => {
|
.then(error => {
|
||||||
this.scene.ui.savingIcon.hide();
|
this.scene.ui.savingIcon.hide();
|
||||||
@ -296,10 +310,6 @@ export class GameData {
|
|||||||
resolve(true);
|
resolve(true);
|
||||||
});
|
});
|
||||||
} else {
|
} else {
|
||||||
localStorage.setItem('data_bak', localStorage.getItem('data'));
|
|
||||||
|
|
||||||
localStorage.setItem('data', btoa(systemData));
|
|
||||||
|
|
||||||
this.scene.ui.savingIcon.hide();
|
this.scene.ui.savingIcon.hide();
|
||||||
|
|
||||||
resolve(true);
|
resolve(true);
|
||||||
@ -309,120 +319,13 @@ export class GameData {
|
|||||||
|
|
||||||
public loadSystem(): Promise<boolean> {
|
public loadSystem(): Promise<boolean> {
|
||||||
return new Promise<boolean>(resolve => {
|
return new Promise<boolean>(resolve => {
|
||||||
if (bypassLogin && !localStorage.hasOwnProperty('data'))
|
console.log('Client Session:', clientSessionId);
|
||||||
|
|
||||||
|
if (bypassLogin && !localStorage.getItem(`data_${loggedInUser.username}`))
|
||||||
return resolve(false);
|
return resolve(false);
|
||||||
|
|
||||||
const handleSystemData = (systemDataStr: string) => {
|
|
||||||
try {
|
|
||||||
const systemData = this.parseSystemData(systemDataStr);
|
|
||||||
|
|
||||||
console.debug(systemData);
|
|
||||||
|
|
||||||
/*const versions = [ this.scene.game.config.gameVersion, data.gameVersion || '0.0.0' ];
|
|
||||||
|
|
||||||
if (versions[0] !== versions[1]) {
|
|
||||||
const [ versionNumbers, oldVersionNumbers ] = versions.map(ver => ver.split('.').map(v => parseInt(v)));
|
|
||||||
}*/
|
|
||||||
|
|
||||||
this.trainerId = systemData.trainerId;
|
|
||||||
this.secretId = systemData.secretId;
|
|
||||||
|
|
||||||
this.gender = systemData.gender;
|
|
||||||
|
|
||||||
this.saveSetting(Setting.Player_Gender, systemData.gender === PlayerGender.FEMALE ? 1 : 0);
|
|
||||||
|
|
||||||
const initStarterData = !systemData.starterData;
|
|
||||||
|
|
||||||
if (initStarterData) {
|
|
||||||
this.initStarterData();
|
|
||||||
|
|
||||||
if (systemData['starterMoveData']) {
|
|
||||||
const starterMoveData = systemData['starterMoveData'];
|
|
||||||
for (let s of Object.keys(starterMoveData))
|
|
||||||
this.starterData[s].moveset = starterMoveData[s];
|
|
||||||
}
|
|
||||||
|
|
||||||
if (systemData['starterEggMoveData']) {
|
|
||||||
const starterEggMoveData = systemData['starterEggMoveData'];
|
|
||||||
for (let s of Object.keys(starterEggMoveData))
|
|
||||||
this.starterData[s].eggMoves = starterEggMoveData[s];
|
|
||||||
}
|
|
||||||
|
|
||||||
this.migrateStarterAbilities(systemData, this.starterData);
|
|
||||||
} else {
|
|
||||||
if ([ '1.0.0', '1.0.1' ].includes(systemData.gameVersion))
|
|
||||||
this.migrateStarterAbilities(systemData);
|
|
||||||
//this.fixVariantData(systemData);
|
|
||||||
this.fixStarterData(systemData);
|
|
||||||
// Migrate ability starter data if empty for caught species
|
|
||||||
Object.keys(systemData.starterData).forEach(sd => {
|
|
||||||
if (systemData.dexData[sd].caughtAttr && !systemData.starterData[sd].abilityAttr)
|
|
||||||
systemData.starterData[sd].abilityAttr = 1;
|
|
||||||
});
|
|
||||||
this.starterData = systemData.starterData;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (systemData.gameStats) {
|
|
||||||
if (systemData.gameStats.legendaryPokemonCaught !== undefined && systemData.gameStats.subLegendaryPokemonCaught === undefined)
|
|
||||||
this.fixLegendaryStats(systemData);
|
|
||||||
this.gameStats = systemData.gameStats;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (systemData.unlocks) {
|
|
||||||
for (let key of Object.keys(systemData.unlocks)) {
|
|
||||||
if (this.unlocks.hasOwnProperty(key))
|
|
||||||
this.unlocks[key] = systemData.unlocks[key];
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (systemData.achvUnlocks) {
|
|
||||||
for (let a of Object.keys(systemData.achvUnlocks)) {
|
|
||||||
if (achvs.hasOwnProperty(a))
|
|
||||||
this.achvUnlocks[a] = systemData.achvUnlocks[a];
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (systemData.voucherUnlocks) {
|
|
||||||
for (let v of Object.keys(systemData.voucherUnlocks)) {
|
|
||||||
if (vouchers.hasOwnProperty(v))
|
|
||||||
this.voucherUnlocks[v] = systemData.voucherUnlocks[v];
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (systemData.voucherCounts) {
|
|
||||||
Utils.getEnumKeys(VoucherType).forEach(key => {
|
|
||||||
const index = VoucherType[key];
|
|
||||||
this.voucherCounts[index] = systemData.voucherCounts[index] || 0;
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
this.eggs = systemData.eggs
|
|
||||||
? systemData.eggs.map(e => e.toEgg())
|
|
||||||
: [];
|
|
||||||
|
|
||||||
this.dexData = Object.assign(this.dexData, systemData.dexData);
|
|
||||||
this.consolidateDexData(this.dexData);
|
|
||||||
this.defaultDexData = null;
|
|
||||||
|
|
||||||
if (initStarterData) {
|
|
||||||
const starterIds = Object.keys(this.starterData).map(s => parseInt(s) as Species);
|
|
||||||
for (let s of starterIds) {
|
|
||||||
this.starterData[s].candyCount += this.dexData[s].caughtCount;
|
|
||||||
this.starterData[s].candyCount += this.dexData[s].hatchedCount * 2;
|
|
||||||
if (this.dexData[s].caughtAttr & DexAttr.SHINY)
|
|
||||||
this.starterData[s].candyCount += 4;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
resolve(true);
|
|
||||||
} catch (err) {
|
|
||||||
console.error(err);
|
|
||||||
resolve(false);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!bypassLogin) {
|
if (!bypassLogin) {
|
||||||
Utils.apiFetch(`savedata/get?datatype=${GameDataType.SYSTEM}`, true)
|
Utils.apiFetch(`savedata/system?clientSessionId=${clientSessionId}`, true)
|
||||||
.then(response => response.text())
|
.then(response => response.text())
|
||||||
.then(response => {
|
.then(response => {
|
||||||
if (!response.length || response[0] !== '{') {
|
if (!response.length || response[0] !== '{') {
|
||||||
@ -437,10 +340,134 @@ export class GameData {
|
|||||||
return resolve(false);
|
return resolve(false);
|
||||||
}
|
}
|
||||||
|
|
||||||
handleSystemData(response);
|
const cachedSystem = localStorage.getItem(`data_${loggedInUser.username}`);
|
||||||
|
this.initSystem(response, cachedSystem ? AES.decrypt(cachedSystem, saveKey).toString(enc.Utf8) : null).then(resolve);
|
||||||
});
|
});
|
||||||
} else
|
} else
|
||||||
handleSystemData(atob(localStorage.getItem('data')));
|
this.initSystem(decrypt(localStorage.getItem(`data_${loggedInUser.username}`), bypassLogin)).then(resolve);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
public initSystem(systemDataStr: string, cachedSystemDataStr?: string): Promise<boolean> {
|
||||||
|
return new Promise<boolean>(resolve => {
|
||||||
|
try {
|
||||||
|
let systemData = this.parseSystemData(systemDataStr);
|
||||||
|
|
||||||
|
if (cachedSystemDataStr) {
|
||||||
|
let cachedSystemData = this.parseSystemData(cachedSystemDataStr);
|
||||||
|
if (cachedSystemData.timestamp > systemData.timestamp) {
|
||||||
|
console.debug('Use cached system');
|
||||||
|
systemData = cachedSystemData;
|
||||||
|
systemDataStr = cachedSystemDataStr;
|
||||||
|
} else
|
||||||
|
this.clearLocalData();
|
||||||
|
}
|
||||||
|
|
||||||
|
console.debug(systemData);
|
||||||
|
|
||||||
|
localStorage.setItem(`data_${loggedInUser.username}`, encrypt(systemDataStr, bypassLogin));
|
||||||
|
|
||||||
|
/*const versions = [ this.scene.game.config.gameVersion, data.gameVersion || '0.0.0' ];
|
||||||
|
|
||||||
|
if (versions[0] !== versions[1]) {
|
||||||
|
const [ versionNumbers, oldVersionNumbers ] = versions.map(ver => ver.split('.').map(v => parseInt(v)));
|
||||||
|
}*/
|
||||||
|
|
||||||
|
this.trainerId = systemData.trainerId;
|
||||||
|
this.secretId = systemData.secretId;
|
||||||
|
|
||||||
|
this.gender = systemData.gender;
|
||||||
|
|
||||||
|
this.saveSetting(Setting.Player_Gender, systemData.gender === PlayerGender.FEMALE ? 1 : 0);
|
||||||
|
|
||||||
|
const initStarterData = !systemData.starterData;
|
||||||
|
|
||||||
|
if (initStarterData) {
|
||||||
|
this.initStarterData();
|
||||||
|
|
||||||
|
if (systemData['starterMoveData']) {
|
||||||
|
const starterMoveData = systemData['starterMoveData'];
|
||||||
|
for (let s of Object.keys(starterMoveData))
|
||||||
|
this.starterData[s].moveset = starterMoveData[s];
|
||||||
|
}
|
||||||
|
|
||||||
|
if (systemData['starterEggMoveData']) {
|
||||||
|
const starterEggMoveData = systemData['starterEggMoveData'];
|
||||||
|
for (let s of Object.keys(starterEggMoveData))
|
||||||
|
this.starterData[s].eggMoves = starterEggMoveData[s];
|
||||||
|
}
|
||||||
|
|
||||||
|
this.migrateStarterAbilities(systemData, this.starterData);
|
||||||
|
} else {
|
||||||
|
if ([ '1.0.0', '1.0.1' ].includes(systemData.gameVersion))
|
||||||
|
this.migrateStarterAbilities(systemData);
|
||||||
|
//this.fixVariantData(systemData);
|
||||||
|
this.fixStarterData(systemData);
|
||||||
|
// Migrate ability starter data if empty for caught species
|
||||||
|
Object.keys(systemData.starterData).forEach(sd => {
|
||||||
|
if (systemData.dexData[sd].caughtAttr && !systemData.starterData[sd].abilityAttr)
|
||||||
|
systemData.starterData[sd].abilityAttr = 1;
|
||||||
|
});
|
||||||
|
this.starterData = systemData.starterData;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (systemData.gameStats) {
|
||||||
|
if (systemData.gameStats.legendaryPokemonCaught !== undefined && systemData.gameStats.subLegendaryPokemonCaught === undefined)
|
||||||
|
this.fixLegendaryStats(systemData);
|
||||||
|
this.gameStats = systemData.gameStats;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (systemData.unlocks) {
|
||||||
|
for (let key of Object.keys(systemData.unlocks)) {
|
||||||
|
if (this.unlocks.hasOwnProperty(key))
|
||||||
|
this.unlocks[key] = systemData.unlocks[key];
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (systemData.achvUnlocks) {
|
||||||
|
for (let a of Object.keys(systemData.achvUnlocks)) {
|
||||||
|
if (achvs.hasOwnProperty(a))
|
||||||
|
this.achvUnlocks[a] = systemData.achvUnlocks[a];
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (systemData.voucherUnlocks) {
|
||||||
|
for (let v of Object.keys(systemData.voucherUnlocks)) {
|
||||||
|
if (vouchers.hasOwnProperty(v))
|
||||||
|
this.voucherUnlocks[v] = systemData.voucherUnlocks[v];
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (systemData.voucherCounts) {
|
||||||
|
Utils.getEnumKeys(VoucherType).forEach(key => {
|
||||||
|
const index = VoucherType[key];
|
||||||
|
this.voucherCounts[index] = systemData.voucherCounts[index] || 0;
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
this.eggs = systemData.eggs
|
||||||
|
? systemData.eggs.map(e => e.toEgg())
|
||||||
|
: [];
|
||||||
|
|
||||||
|
this.dexData = Object.assign(this.dexData, systemData.dexData);
|
||||||
|
this.consolidateDexData(this.dexData);
|
||||||
|
this.defaultDexData = null;
|
||||||
|
|
||||||
|
if (initStarterData) {
|
||||||
|
const starterIds = Object.keys(this.starterData).map(s => parseInt(s) as Species);
|
||||||
|
for (let s of starterIds) {
|
||||||
|
this.starterData[s].candyCount += this.dexData[s].caughtCount;
|
||||||
|
this.starterData[s].candyCount += this.dexData[s].hatchedCount * 2;
|
||||||
|
if (this.dexData[s].caughtAttr & DexAttr.SHINY)
|
||||||
|
this.starterData[s].candyCount += 4;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
resolve(true);
|
||||||
|
} catch (err) {
|
||||||
|
console.error(err);
|
||||||
|
resolve(false);
|
||||||
|
}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -474,6 +501,31 @@ export class GameData {
|
|||||||
return dataStr;
|
return dataStr;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public async verify(): Promise<boolean> {
|
||||||
|
if (bypassLogin)
|
||||||
|
return true;
|
||||||
|
|
||||||
|
const response = await Utils.apiPost(`savedata/system/verify`, JSON.stringify({ clientSessionId: clientSessionId }), undefined, true)
|
||||||
|
.then(response => response.json());
|
||||||
|
|
||||||
|
if (!response.valid) {
|
||||||
|
this.scene.clearPhaseQueue();
|
||||||
|
this.scene.unshiftPhase(new ReloadSessionPhase(this.scene, JSON.stringify(response.systemData)));
|
||||||
|
this.clearLocalData();
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
public clearLocalData(): void {
|
||||||
|
if (bypassLogin)
|
||||||
|
return;
|
||||||
|
localStorage.removeItem(`data_${loggedInUser.username}`);
|
||||||
|
for (let s = 0; s < 5; s++)
|
||||||
|
localStorage.removeItem(`sessionData${s ? s : ''}_${loggedInUser.username}`);
|
||||||
|
}
|
||||||
|
|
||||||
public saveSetting(setting: Setting, valueIndex: integer): boolean {
|
public saveSetting(setting: Setting, valueIndex: integer): boolean {
|
||||||
let settings: object = {};
|
let settings: object = {};
|
||||||
if (localStorage.hasOwnProperty('settings'))
|
if (localStorage.hasOwnProperty('settings'))
|
||||||
@ -557,40 +609,6 @@ export class GameData {
|
|||||||
} as SessionSaveData;
|
} as SessionSaveData;
|
||||||
}
|
}
|
||||||
|
|
||||||
saveSession(scene: BattleScene, skipVerification?: boolean): Promise<boolean> {
|
|
||||||
return new Promise<boolean>(resolve => {
|
|
||||||
Utils.executeIf(!skipVerification, updateUserInfo).then(success => {
|
|
||||||
if (success !== null && !success)
|
|
||||||
return resolve(false);
|
|
||||||
|
|
||||||
const sessionData = this.getSessionSaveData(scene);
|
|
||||||
|
|
||||||
if (!bypassLogin) {
|
|
||||||
Utils.apiPost(`savedata/update?datatype=${GameDataType.SESSION}&slot=${scene.sessionSlotId}&trainerId=${this.trainerId}&secretId=${this.secretId}`, JSON.stringify(sessionData), undefined, true)
|
|
||||||
.then(response => response.text())
|
|
||||||
.then(error => {
|
|
||||||
if (error) {
|
|
||||||
if (error.startsWith('session out of date')) {
|
|
||||||
this.scene.clearPhaseQueue();
|
|
||||||
this.scene.unshiftPhase(new ReloadSessionPhase(this.scene));
|
|
||||||
}
|
|
||||||
console.error(error);
|
|
||||||
return resolve(false);
|
|
||||||
}
|
|
||||||
console.debug('Session data saved');
|
|
||||||
resolve(true);
|
|
||||||
});
|
|
||||||
} else {
|
|
||||||
localStorage.setItem(`sessionData${scene.sessionSlotId ? scene.sessionSlotId : ''}`, btoa(JSON.stringify(sessionData)));
|
|
||||||
|
|
||||||
console.debug('Session data saved');
|
|
||||||
|
|
||||||
resolve(true);
|
|
||||||
}
|
|
||||||
});
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
getSession(slotId: integer): Promise<SessionSaveData> {
|
getSession(slotId: integer): Promise<SessionSaveData> {
|
||||||
return new Promise(async (resolve, reject) => {
|
return new Promise(async (resolve, reject) => {
|
||||||
if (slotId < 0)
|
if (slotId < 0)
|
||||||
@ -605,8 +623,8 @@ export class GameData {
|
|||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
if (!bypassLogin) {
|
if (!bypassLogin && !localStorage.getItem(`sessionData${slotId ? slotId : ''}_${loggedInUser.username}`)) {
|
||||||
Utils.apiFetch(`savedata/get?datatype=${GameDataType.SESSION}&slot=${slotId}`, true)
|
Utils.apiFetch(`savedata/session?slot=${slotId}&clientSessionId=${clientSessionId}`, true)
|
||||||
.then(response => response.text())
|
.then(response => response.text())
|
||||||
.then(async response => {
|
.then(async response => {
|
||||||
if (!response.length || response[0] !== '{') {
|
if (!response.length || response[0] !== '{') {
|
||||||
@ -614,12 +632,14 @@ export class GameData {
|
|||||||
return resolve(null);
|
return resolve(null);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
localStorage.setItem(`sessionData${slotId ? slotId : ''}_${loggedInUser.username}`, encrypt(response, bypassLogin));
|
||||||
|
|
||||||
await handleSessionData(response);
|
await handleSessionData(response);
|
||||||
});
|
});
|
||||||
} else {
|
} else {
|
||||||
const sessionData = localStorage.getItem(`sessionData${slotId ? slotId : ''}`);
|
const sessionData = localStorage.getItem(`sessionData${slotId ? slotId : ''}_${loggedInUser.username}`);
|
||||||
if (sessionData)
|
if (sessionData)
|
||||||
await handleSessionData(atob(sessionData));
|
await handleSessionData(decrypt(sessionData, bypassLogin));
|
||||||
else
|
else
|
||||||
return resolve(null);
|
return resolve(null);
|
||||||
}
|
}
|
||||||
@ -640,6 +660,7 @@ export class GameData {
|
|||||||
console.log('Seed:', scene.seed);
|
console.log('Seed:', scene.seed);
|
||||||
|
|
||||||
scene.sessionPlayTime = sessionData.playTime || 0;
|
scene.sessionPlayTime = sessionData.playTime || 0;
|
||||||
|
scene.lastSavePlayTime = 0;
|
||||||
|
|
||||||
const loadPokemonAssets: Promise<void>[] = [];
|
const loadPokemonAssets: Promise<void>[] = [];
|
||||||
|
|
||||||
@ -731,16 +752,17 @@ export class GameData {
|
|||||||
deleteSession(slotId: integer): Promise<boolean> {
|
deleteSession(slotId: integer): Promise<boolean> {
|
||||||
return new Promise<boolean>(resolve => {
|
return new Promise<boolean>(resolve => {
|
||||||
if (bypassLogin) {
|
if (bypassLogin) {
|
||||||
localStorage.removeItem('sessionData');
|
localStorage.removeItem(`sessionData${this.scene.sessionSlotId ? this.scene.sessionSlotId : ''}_${loggedInUser.username}`);
|
||||||
return resolve(true);
|
return resolve(true);
|
||||||
}
|
}
|
||||||
|
|
||||||
updateUserInfo().then(success => {
|
updateUserInfo().then(success => {
|
||||||
if (success !== null && !success)
|
if (success !== null && !success)
|
||||||
return resolve(false);
|
return resolve(false);
|
||||||
Utils.apiFetch(`savedata/delete?datatype=${GameDataType.SESSION}&slot=${slotId}`, true).then(response => {
|
Utils.apiFetch(`savedata/delete?datatype=${GameDataType.SESSION}&slot=${slotId}&clientSessionId=${clientSessionId}`, true).then(response => {
|
||||||
if (response.ok) {
|
if (response.ok) {
|
||||||
loggedInUser.lastSessionSlot = -1;
|
loggedInUser.lastSessionSlot = -1;
|
||||||
|
localStorage.removeItem(`sessionData${this.scene.sessionSlotId ? this.scene.sessionSlotId : ''}_${loggedInUser.username}`);
|
||||||
resolve(true);
|
resolve(true);
|
||||||
}
|
}
|
||||||
return response.text();
|
return response.text();
|
||||||
@ -759,10 +781,40 @@ export class GameData {
|
|||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/* Defines a localStorage item 'daily' to check on clears, offline implementation of savedata/newclear API
|
||||||
|
If a GameModes clear other than Daily is checked, newClear = true as usual
|
||||||
|
If a Daily mode is cleared, checks if it was already cleared before, based on seed, and returns true only to new daily clear runs */
|
||||||
|
offlineNewClear(scene: BattleScene): Promise<boolean> {
|
||||||
|
return new Promise<boolean>(resolve => {
|
||||||
|
const sessionData = this.getSessionSaveData(scene);
|
||||||
|
const seed = sessionData.seed;
|
||||||
|
let daily: string[] = [];
|
||||||
|
|
||||||
|
if (sessionData.gameMode == GameModes.DAILY) {
|
||||||
|
if (localStorage.hasOwnProperty('daily')) {
|
||||||
|
daily = JSON.parse(atob(localStorage.getItem('daily')));
|
||||||
|
if (daily.includes(seed)) {
|
||||||
|
return resolve(false);
|
||||||
|
} else {
|
||||||
|
daily.push(seed);
|
||||||
|
localStorage.setItem('daily', btoa(JSON.stringify(daily)));
|
||||||
|
return resolve(true);
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
daily.push(seed);
|
||||||
|
localStorage.setItem('daily', btoa(JSON.stringify(daily)));
|
||||||
|
return resolve(true);
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
return resolve(true);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
tryClearSession(scene: BattleScene, slotId: integer): Promise<[success: boolean, newClear: boolean]> {
|
tryClearSession(scene: BattleScene, slotId: integer): Promise<[success: boolean, newClear: boolean]> {
|
||||||
return new Promise<[boolean, boolean]>(resolve => {
|
return new Promise<[boolean, boolean]>(resolve => {
|
||||||
if (bypassLogin) {
|
if (bypassLogin) {
|
||||||
localStorage.removeItem(`sessionData${slotId ? slotId : ''}`);
|
localStorage.removeItem(`sessionData${slotId ? slotId : ''}_${loggedInUser.username}`);
|
||||||
return resolve([true, true]);
|
return resolve([true, true]);
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -770,9 +822,11 @@ export class GameData {
|
|||||||
if (success !== null && !success)
|
if (success !== null && !success)
|
||||||
return resolve([false, false]);
|
return resolve([false, false]);
|
||||||
const sessionData = this.getSessionSaveData(scene);
|
const sessionData = this.getSessionSaveData(scene);
|
||||||
Utils.apiPost(`savedata/clear?slot=${slotId}&trainerId=${this.trainerId}&secretId=${this.secretId}`, JSON.stringify(sessionData), undefined, true).then(response => {
|
Utils.apiPost(`savedata/clear?slot=${slotId}&trainerId=${this.trainerId}&secretId=${this.secretId}&clientSessionId=${clientSessionId}`, JSON.stringify(sessionData), undefined, true).then(response => {
|
||||||
if (response.ok)
|
if (response.ok) {
|
||||||
loggedInUser.lastSessionSlot = -1;
|
loggedInUser.lastSessionSlot = -1;
|
||||||
|
localStorage.removeItem(`sessionData${this.scene.sessionSlotId ? this.scene.sessionSlotId : ''}_${loggedInUser.username}`);
|
||||||
|
}
|
||||||
return response.json();
|
return response.json();
|
||||||
}).then(jsonResponse => {
|
}).then(jsonResponse => {
|
||||||
if (!jsonResponse.error)
|
if (!jsonResponse.error)
|
||||||
@ -825,29 +879,39 @@ export class GameData {
|
|||||||
}) as SessionSaveData;
|
}) as SessionSaveData;
|
||||||
}
|
}
|
||||||
|
|
||||||
saveAll(scene: BattleScene, skipVerification?: boolean): Promise<boolean> {
|
saveAll(scene: BattleScene, skipVerification: boolean = false, sync: boolean = false, useCachedSession: boolean = false, useCachedSystem: boolean = false): Promise<boolean> {
|
||||||
return new Promise<boolean>(resolve => {
|
return new Promise<boolean>(resolve => {
|
||||||
Utils.executeIf(!skipVerification, updateUserInfo).then(success => {
|
Utils.executeIf(!skipVerification, updateUserInfo).then(success => {
|
||||||
if (success !== null && !success)
|
if (success !== null && !success)
|
||||||
return resolve(false);
|
return resolve(false);
|
||||||
this.scene.ui.savingIcon.show();
|
if (sync)
|
||||||
const data = this.getSystemSaveData();
|
this.scene.ui.savingIcon.show();
|
||||||
const sessionData = this.getSessionSaveData(scene);
|
const sessionData = useCachedSession ? this.parseSessionData(decrypt(localStorage.getItem(`sessionData${scene.sessionSlotId ? scene.sessionSlotId : ''}_${loggedInUser.username}`), bypassLogin)) : this.getSessionSaveData(scene);
|
||||||
|
|
||||||
const maxIntAttrValue = Math.pow(2, 31);
|
const maxIntAttrValue = Math.pow(2, 31);
|
||||||
const systemData = this.getSystemSaveData();
|
const systemData = useCachedSystem ? this.parseSystemData(decrypt(localStorage.getItem(`data_${loggedInUser.username}`), bypassLogin)) : this.getSystemSaveData();
|
||||||
|
|
||||||
const request = {
|
const request = {
|
||||||
system: systemData,
|
system: systemData,
|
||||||
session: sessionData,
|
session: sessionData,
|
||||||
sessionSlotId: scene.sessionSlotId
|
sessionSlotId: scene.sessionSlotId,
|
||||||
|
clientSessionId: clientSessionId
|
||||||
};
|
};
|
||||||
|
|
||||||
if (!bypassLogin) {
|
localStorage.setItem(`data_${loggedInUser.username}`, encrypt(JSON.stringify(systemData, (k: any, v: any) => typeof v === 'bigint' ? v <= maxIntAttrValue ? Number(v) : v.toString() : v), bypassLogin));
|
||||||
|
|
||||||
|
localStorage.setItem(`sessionData${scene.sessionSlotId ? scene.sessionSlotId : ''}_${loggedInUser.username}`, encrypt(JSON.stringify(sessionData), bypassLogin));
|
||||||
|
|
||||||
|
console.debug('Session data saved');
|
||||||
|
|
||||||
|
if (!bypassLogin && sync) {
|
||||||
Utils.apiPost('savedata/updateall', JSON.stringify(request, (k: any, v: any) => typeof v === 'bigint' ? v <= maxIntAttrValue ? Number(v) : v.toString() : v), undefined, true)
|
Utils.apiPost('savedata/updateall', JSON.stringify(request, (k: any, v: any) => typeof v === 'bigint' ? v <= maxIntAttrValue ? Number(v) : v.toString() : v), undefined, true)
|
||||||
.then(response => response.text())
|
.then(response => response.text())
|
||||||
.then(error => {
|
.then(error => {
|
||||||
this.scene.ui.savingIcon.hide();
|
if (sync) {
|
||||||
|
this.scene.lastSavePlayTime = 0;
|
||||||
|
this.scene.ui.savingIcon.hide();
|
||||||
|
}
|
||||||
if (error) {
|
if (error) {
|
||||||
if (error.startsWith('client version out of date')) {
|
if (error.startsWith('client version out of date')) {
|
||||||
this.scene.clearPhaseQueue();
|
this.scene.clearPhaseQueue();
|
||||||
@ -862,17 +926,10 @@ export class GameData {
|
|||||||
resolve(true);
|
resolve(true);
|
||||||
});
|
});
|
||||||
} else {
|
} else {
|
||||||
localStorage.setItem('data_bak', localStorage.getItem('data'));
|
this.verify().then(success => {
|
||||||
|
this.scene.ui.savingIcon.hide();
|
||||||
localStorage.setItem('data', btoa(JSON.stringify(systemData, (k: any, v: any) => typeof v === 'bigint' ? v <= maxIntAttrValue ? Number(v) : v.toString() : v)));
|
resolve(success);
|
||||||
|
});
|
||||||
localStorage.setItem(`sessionData${scene.sessionSlotId ? scene.sessionSlotId : ''}`, btoa(JSON.stringify(sessionData)));
|
|
||||||
|
|
||||||
console.debug('Session data saved');
|
|
||||||
|
|
||||||
this.scene.ui.savingIcon.hide();
|
|
||||||
|
|
||||||
resolve(true);
|
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
@ -880,7 +937,7 @@ export class GameData {
|
|||||||
|
|
||||||
public tryExportData(dataType: GameDataType, slotId: integer = 0): Promise<boolean> {
|
public tryExportData(dataType: GameDataType, slotId: integer = 0): Promise<boolean> {
|
||||||
return new Promise<boolean>(resolve => {
|
return new Promise<boolean>(resolve => {
|
||||||
const dataKey: string = getDataTypeKey(dataType, slotId);
|
const dataKey: string = `${getDataTypeKey(dataType, slotId)}_${loggedInUser.username}`;
|
||||||
const handleData = (dataStr: string) => {
|
const handleData = (dataStr: string) => {
|
||||||
switch (dataType) {
|
switch (dataType) {
|
||||||
case GameDataType.SYSTEM:
|
case GameDataType.SYSTEM:
|
||||||
@ -896,7 +953,7 @@ export class GameData {
|
|||||||
link.remove();
|
link.remove();
|
||||||
};
|
};
|
||||||
if (!bypassLogin && dataType < GameDataType.SETTINGS) {
|
if (!bypassLogin && dataType < GameDataType.SETTINGS) {
|
||||||
Utils.apiFetch(`savedata/get?datatype=${dataType}${dataType === GameDataType.SESSION ? `&slot=${slotId}` : ''}`, true)
|
Utils.apiFetch(`savedata/${dataType === GameDataType.SYSTEM ? 'system' : 'session'}?clientSessionId=${clientSessionId}${dataType === GameDataType.SESSION ? `&slot=${slotId}` : ''}`, true)
|
||||||
.then(response => response.text())
|
.then(response => response.text())
|
||||||
.then(response => {
|
.then(response => {
|
||||||
if (!response.length || response[0] !== '{') {
|
if (!response.length || response[0] !== '{') {
|
||||||
@ -911,14 +968,14 @@ export class GameData {
|
|||||||
} else {
|
} else {
|
||||||
const data = localStorage.getItem(dataKey);
|
const data = localStorage.getItem(dataKey);
|
||||||
if (data)
|
if (data)
|
||||||
handleData(atob(data));
|
handleData(decrypt(data, bypassLogin));
|
||||||
resolve(!!data);
|
resolve(!!data);
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
public importData(dataType: GameDataType, slotId: integer = 0): void {
|
public importData(dataType: GameDataType, slotId: integer = 0): void {
|
||||||
const dataKey = getDataTypeKey(dataType, slotId);
|
const dataKey = `${getDataTypeKey(dataType, slotId)}_${loggedInUser.username}`;
|
||||||
|
|
||||||
let saveFile: any = document.getElementById('saveFile');
|
let saveFile: any = document.getElementById('saveFile');
|
||||||
if (saveFile)
|
if (saveFile)
|
||||||
@ -979,11 +1036,13 @@ export class GameData {
|
|||||||
return this.scene.ui.showText(`Your ${dataName} data could not be loaded. It may be corrupted.`, null, () => this.scene.ui.showText(null, 0), Utils.fixedInt(1500));
|
return this.scene.ui.showText(`Your ${dataName} data could not be loaded. It may be corrupted.`, null, () => this.scene.ui.showText(null, 0), Utils.fixedInt(1500));
|
||||||
this.scene.ui.showText(`Your ${dataName} data will be overridden and the page will reload. Proceed?`, null, () => {
|
this.scene.ui.showText(`Your ${dataName} data will be overridden and the page will reload. Proceed?`, null, () => {
|
||||||
this.scene.ui.setOverlayMode(Mode.CONFIRM, () => {
|
this.scene.ui.setOverlayMode(Mode.CONFIRM, () => {
|
||||||
|
localStorage.setItem(dataKey, encrypt(dataStr, bypassLogin));
|
||||||
|
|
||||||
if (!bypassLogin && dataType < GameDataType.SETTINGS) {
|
if (!bypassLogin && dataType < GameDataType.SETTINGS) {
|
||||||
updateUserInfo().then(success => {
|
updateUserInfo().then(success => {
|
||||||
if (!success)
|
if (!success)
|
||||||
return displayError(`Could not contact the server. Your ${dataName} data could not be imported.`);
|
return displayError(`Could not contact the server. Your ${dataName} data could not be imported.`);
|
||||||
Utils.apiPost(`savedata/update?datatype=${dataType}${dataType === GameDataType.SESSION ? `&slot=${slotId}` : ''}&trainerId=${this.trainerId}&secretId=${this.secretId}`, dataStr, undefined, true)
|
Utils.apiPost(`savedata/update?datatype=${dataType}${dataType === GameDataType.SESSION ? `&slot=${slotId}` : ''}&trainerId=${this.trainerId}&secretId=${this.secretId}&clientSessionId=${clientSessionId}`, dataStr, undefined, true)
|
||||||
.then(response => response.text())
|
.then(response => response.text())
|
||||||
.then(error => {
|
.then(error => {
|
||||||
if (error) {
|
if (error) {
|
||||||
@ -993,10 +1052,8 @@ export class GameData {
|
|||||||
window.location = window.location;
|
window.location = window.location;
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
} else {
|
} else
|
||||||
localStorage.setItem(dataKey, btoa(dataStr));
|
|
||||||
window.location = window.location;
|
window.location = window.location;
|
||||||
}
|
|
||||||
}, () => {
|
}, () => {
|
||||||
this.scene.ui.revertMode();
|
this.scene.ui.revertMode();
|
||||||
this.scene.ui.showText(null, 0);
|
this.scene.ui.showText(null, 0);
|
||||||
|
@ -206,19 +206,20 @@ export function setSetting(scene: BattleScene, setting: Setting, value: integer)
|
|||||||
label: 'Deutsch',
|
label: 'Deutsch',
|
||||||
handler: () => changeLocaleHandler('de')
|
handler: () => changeLocaleHandler('de')
|
||||||
},
|
},
|
||||||
{
|
|
||||||
label: '简体中文',
|
|
||||||
handler: () => changeLocaleHandler('zh_CN')
|
|
||||||
},
|
|
||||||
{
|
{
|
||||||
label: 'Português (BR)',
|
label: 'Português (BR)',
|
||||||
handler: () => changeLocaleHandler('pt_BR')
|
handler: () => changeLocaleHandler('pt_BR')
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
label: '简体中文',
|
||||||
|
handler: () => changeLocaleHandler('zh_CN')
|
||||||
|
},
|
||||||
{
|
{
|
||||||
label: 'Cancel',
|
label: 'Cancel',
|
||||||
handler: () => cancelHandler()
|
handler: () => cancelHandler()
|
||||||
}
|
}
|
||||||
]
|
],
|
||||||
|
maxOptions: 7
|
||||||
});
|
});
|
||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
|
@ -392,7 +392,7 @@ export default class EggGachaUiHandler extends MessageUiHandler {
|
|||||||
this.scene.gameData.gameStats.eggsPulled++;
|
this.scene.gameData.gameStats.eggsPulled++;
|
||||||
}
|
}
|
||||||
|
|
||||||
this.scene.gameData.saveSystem().then(success => {
|
(this.scene.currentBattle ? this.scene.gameData.saveAll(this.scene, true, true, true) : this.scene.gameData.saveSystem()).then(success => {
|
||||||
if (!success)
|
if (!success)
|
||||||
return this.scene.reset(true);
|
return this.scene.reset(true);
|
||||||
doPull();
|
doPull();
|
||||||
|
@ -20,7 +20,7 @@ export enum MenuOptions {
|
|||||||
EGG_GACHA,
|
EGG_GACHA,
|
||||||
MANAGE_DATA,
|
MANAGE_DATA,
|
||||||
COMMUNITY,
|
COMMUNITY,
|
||||||
RETURN_TO_TITLE,
|
SAVE_AND_QUIT,
|
||||||
LOG_OUT
|
LOG_OUT
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -297,15 +297,18 @@ export default class MenuUiHandler extends MessageUiHandler {
|
|||||||
ui.setOverlayMode(Mode.MENU_OPTION_SELECT, this.communityConfig);
|
ui.setOverlayMode(Mode.MENU_OPTION_SELECT, this.communityConfig);
|
||||||
success = true;
|
success = true;
|
||||||
break;
|
break;
|
||||||
case MenuOptions.RETURN_TO_TITLE:
|
case MenuOptions.SAVE_AND_QUIT:
|
||||||
if (this.scene.currentBattle) {
|
if (this.scene.currentBattle) {
|
||||||
success = true;
|
success = true;
|
||||||
ui.showText(i18next.t("menuUiHandler:losingProgressionWarning"), null, () => {
|
if (this.scene.currentBattle.turn > 1) {
|
||||||
ui.setOverlayMode(Mode.CONFIRM, () => this.scene.reset(true), () => {
|
ui.showText(i18next.t("menuUiHandler:losingProgressionWarning"), null, () => {
|
||||||
ui.revertMode();
|
ui.setOverlayMode(Mode.CONFIRM, () => this.scene.gameData.saveAll(this.scene, true, true, true, true).then(() => this.scene.reset(true)), () => {
|
||||||
ui.showText(null, 0);
|
ui.revertMode();
|
||||||
}, false, -98);
|
ui.showText(null, 0);
|
||||||
});
|
}, false, -98);
|
||||||
|
});
|
||||||
|
} else
|
||||||
|
this.scene.gameData.saveAll(this.scene, true, true, true, true).then(() => this.scene.reset(true));
|
||||||
} else
|
} else
|
||||||
error = true;
|
error = true;
|
||||||
break;
|
break;
|
||||||
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue
Block a user