1

我有一个自定义异常类,继承自boost::exception如下:

class ConfigurationException : public boost::exception
{
public:
    ConfigurationException(const std::string & title, const std::string & message) {
        QMessageBox box(QMessageBox::Critical, QString::fromStdString(title), QString::fromStdString( parse(message) ), QMessageBox::Ok);
        box.exec();
    }
}

它可以从这样的代码中调用:

try {
   // Do some stuff here
} catch (std::exception e) {
    BOOST_THROW_EXCEPTION( ConfigurationException("Configuration Error", e.what()) );
}

但是,当我尝试编译时,我得到了错误

Libs\boost\include\boost/throw_exception.hpp(58): error C2664:'boost::throw_exception_assert_compatibility' : cannot convert parameter 1 from 'const ConfigurationException' to 'const std::exception &'
          Reason: cannot convert from 'const ConfigurationException' to 'const std::exception'
          No user-defined-conversion operator available that can perform this conversion, or the operator cannot be called
          Libs\boost\include\boost/throw_exception.hpp(85) : see reference to function template instantiation 'void boost::throw_exception<E>(const E &)' being compiled
          with
          [
              E=ConfigurationException
          ]
          src\ConfigurationReader.cpp(81) : see reference to function template instantiation 'void boost::exception_detail::throw_exception_<ConfigurationException>(const E &,const char *,const char *,int)' being compiled
          with
          [
              E=ConfigurationException
          ]

我不太确定为什么它试图将我的异常转换为std::exception. 有人能告诉我如何抛出这个异常并获取文件、函数等数据吗?(我应该说显然throw ConfigurationException("some title", "some message");效果很好。

4

2 回答 2

2
  1. std::exception从两者和boost::exception 虚拟中派生:struct ConfigurationException : virtual std::exception, virtual boost::exception
  2. 通过 const 引用捕获:catch (const std::exception& e).
  3. 不要将 GUI 逻辑放在异常构造函数中。将其放入异常处理程序(即catch块)中。
  4. 考虑使用error_info附加信息(如您的标题和消息)。

通常,在将 Qt 与异常混合时要小心。

于 2012-05-22T09:37:32.457 回答
0

BOOST_THROW_EXCEPTION 调用 boost::throw_exception,它要求异常对象从 std::exception 派生(参见 www.boost.org/doc/libs/release/libs/exception/doc/throw_exception.html)。编译错误强制执行该要求。

另一件事,通过引用捕获异常。不要 catch(std::exception e),而是 catch(std::exception & e)。

于 2012-06-21T01:40:44.830 回答