派生异常不会继承构造函数

时间:2013-04-13 11:37:30

标签: c++ oop exception inheritance constructor

我的代码存在问题。

#include <iostream>
#include <stdexcept>

class MyException : public std::logic_error {
};

void myFunction1() throw (MyException) {
    throw MyException("fatal error");
};

void myFunction2() throw (std::logic_error) {
    throw std::logic_error("fatal error");
};

int main() {
    try {
        myFunction1();
        //myFunction2();
    }catch (std::exception &e) {
        std::cout << "Error.\n"
            << "Type: " << typeid(e).name() << "\n"
            << "Message: " << e.what() << std::endl;
    }
    return 0;
}

throw MyException("fatal error");行不起作用。 Microsoft Visual Studio 2012说:

error C2440: '<function-style-cast>' : cannot convert from 'const char [12]' to 'MyException'

MinGW的反应非常相似。

这意味着,构造函数std::logic_error(const string &what)未从父类复制到子级中。为什么呢?

感谢您的回答。

1 个答案:

答案 0 :(得分:8)

继承构造函数是一个C ++ 11特性,在C ++ 03中没有(你似乎正在使用它,正如我从动态异常规范中可以看出的那样)。

但是,即使在C ++ 11中,您也需要using声明来继承基类的构造函数:

class MyException : public std::logic_error {
public:
    using std::logic_error::logic_error;
};

在这种情况下,您只需要明确地编写一个带有std::stringconst char*的构造函数,并将其转发给基类的构造函数:

class MyException : public std::logic_error {
public:
    MyException(std::string const& msg) : std::logic_error(msg) { }
};