PKHeX/PKHeX.Core/Util/Util.cs
Kurt cda06bc701 Increase custom parse speed
remove double string replace (now less allocations); only add up values
if they're valid numbers.

builtin int.Parse throws with "1 2", but users can type stupid stuff
like that in the program (so we parse as 12).
2019-02-08 18:29:26 -08:00

100 lines
3.4 KiB
C#

using System.Linq;
namespace PKHeX.Core
{
public static partial class Util
{
/// <summary>
/// Parses the string into an <see cref="int"/>, skipping all characters except for valid digits.
/// </summary>
/// <param name="value">String to parse</param>
/// <returns>Parsed value</returns>
public static int ToInt32(string value)
{
int result = 0;
if (string.IsNullOrEmpty(value))
return result;
for (int i = 0; i < value.Length; i++)
{
var c = value[i];
if (IsNum(c))
{
result *= 10;
result += c;
result -= '0';
}
else if (c == '-')
{
result = -result;
}
}
return result;
}
/// <summary>
/// Parses the string into a <see cref="uint"/>, skipping all characters except for valid digits.
/// </summary>
/// <param name="value">String to parse</param>
/// <returns>Parsed value</returns>
public static uint ToUInt32(string value)
{
uint result = 0;
if (string.IsNullOrEmpty(value))
return result;
for (int i = 0; i < value.Length; i++)
{
var c = value[i];
if (IsNum(c))
{
result *= 10;
result += c;
result -= '0';
}
}
return result;
}
/// <summary>
/// Parses the hex string into a <see cref="uint"/>, skipping all characters except for valid digits.
/// </summary>
/// <param name="value">Hex String to parse</param>
/// <returns>Parsed value</returns>
public static uint GetHexValue(string value)
{
uint result = 0;
if (string.IsNullOrEmpty(value))
return result;
for (int i = 0; i < value.Length; i++)
{
var c = value[i];
if (IsHex(c))
{
result <<= 4;
result += c;
result -= '0';
}
}
return result;
}
private static bool IsNum(char c) => c >= '0' && c <= '9';
private static bool IsHex(char c) => IsNum(c) || IsHexChar(c);
private static bool IsHexChar(char c) => (c >= 'A' && c <= 'F') || (c >= 'a' && c <= 'f');
private static string TitleCase(string word) => char.ToUpper(word[0]) + word.Substring(1, word.Length - 1).ToLower();
/// <summary>
/// Filters the string down to only valid hex characters, returning a new string.
/// </summary>
/// <param name="str">Input string to filter</param>
public static string GetOnlyHex(string str) => string.IsNullOrWhiteSpace(str) ? string.Empty : string.Concat(str.Where(IsHex));
/// <summary>
/// Returns a new string with each word converted to its appropriate title case.
/// </summary>
/// <param name="str">Input string to modify</param>
public static string ToTitleCase(string str) => string.IsNullOrWhiteSpace(str) ? string.Empty : string.Join(" ", str.Split(' ').Select(TitleCase));
}
}