从boost :: exception和std :: runtime_error继承自定义异常类

时间:2013-11-26 18:34:53

标签: c++ boost

我想介绍我的自定义异常类的层次结构,它们来自boost :: exception和std :: runtime_error,以便what()返回有意义的东西。

到目前为止,我没有运气:

#include <iostream>
#include <stdexcept>

#include <boost/exception/all.hpp>

typedef boost::error_info<struct tag_foo_info, unsigned long> foo_info;

struct foo_error : virtual boost::exception, virtual std::runtime_error
{
  explicit foo_error(const char *const what)
    : std::runtime_error(what)
  { }
};

static void foo()
{
  BOOST_THROW_EXCEPTION(foo_error("foo error") << foo_info(100500));
}

int main(int argc, char *argv[])
{
  try
  {
    foo();
  }
  catch (const std::exception& e)
  {
    std::cerr << boost::diagnostic_information(e);
    return 1;
  }

  return 0;
}

只是一直在抱怨no appropriate default constructor available std::runtime_error。{/ p>

我最接近的是使用

投掷实际的std::runtime_error
BOOST_THROW_EXCEPTION(boost::enable_error_info(std::runtime_error("foo error")) << foo_info(100500)))

但那不是我想要的。基本上,我希望catchcatch (const std::exception& e)catch (const std::runtime_error& e)catch (const boost::exception& e)能够处理catch (const foo_error& e)异常类。那可能吗?提前谢谢。

2 个答案:

答案 0 :(得分:4)

您需要公共继承

struct Exception : public boost::exception, public std::runtime_error
{
    Exception()
    :   std::runtime_error("Hello World")
    {}
};

int main()
{
    try {
        try {
            throw Exception();
        }
        catch(const std::runtime_error&) {
            std::cout << "std::runtime_error" << std::endl;
            throw;
        }
    }
    catch(const boost::exception&) {
        std::cout << "boost::exceptionr" << std::endl;
    }
    return 0;
}

如果更换两个虚拟代码,您的代码将起作用:

Throw in function void foo()
Dynamic exception type: boost::exception_detail::clone_impl<foo_error>
std::exception::what: foo error
[tag_foo_info*] = 100500

boost异常库有一个派生自异常的类:

// Curiously recurring template pattern (exception.hpp:419:20)
class clone_impl: public Exception, public clone_base;

由于虚拟继承,大多数派生类负责初始化基类(clone_impl没有)

答案 1 :(得分:-1)

std :: runtime_error已经从std :: exception继承。所以你只需要继承std :: runtime_error,你就可以得到它们。

更新: 我的意思是继承 std :: runtime_error。如果你试试这个怎么办:

#include <iostream>
#include <stdexcept>

struct foo_error : public std::runtime_error
{
    explicit foo_error(const char *const what)
        : std::runtime_error(what)
    { }
};

static void foo()
{
    throw foo_error("foo error");
}

int main(int argc, char *argv[])
{
    try
    {
        foo();
    }
    catch (const std::exception& e)
    {
        std::cerr << boost::diagnostic_information(e);
        return 1;
    }
    return 0;
}

为了简单起见,省略了提升的内容。