[c#] Guid.Parse () 또는 new Guid ()-차이점은 무엇입니까?

문자열을 변환하는이 두 가지 방법의 차이점은 무엇입니까 System.Guid? 하나를 선택해야하는 이유가 있습니까?

var myguid = Guid.Parse("9546482E-887A-4CAB-A403-AD9C326FFDA5");

또는

var myguid = new Guid("9546482E-887A-4CAB-A403-AD9C326FFDA5");



답변

Reflector를 빠르게 살펴보면 둘 다 거의 동일하다는 것을 알 수 있습니다.

public Guid(string g)
{
    if (g == null)
    {
       throw new ArgumentNullException("g");
    }
    this = Empty;
    GuidResult result = new GuidResult();
    result.Init(GuidParseThrowStyle.All);
    if (!TryParseGuid(g, GuidStyles.Any, ref result))
    {
        throw result.GetGuidParseException();
    }
    this = result.parsedGuid;
}

public static Guid Parse(string input)
{
    if (input == null)
    {
        throw new ArgumentNullException("input");
    }
    GuidResult result = new GuidResult();
    result.Init(GuidParseThrowStyle.AllButOverflow);
    if (!TryParseGuid(input, GuidStyles.Any, ref result))
    {
        throw result.GetGuidParseException();
    }
    return result.parsedGuid;
}


답변

가장 읽기 쉬운 버전을 사용하십시오. 둘은 거의 동일한 방식으로 구현됩니다.

유일한 실제 차이점은 생성자 Guid.Empty가 구문 분석을 시도 하기 전에 자체적으로 초기화된다는 것 입니다. 그러나 효과적인 코드는 동일합니다.

즉, Guid사용자 입력에서 오는 Guid.TryParse경우 두 옵션보다 낫습니다. 이것이 Guid하드 코딩되고 항상 유효한 경우 위의 두 가지 중 하나가 완벽하게 합리적인 옵션입니다.


답변

1 백만 개의 guid와 Guid에서 성능을 시도했습니다 .Parse는 상당히 빠른 것 같습니다. 내 PC에서 총 생성 시간이 800 밀리 초라는 10-20 밀리 초 차이를 만들었습니다.

public class Program
{
    public static void Main()
    {
        const int iterations = 1000 * 1000;
        const string input = "63559BC0-1FEF-4158-968E-AE4B94974F8E";

        var sw = Stopwatch.StartNew();
        for (var i = 0; i < iterations; i++)
        {
            new Guid(input);
        }
        sw.Stop();

        Console.WriteLine("new Guid(): {0} ms", sw.ElapsedMilliseconds);

        sw = Stopwatch.StartNew();
        for (var i = 0; i < iterations; i++)
        {
            Guid.Parse(input);
        }
        sw.Stop();

        Console.WriteLine("Guid.Parse(): {0} ms", sw.ElapsedMilliseconds);
    }
}

그리고 출력 :

새로운 Guid () : 804ms

Guid. Parse () : 791ms


답변

나는 함께 갈 것이다 TryParse. 예외가 발생하지 않습니다.


답변

.Net 프레임 워크에서 v1.1은 한 가지 방법으로 만 존재합니다.-> var myguid = new Guid ( “9546482E-887A-4CAB-A403-AD9C326FFDA5”);

Guid.Parse는 나중에 사용할 수있게되었습니다.


답변