今天调试项目,进入了一个公司写的源代码去看,其中写了一个wapper层。核心代码如下:
std::map<std::thread::id, std::exception> exceptions;
std::map<std::thread::id, bool> exceptions_read;
template<typename class_type, typename ret_type, typename ...arg_type>
inline ret_type safe_call(class_type* instance, ret_type(class_type::* method)(arg_type...), arg_type... args) {
try {
return (instance->*method)(std::forward<arg_type>(args)...);
}
catch (std::exception ex)
{
auto thread_id = std::this_thread::get_id();
exceptions_read[thread_id] = false;
exceptions[thread_id] = ex;
}
return ret_type();
}
其中safe_call执行的内容是,把类型为class_type的对象的一个返回值为ret_type,参数类型为arg_type的函数进行安全调用。若成功则返回ret_type,失败则把异常保存在一个map李,key值为调用他的线程号。
其中使用了不少c++11的新特性
- …arg_type 作为模板函数的可变参数列表,允许调用的函数拥有若干个类型。
- std::forward<arg_type>(args)… 实现完美转发,避免多次调用构造函数。
- std::this_thread::get_id(); this_thread是c++11提供的的一个命名空间,其下有get_id();sleep_for();sleep_until();yield() 四个函数。
- thread类下提供了id的类型。此类型是this_thread::get_id()或者thread::get_id()的返回值,该段代码中将其作为map的key。
- 这段代码完成的功能是统一处理异常,使程序在想要终止的地方终止,而不是在异常发生的时候
|