我从std::runtime_error
派生了一个异常类,以便添加对异常流的支持。我得到一个奇怪的编译器错误输出与clang,我不知道如何解决?
clang++ -std=c++11 -stdlib=libc++ -g -Wall -I../ -I/usr/local/include Main.cpp -c
Main.cpp:43:19: error: call to deleted constructor of 'EarthException'
throw EarthException(__FILE__, __LINE__)
^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
../EarthException.hpp:9:12: note: function has been explicitly marked deleted here
struct EarthException : public Exception<EarthException>
template <typename TDerived>
class Exception : public std::runtime_error
{
public:
Exception() : std::runtime_error("") {}
Exception(const std::string& file, const unsigned line)
: std::runtime_error("")
{
stream_ << (file.empty() ? "UNNAMED_FILE" : file) << "[" << line << "]: ";
}
virtual ~Exception() {}
template <typename T>
TDerived& operator<<(const T& t)
{
stream_ << t;
return static_cast<TDerived&>(*this);
}
virtual const char* what() const throw()
{
return stream_.str().c_str();
}
private:
std::stringstream stream_;
};
struct EarthException : public Exception<EarthException>
{
EarthException() {}
EarthException(const std::string& file, const unsigned line)
: Exception<EarthException>(file, line) {}
virtual ~EarthException() {}
};
}
更新
我现在已经添加了对std::runtime_error("")
的显式调用,因为它被指出默认构造函数被标记为=delete
,但错误仍然存在。
答案 0 :(得分:6)
由于Exception
和EarthException
中用户声明的析构函数,因此禁用了隐式生成移动构造函数和移动赋值运算符。由于仅移动数据成员std::stringstream
,隐式副本成员将被删除。
然而所有这些都让人分心。
您的what
会员注定失败:
virtual const char* what() const throw()
{
return stream_.str().c_str();
}
这会创建一个右值std::string
,然后将指针返回到该临时值。在客户端可以读取指向该临时值的指针之前的临时析构。
您需要做的是将std::string
传递给std::runtime_error
基类。然后,您不需要持有stringstream
或任何其他数据成员。唯一棘手的部分是使用正确的std::runtime_error
初始化string
基类:
template <typename TDerived>
class Exception : public std::runtime_error
{
static
std::string
init(const std::string& file, const unsigned line)
{
std::ostringstream os;
os << (file.empty() ? "UNNAMED_FILE" : file) << "[" << line << "]: ";
return os.str();
}
public:
Exception(const std::string& file, const unsigned line)
: std::runtime_error(init(file, line))
{
}
private:
<del>std::stringstream stream_;</del>
现在你将获得隐式的复制成员,而且事情就可以了。
答案 1 :(得分:1)
Exception(const std::string& file, const unsigned line)
{
stream_ << (file.empty() ? "UNNAMED_FILE" : file) << "[" << line << "]: ";
}
此构造函数不调用其基本构造函数,因此编译器会生成对默认构造函数std::runtime_error::runtime_error()
的调用。但是std::runtime_error
没有默认构造函数,这是错误消息告诉你的。要解决此问题,请阅读std::runtime_error
并调用其中一个构造函数。
编辑:好的,这是真正的问题(不是我上面提到的问题也不是问题):模板Exception
有一个{{1}类型的数据成员}}; stream无法复制,因此编译器无法生成用于throw的复制构造函数。