1. ホーム
  2. c++

[解決済み】C++で関数の実行時間を測定する

2022-04-20 21:53:34

質問

C++のプログラムで、ある関数の実行にかかる時間を調べたい。 リナックス . その後、速度比較をしたいのですが.いくつかの時間関数を見ましたが、結局boostのこれにしました。クロノです。

process_user_cpu_clock, captures user-CPU time spent by the current process

さて、上記の関数を使用した場合、その関数に費やされたCPUの時間だけを取得することができるのでしょうか?

次に、上記の関数の使用例を見つけることができませんでした。どなたか、上記の関数の使い方を教えていただけませんか?

追伸:今現在、私は std::chrono::system_clock::now() を使用して時間を秒単位で取得しますが、これでは毎回CPU負荷が異なるため、異なる結果が得られます。

解決方法は?

C++11では、非常に使いやすい方法です。 std::chrono::high_resolution_clock から <chrono> ヘッダを作成します。

このように使用します。

#include <chrono>

/* Only needed for the sake of this example. */
#include <iostream>
#include <thread>
    
void long_operation()
{
    /* Simulating a long, heavy operation. */

    using namespace std::chrono_literals;
    std::this_thread::sleep_for(150ms);
}

int main()
{
    using std::chrono::high_resolution_clock;
    using std::chrono::duration_cast;
    using std::chrono::duration;
    using std::chrono::milliseconds;

    auto t1 = high_resolution_clock::now();
    long_operation();
    auto t2 = high_resolution_clock::now();

    /* Getting number of milliseconds as an integer. */
    auto ms_int = duration_cast<milliseconds>(t2 - t1);

    /* Getting number of milliseconds as a double. */
    duration<double, std::milli> ms_double = t2 - t1;

    std::cout << ms_int.count() << "ms\n";
    std::cout << ms_double.count() << "ms\n";
    return 0;
}

これは、関数の持続時間を測定します long_operation .

可能な出力

150ms
150.068ms

作業例です。 https://godbolt.org/z/oe5cMd