如果您使用C ++ 11,那么std::future
可能你正在寻找什么:它可以自动地捕获异常,它作出的工作线程的顶部,并通过父线程的一点通过他们std::future::get
是叫。(在幕后,这与@AnthonyWilliams的回答完全相同;它已经为您实现了。)
不利的一面是,没有“停止关心” a的标准方法std::future
。即使它的析构函数也只会阻塞,直到任务完成。[编辑,2017年:阻塞析构函数的行为只是从返回的伪未来的一种错误功能std::async
,无论如何都不应使用。正常的期货不会阻止他们的破坏者。但是,如果使用的话,仍然不能“取消”任务std::future
:即使没有人在听答案,履行承诺的任务也会继续在幕后运行。]这是一个玩具示例,可以阐明意思:
#include <atomic>
#include <chrono>
#include <exception>
#include <future>
#include <thread>
#include <vector>
#include <stdio.h>
bool is_prime(int n)
{
if (n == 1010) {
puts("is_prime(1010) throws an exception");
throw std::logic_error("1010");
}
/* We actually want this loop to run slowly, for demonstration purposes. */
std::this_thread::sleep_for(std::chrono::milliseconds(100));
for (int i=2; i < n; ++i) { if (n % i == 0) return false; }
return (n >= 2);
}
int worker()
{
static std::atomic<int> hundreds(0);
const int start = 100 * hundreds++;
const int end = start + 100;
int sum = 0;
for (int i=start; i < end; ++i) {
if (is_prime(i)) { printf("%d is prime\n", i); sum += i; }
}
return sum;
}
int spawn_workers(int N)
{
std::vector<std::future<int>> waitables;
for (int i=0; i < N; ++i) {
std::future<int> f = std::async(std::launch::async, worker);
waitables.emplace_back(std::move(f));
}
int sum = 0;
for (std::future<int> &f : waitables) {
sum += f.get(); /* may throw an exception */
}
return sum;
/* But watch out! When f.get() throws an exception, we still need
* to unwind the stack, which means destructing "waitables" and each
* of its elements. The destructor of each std::future will block
* as if calling this->wait(). So in fact this may not do what you
* really want. */
}
int main()
{
try {
int sum = spawn_workers(100);
printf("sum is %d\n", sum);
} catch (std::exception &e) {
/* This line will be printed after all the prime-number output. */
printf("Caught %s\n", e.what());
}
}
我只是尝试使用std::thread
和编写一个类似工作的示例std::exception_ptr
,但是std::exception_ptr
(使用libc ++)出了点问题,所以我还没有使它真正起作用。:(
[编辑,2017年:
int main() {
std::exception_ptr e;
std::thread t1([&e](){
try {
::operator new(-1);
} catch (...) {
e = std::current_exception();
}
});
t1.join();
try {
std::rethrow_exception(e);
} catch (const std::bad_alloc&) {
puts("Success!");
}
}
我不知道我在2013年做错了什么,但我敢肯定这是我的错。]