您无需运行并行任务即可测量经过的时间。C++11 中的一个例子:
#include <chrono>
#include <string>
#include <iostream>
int main()
{
auto t1 = std::chrono::system_clock::now();
std::string s;
std::cin >> s;
// Or whatever you want to do...
auto t2 = std::chrono::system_clock::now();
auto elapsedMS =
(std::chrono::duration_cast<std::chrono::milliseconds>(t2 - t1)).count()
std::cout << elapsedMS;
}
编辑:
由于您似乎对并行启动多个任务的方式感兴趣,这里有一个提示(同样,使用 C++11):
#include <ctime>
#include <future>
#include <thread>
#include <iostream>
int long_computation(int x, int y)
{
std::this_thread::sleep_for(std::chrono::seconds(5));
return (x + y);
}
int main()
{
auto f = std::async(std::launch::async, long_computation, 42, 1729);
// Do things in the meanwhile...
std::string s;
std::cin >> s;
// And we could continue...
std::cout << f.get(); // Here we join with the asynchronous operation
}
上面的示例启动了一个至少需要 5 秒的长时间计算,同时执行其他操作。然后,最终,它调用get()
未来对象加入异步计算并检索其结果(如果尚未完成,则等待它完成)。