String.Format은 StringBuilder
내부적으로 사용 하기 때문에 논리적으로 더 많은 오버 헤드로 인해 성능이 약간 떨어질 수 있습니다. 그러나 간단한 문자열 연결은 두 문자열 사이에 하나의 문자열을 주입하는 가장 빠른 방법입니다 ... 이 증거는 몇 년 전 그의 첫 번째 성능 퀴즈에서 Rico Mariani에 의해 입증되었습니다. 간단한 사실은 연결 부분입니다 ... 제한없이 문자열 부분의 수를 알 때 (제한없이 .1000 개의 부분을 연결할 수 있습니다 ... 항상 1000 부분을 아는 한) ... 항상 StringBuilder
또는 문자열 보다 빠릅니다 . 체재. 단일 메모리 할당으로 일련의 메모리 사본을 수행 할 수 있습니다. 여기 증거가 있습니다
다음은 String.Concat 메소드의 실제 코드입니다. 궁극적으로 FillStringChecked를 호출하여 포인터를 사용하여 메모리를 복사합니다 (Reflector를 통해 추출).
public static string Concat(params string[] values)
{
int totalLength = 0;
if (values == null)
{
throw new ArgumentNullException("values");
}
string[] strArray = new string[values.Length];
for (int i = 0; i < values.Length; i++)
{
string str = values[i];
strArray[i] = (str == null) ? Empty : str;
totalLength += strArray[i].Length;
if (totalLength < 0)
{
throw new OutOfMemoryException();
}
}
return ConcatArray(strArray, totalLength);
}
public static string Concat(string str0, string str1, string str2, string str3)
{
if (((str0 == null) && (str1 == null)) && ((str2 == null) && (str3 == null)))
{
return Empty;
}
if (str0 == null)
{
str0 = Empty;
}
if (str1 == null)
{
str1 = Empty;
}
if (str2 == null)
{
str2 = Empty;
}
if (str3 == null)
{
str3 = Empty;
}
int length = ((str0.Length + str1.Length) + str2.Length) + str3.Length;
string dest = FastAllocateString(length);
FillStringChecked(dest, 0, str0);
FillStringChecked(dest, str0.Length, str1);
FillStringChecked(dest, str0.Length + str1.Length, str2);
FillStringChecked(dest, (str0.Length + str1.Length) + str2.Length, str3);
return dest;
}
private static string ConcatArray(string[] values, int totalLength)
{
string dest = FastAllocateString(totalLength);
int destPos = 0;
for (int i = 0; i < values.Length; i++)
{
FillStringChecked(dest, destPos, values[i]);
destPos += values[i].Length;
}
return dest;
}
private static unsafe void FillStringChecked(string dest, int destPos, string src)
{
int length = src.Length;
if (length > (dest.Length - destPos))
{
throw new IndexOutOfRangeException();
}
fixed (char* chRef = &dest.m_firstChar)
{
fixed (char* chRef2 = &src.m_firstChar)
{
wstrcpy(chRef + destPos, chRef2, length);
}
}
}
그럼:
string what = "cat";
string inthehat = "The " + what + " in the hat!";
즐겨!