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);
}
}
업데이트 2 (성능 개선)
문자열 연결 대신 배열 버퍼를 사용하여 결과 문자열을 작성하면 특히 많은 수에서 성능이 향상됩니다 (method 참조 IntToStringFast
). 가장 좋은 경우 (즉, 가능한 가장 긴 입력)이 방법은 대략 3 배 더 빠릅니다. 그러나 1 자리 숫자 (즉, 대상 기준의 1 자리 숫자)의 IntToString
경우 더 빠릅니다.