[C#] 코드 실행 시간 측정

테스트 목적으로 절차 / 기능 / 주문이 완료되는 데 걸리는 시간을 알고 싶습니다.

이것은 내가 한 일이지만 초 차이가 0이면 경과 된 밀리 초를 반환 할 수 없기 때문에 내 방법이 잘못되었습니다.

절전 값이 500ms이므로 경과 된 초가 0이면 밀리 초를 반환 할 수 없습니다.

    Dim Execution_Start As System.DateTime = System.DateTime.Now
    Threading.Thread.Sleep(500)

    Dim Execution_End As System.DateTime = System.DateTime.Now
    MsgBox(String.Format("H:{0} M:{1} S:{2} MS:{3}", _
    DateDiff(DateInterval.Hour, Execution_Start, Execution_End), _
    DateDiff(DateInterval.Minute, Execution_Start, Execution_End), _
    DateDiff(DateInterval.Second, Execution_Start, Execution_End), _
    DateDiff(DateInterval.Second, Execution_Start, Execution_End) * 60))

누군가가 더 나은 방법을 보여줄 수 있습니까? 어쩌면 TimeSpan?

해결책:

Dim Execution_Start As New Stopwatch
Execution_Start.Start()

Threading.Thread.Sleep(500)

MessageBox.Show("H:" & Execution_Start.Elapsed.Hours & vbNewLine & _
       "M:" & Execution_Start.Elapsed.Minutes & vbNewLine & _
       "S:" & Execution_Start.Elapsed.Seconds & vbNewLine & _
       "MS:" & Execution_Start.Elapsed.Milliseconds & vbNewLine, _
       "Code execution time", MessageBoxButtons.OK, MessageBoxIcon.Information)



답변

더 나은 방법은 차이점 대신 Stopwatch 를 사용하는 것 DateTime입니다.

스톱워치 클래스-Microsoft Docs

경과 시간을 정확하게 측정하는 데 사용할 수있는 메서드 및 속성 집합을 제공합니다.

Stopwatch stopwatch = Stopwatch.StartNew(); //creates and start the instance of Stopwatch
//your sample code
System.Threading.Thread.Sleep(500);
stopwatch.Stop();
Console.WriteLine(stopwatch.ElapsedMilliseconds);


답변

Stopwatch 경과 시간을 측정합니다.

// Create new stopwatch
Stopwatch stopwatch = new Stopwatch();

// Begin timing
stopwatch.Start();

Threading.Thread.Sleep(500)

// Stop timing
stopwatch.Stop();

Console.WriteLine("Time elapsed: {0}", stopwatch.Elapsed);

다음은 DEMO.


답변

이 스톱워치 래퍼를 사용할 수 있습니다.

public class Benchmark : IDisposable
{
    private readonly Stopwatch timer = new Stopwatch();
    private readonly string benchmarkName;

    public Benchmark(string benchmarkName)
    {
        this.benchmarkName = benchmarkName;
        timer.Start();
    }

    public void Dispose()
    {
        timer.Stop();
        Console.WriteLine($"{benchmarkName} {timer.Elapsed}");
    }
}

용법:

using (var bench = new Benchmark($"Insert {n} records:"))
{
    ... your code here
}

산출:

Insert 10 records: 00:00:00.0617594

고급 시나리오의 경우 BenchmarkDotNet 또는 Benchmark.It 또는 NBench를 사용할 수 있습니다.


답변

Stopwatch 클래스를 사용하는 경우 .StartNew () 메서드를 사용하여 시계를 0으로 재설정 할 수 있습니다. 따라서 .Reset () 다음에 .Start () 를 호출 할 필요가 없습니다 . 편리 할 수 ​​있습니다.


답변

스톱워치는 이러한 목적으로 설계되었으며 .NET에서 시간 실행을 측정하는 가장 좋은 방법 중 하나입니다.

var watch = System.Diagnostics.Stopwatch.StartNew();
/* the code that you want to measure comes here */
watch.Stop();
var elapsedMs = watch.ElapsedMilliseconds;

.NET에서 시간 실행을 측정하기 위해 DateTimes를 사용하지 마십시오.


답변

관련 스레드가 애플리케이션 내에서 코드를 실행하는 데 소비 한 시간을 찾고있는 경우. 네임 스페이스에서 얻을 수있는 Property를
사용할 수 있습니다 .ProcessThread.UserProcessorTimeSystem.Diagnostics

TimeSpan startTime= Process.GetCurrentProcess().Threads[i].UserProcessorTime; // i being your thread number, make it 0 for main
//Write your function here
TimeSpan duration = Process.GetCurrentProcess().Threads[i].UserProcessorTime.Subtract(startTime);

Console.WriteLine($"Time caluclated by CurrentProcess method: {duration.TotalSeconds}"); // This syntax works only with C# 6.0 and above

참고 : 다중 스레드를 사용하는 경우 각 스레드의 시간을 개별적으로 계산하고이를 합산하여 총 기간을 계산할 수 있습니다.


답변

스톱워치 클래스를 사용하는 방법에 대한 vb.net 버전을 볼 수 없으므로 아래 예제를 제공했습니다.

        Dim Stopwatch As New Stopwatch

        Stopwatch.Start()
                    ''// Test Code
        Stopwatch.Stop()
        Console.WriteLine(Stopwatch.Elapsed.ToString)

        Stopwatch.Restart()
                   ''// Test Again

        Stopwatch.Stop()
        Console.WriteLine(Stopwatch.Elapsed.ToString)

이 질문에 도착한 모든 사람이 vb.net을 찾는 데 도움이되기를 바랍니다.