Boost :: timerを含まないboost 1.46を使用しています。他の方法で機能の時間を計ることができます。
私は現在これをやっています:
time_t now = time(0);
<some stuff>
time_t after = time(0);
cout << after - now << endl;
しかし、秒単位で答えを返すだけなので、関数が1秒未満の場合、0が表示されます。
ありがとう
LinuxまたはWindowsの場合:
#include <ctime>
#include <iostream>
int
main(int, const char**)
{
std::clock_t start;
start = std::clock();
// your test
std::cout << "Time: " << (std::clock() - start) / (double)(CLOCKS_PER_SEC / 1000) << " ms" << std::endl;
return 0;
}
がんばろう ;)
_std::chrono
_の使用:
_#include <chrono>
#include <thread>
#include <iostream>
// There are other clocks, but this is usually the one you want.
// It corresponds to CLOCK_MONOTONIC at the syscall level.
using Clock = std::chrono::steady_clock;
using std::chrono::time_point;
using std::chrono::duration_cast;
using std::chrono::milliseconds;
using namespace std::literals::chrono_literals;
using std::this_thread::sleep_for;
int main()
{
time_point<Clock> start = Clock::now();
sleep_for(500ms);
time_point<Clock> end = Clock::now();
milliseconds diff = duration_cast<milliseconds>(end - start);
std::cout << diff.count() << "ms" << std::endl;
}
_
_std::chrono
_はC++ 11、_std::literals
_はC++ 14です(そうでない場合はmilliseconds(500)
が必要です)。
ブースト1.46に時間のバージョンがあることがわかりました(ちょうど別の場所にあります)。それを指摘してくれた@jogojapanに感謝します。
次のように実行できます。
#include <boost/timer.hpp>
timer t;
<some stuff>
std::cout << t.elapsed() << std::endl;
または、@ Quentin Perezが指摘したようにstd libsを使用します(元々尋ねられたものをそのまま受け入れます)
Quentin Perezのソリューションに基づいて、std :: functionとラムダを使用して任意の関数を時間に渡すことができます。
#include <ctime>
#include <iostream>
#include <functional>
void timeit(std::function<void()> func) {
std::clock_t start = std::clock();
func();
int ms = (std::clock() - start) / (double) (CLOCKS_PER_SEC / 1000);
std::cout << "Finished in " << ms << "ms" << std::endl;
}
int main() {
timeit([] {
for (int i = 0; i < 10; ++i) {
std::cout << "i = " << i << std::endl;
}
});
return 0;
}
Longを使用して、現在の時刻の値を開始値として保持し、現在の時刻をdoubleに変換できます。例として使用するスニペットコードを次に示します。
#include <iostream>
#include <stdlib.h>
#include <time.h>
#include <sys/types.h>
#include <sys/timeb.h>
int main()
{
struct _timeb tStruct;
double thisTime;
bool done = false;
long startTime;
struct _timeb
{
int dstflag; // holds a non-zero value if daylight saving time is in effect
long millitm; // time in milliseconds since the last one-second hack
long time; // time in seconds since 00:00:00 1/1/1970
long timezone; // difference in minutes moving west from UTC
};
_ftime(&tStruct); // Get start time
thisTime = tStruct.time + (((double)(tStruct.millitm)) / 1000.0); // Convert to double
startTime = thisTime; // Set the starting time (when the function begins)
while(!done) // Start an eternal loop
{
system("cls"); // Clear the screen
_ftime(&tStruct); // Get the current time
thisTime = tStruct.time + (((double)(tStruct.millitm)) / 1000.0); // Convert to double
// Check for 5 second interval to print status to screen
cout << thisTime-startTime; // Print it.
}
}