我试图在异常消息中使用constexpr,但这不起作用: 后续代码在g ++上编译得很好(使用c ++ 11或c ++ 14)。
#include <exception>
constexpr auto TEST = "test";
class test_throw : public std::exception {
public:
virtual const char* what() const throw() {
return (std::string("THROW ")+TEST).c_str();
}
};
int main()
{
throw test_throw{};
}
我想知道为什么我的异常输出一个空消息,好吧这似乎是一个坏技巧,但我不明白消息是如何为空。
有没有办法在不用宏取代constexpr的情况下实现这一目标?
答案 0 :(得分:5)
等待灾难 - 这是gcc的警告:
<source>: In member function 'virtual const char* test_throw::what() const':
9 : <source>:9:51: warning: function returns address of local variable [-Wreturn-local-addr]
return (std::string("THROW ")+TEST).c_str();
以下几种方法可以确保安全:
选项1 - 从更具体的标准异常派生,初始化 构造函数中的消息。
#include <stdexcept>
#include <string>
constexpr auto TEST = "test";
class test_throw : public std::runtime_error
{
public:
test_throw()
: runtime_error(std::string("THROW ")+TEST)
{}
};
选项2 - 以thread_safe静态方式构造消息:
class test_throw : public std::exception
{
public:
const char* what() const noexcept
{
thread_local static std::string message;
try
{
message = std::string("THROW ") + TEST;
return message.c_str();
}
catch(...)
{
return "can't give you a message";
}
}
};
选项3 - 重新发明轮子。
class test_throw : public std::exception
{
std::string message_;
public:
test_throw()
: message_ { std::string("THROW ") + TEST }
{}
const char* what() const noexcept
{
return message_.c_str();
}
};