0

我有一个 C++ 应用程序,我在其中使用 Boost Threads 来提供并发性。基本样本如下:

processingThreadGroup->create_thread(boost::bind(process, clientSideSocket, this));

这里,processingThreadGroup是boost中一个线程池的共享指针,process是我需要调用的函数。clientSideSocket 和 this 是应该传递给进程函数的参数。

在流程函数内部,如果检测到错误,我会抛出一个自定义异常。处理函数将数据发送到远程服务器。所以我的问题是,如何将这个错误传播到调用堆栈?我想在清理后关闭系统。尝试了以下方法:

try {
    processingThreadGroup->create_thread(boost::bind(process, clientSideSocket, this));
} catch (CustomException& exception) {
    //code to handle the error
}

但是没有用。关于如何正确执行此操作的任何想法?

谢谢!

4

1 回答 1

1

要传播返回值和异常,您应该使用futures. 这是一个简单的方法:

// R is the return type of process, may be void if you don't care about it
boost::packaged_task< R > task( boost::bind(process, clientSideSocket, this) );
boost::unique_future< R > future( task.get_future() );

processingThreadGroup->create_thread(task);

future.get();

这有一些你必须牢记的陷阱。首先, 的生命周期task必须延长 的异步执行process。其次,get()将阻塞直到task完成,如果成功结束则返回其值,或者如果抛出异常则传播异常。您可以使用各种功能来检查 的状态future,例如has_value(), has_exception(), is_ready()

于 2013-01-08T04:43:29.623 回答