Convert.ToInt32 仅支持 4 个碱基
本文关键字:支持 ToInt32 Convert | 更新日期: 2023-09-27 18:33:50
我正在尝试将12122
(基数 3)转换为int
值,
但是我在反射器中看到 - 支持的底座是 2,8,10,16
public static int ToInt32(string value, int fromBase)
{
if (((fromBase != 2) && (fromBase != 8)) && ((fromBase != 10) && (fromBase != 0x10)))
{
throw new ArgumentException(Environment.GetResourceString("Arg_InvalidBase"));
}
return ParseNumbers.StringToInt(value, fromBase, 0x1000);
}
(我认为他们在 2-8 之间错过了 4 个,但没关系......
那么,如何将基数 3 转换为基数 10?(他们为什么不给出选项?...)
从这个链接
public static string IntToString(int value, char[] baseChars)
{
string result = string.Empty;
int targetBase = baseChars.Length;
do
{
result = baseChars[value % targetBase] + result;
value = value / targetBase;
}
while (value > 0);
return result;
}
像下面这样使用
string binary = IntToString(42, new char[] { '0', '1' });
string base3 = IntToString(42, new char[] { '0', '1', '2' });
// convert to hexadecimal
string hex = IntToString(42,
new char[] { '0', '1', '2', '3', '4', '5', '6', '7', '8', '9',
'A', 'B', 'C', 'D', 'E', 'F'});
这应该适用于 1 到 9 之间的基数和正数和 int 范围...
如有必要,还可以添加一些验证
int ConvertToInt(int number, int fromBase)
{
// Perform validations if necessary
double result = 0;
int digitIndex = 0;
while (number > 0)
{
result += (number % 10) * Math.Pow(fromBase, digitIndex);
digitIndex++;
number /= 10;
}
return (int)result;
}
.NET 中没有任何内容。
你可以使用它(未经测试)
static int ParseIntBase3(string s)
{
int res = 0;
for (int i = 0; i < s.Length; i++)
{
res = 3 * res + s[i] - '0';
}
return res;
}