我有一个 C++11 程序来检查一个数字是否是素数。有一个程序等待准备好的未来对象。准备好后,程序会告诉未来对象的提供者函数是否认为该数是素数。
// future example
#include <iostream> // std::cout
#include <future> // std::async, std::future
#include <chrono> // std::chrono::milliseconds
const int number = 4; // 444444443
// a non-optimized way of checking for prime numbers:
bool is_prime (int x) {
for (int i=2; i<x; ++i) if (x%i==0) return false;
return true;
}
int main ()
{
// call function asynchronously:
std::future<bool> fut = std::async (is_prime, number);
// do something while waiting for function to set future:
std::cout << "checking, please wait";
std::chrono::milliseconds span (100);
//std::chrono::duration<int> span (1);
while (fut.wait_for(span)==std::future_status::timeout) {
std::cout << '.';
std::cout.flush();
}
bool x = fut.get(); // retrieve return value
std::cout << "\n"<<number<<" " << (x?"is":"is not") << " prime.\n";
return 0;
}
如果你运行程序,你会看到它处于一个无限的while循环中,因为wait_for()
总是返回future_status::timeout
,这意味着共享状态永远不会准备好。这是什么原因?我从http://www.cplusplus.com/reference/future/future/wait_for/ 获取了这个程序,所以我希望它能够工作。但是,如果我注释掉 while 循环,程序就会正常工作。