我正在尝试将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但是没关系....)
那么,如何将base 3转换为base 10? (他们为什么不给出选项呢?......)
答案 0 :(得分:4)
从此link
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 :(得分:0)
这应该适用于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;
}
答案 2 :(得分:0)
.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;
}