Convert.ToString
数値を指定された基数内の対応する文字列表現に変換するために使用できます。
例:
string binary = Convert.ToString(5, 2); // convert 5 to its binary representation
Console.WriteLine(binary); // prints 101
ただし、コメントで指摘されているようにConvert.ToString
、次の限定された-通常は十分な-塩基のセットのみをサポートします:2、8、10、または16。
更新(任意のベースに変換する要件を満たすため):
数値を任意の基数に変換できるBCLのメソッドは知らないので、独自の小さなユーティリティ関数を作成する必要があります。単純なサンプルは次のようになります(これは文字列の連結を置き換えることで確実に高速化できることに注意してください)。
class Program
{
static void Main(string[] args)
{
// convert to binary
string binary = IntToString(42, new char[] { '0', '1' });
// 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'});
// convert to hexavigesimal (base 26, A-Z)
string hexavigesimal = IntToString(42,
Enumerable.Range('A', 26).Select(x => (char)x).ToArray());
// convert to sexagesimal
string xx = IntToString(42,
new char[] { '0','1','2','3','4','5','6','7','8','9',
'A','B','C','D','E','F','G','H','I','J','K','L','M','N','O','P','Q','R','S','T','U','V','W','X','Y','Z',
'a','b','c','d','e','f','g','h','i','j','k','l','m','n','o','p','q','r','s','t','u','v','w','x'});
}
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;
}
/// <summary>
/// An optimized method using an array as buffer instead of
/// string concatenation. This is faster for return values having
/// a length > 1.
/// </summary>
public static string IntToStringFast(int value, char[] baseChars)
{
// 32 is the worst cast buffer size for base 2 and int.MaxValue
int i = 32;
char[] buffer = new char[i];
int targetBase= baseChars.Length;
do
{
buffer[--i] = baseChars[value % targetBase];
value = value / targetBase;
}
while (value > 0);
char[] result = new char[32 - i];
Array.Copy(buffer, i, result, 0, 32 - i);
return new string(result);
}
}
Update 2(パフォーマンスの向上)
文字列連結の代わりに配列バッファを使用して結果の文字列を作成すると、特に多数の場合にパフォーマンスが向上します(メソッドを参照IntToStringFast
)。最良の場合(つまり、可能な限り最長の入力)、この方法は約3倍高速です。ただし、1桁の数値(つまり、ターゲットベースの1桁)のIntToString
方が高速です。