我正在将boost::exception
集成到现有代码中。有些代码现在使用BOOST_THROW_EXCEPTION
,但有些可能仍会抛出标准std::exception
。
我想在中间捕获站点添加error_info。根据文档,如果异常是boost::exception
,我可以这样做:
try {
do_something()
}
catch( boost::exception & e ) {
e << boost::errinfo_file_name(file_name);
throw;
}
但这只会将信息添加到提升异常中。我想将它添加到std::exception
。最干净的方法是什么?这是一种方法,但它会导致一些代码重复:
try {
do_something()
}
catch( boost::exception & e ) {
e << boost::errinfo_file_name(file_name);
throw;
}
catch( std::exception & e ) {
throw enable_error_info(e) << boost::errinfo_file_name(file_name);
}
是否有一种方法等同于“将当前异常作为一个提升异常,或者如果它不是一个则从中创建一个提升异常”?
编辑:boost::enable_error_info()
有点这样做,但会返回原始异常的副本,该副本会截断我正在捕获的异常的boost::exception
部分。一个很好的例子:
int main()
{
try {
try {
BOOST_THROW_EXCEPTION( std::runtime_error( "foo" ) );
}
catch( std::exception & e ) {
std::cerr << e.what() << std::endl; // "foo"
if( const char* const* function = boost::get_error_info<boost::throw_function>(e) ) std::cerr << *function << std::endl; // "int main()"
throw boost::enable_error_info(e) << boost::errinfo_file_name("bar");
}
}
catch( std::exception & e ) {
std::cerr << e.what() << std::endl; // "std::exception"
if( const char* const* function = boost::get_error_info<boost::throw_function>(e) ) std::cerr << *function << std::endl; // NOTHING
}
return 0;
}
编辑:我尝试使用boost::current_exception()
,它也将事情分开。基本上,由于多重继承导致的切片,任何复制异常的尝试都会丢失一些数据。与文档说您应该始终使用throw
而不是throw e
重新使用的原因相同。所以,除非有必要,否则我
理想情况下,我想编写以下内容,其中current_exception_as_boost_exception()
返回对当前异常的引用(如果它已经是boost::exception
),否则返回调用boost::enable_error_info
的结果它
try {
do_something()
}
catch( std::exception & e ) {
throw current_exception_as_boost_exception() << boost::errinfo_file_name(file_name);
}
这是boost::enable_current_exception
的用途吗?目前还不清楚其目的是什么,并没有在任何教程中使用。
答案 0 :(得分:1)
这是一个满足我想要的解决方案。但如果感觉我在这里重新发明了什么。是不是有内置的方法来实现同样的目标?
struct rethrow
{
rethrow()
{
try{ throw; }
// Already a boost::exception
catch( boost::exception& ) {}
// Something else. Make it a boost::exception
catch( ... ) { ptr = boost::current_exception(); }
}
template<class T>
rethrow const& operator<<( const T& t ) const
{
try
{
re();
}
catch( boost::exception& e )
{
e << t;
}
return *this;
}
~rethrow()
{
re();
}
private:
void re() const
{
if( !ptr ) throw;
else boost::rethrow_exception( ptr );
}
boost::exception_ptr ptr;
};
int main()
{
try {
try {
throw std::runtime_error( "foo" ); // or BOOST_THROW_EXCEPTION( std::runtime_error( "foo" ) );
}
catch( std::exception & e ) {
rethrow() << boost::errinfo_file_name("bar");
}
}
catch( std::exception & e ) {
std::cerr << __LINE__ << ": caught " << e.what() << std::endl; // "caught foo"
if( const char* const* function = boost::get_error_info<boost::throw_function>(e) ) std::cerr << __LINE__ << ": throw from " << *function << std::endl; // "throw from int main()" (when using BOOST_THROW_EXCEPTION)
if( std::string const* fileName = boost::get_error_info<boost::errinfo_file_name>(e) ) std::cerr << __LINE__ << ": trying to open " << *fileName << std::endl; // "trying to open bar"
}
return 0;
}