using System;
using System.Collections.Generic;
namespace PKHeX.Core
{
public abstract class Learnset
{
protected int Count;
protected int[] Moves;
protected int[] Levels;
///
/// Returns the moves a Pokémon can learn between the specified level range.
///
/// Maximum level
/// Minimum level
/// Array of Move IDs
public int[] GetMoves(int maxLevel, int minLevel = 0)
{
if (minLevel <= 1 && maxLevel >= 100)
return Moves;
if (minLevel > maxLevel)
return new int[0];
int start = Array.FindIndex(Levels, z => z >= minLevel);
if (start < 0)
return new int[0];
int end = Array.FindLastIndex(Levels, z => z <= maxLevel);
if (end < 0)
return new int[0];
int[] result = new int[end - start + 1];
Array.Copy(Moves, start, result, 0, result.Length);
return result;
}
/// Returns the moves a Pokémon would have if it were encountered at the specified level.
/// In Generation 1, it is not possible to learn any moves lower than these encounter moves.
/// The level the Pokémon was encountered at.
/// Array of Move IDs
public int[] GetEncounterMoves(int level)
{
const int count = 4;
IList moves = new int[count];
int ctr = 0;
for (int i = 0; i < Moves.Length; i++)
{
if (Levels[i] > level)
break;
int move = Moves[i];
if (moves.Contains(move))
continue;
moves[ctr++] = move;
ctr &= 3;
}
return (int[])moves;
}
/// Returns the index of the lowest level move if the Pokémon were encountered at the specified level.
/// Helps determine the minimum level an encounter can be at.
/// The level the Pokémon was encountered at.
/// Array of Move IDs
public int GetMinMoveLevel(int level)
{
if (Levels.Length == 0)
return 1;
int end = Array.FindLastIndex(Levels, z => z <= level);
return Math.Max(end - 4, 1);
}
/// Returns the level that a Pokémon can learn the specified move.
/// Move ID
/// Level the move is learned at. If the result is below 0, it cannot be learned by levelup.
public int GetLevelLearnMove(int move)
{
int index = Array.IndexOf(Moves, move);
return index < 0 ? index : Levels[index];
}
}
}