我想派生一个字符串流,以便我可以使用运算符<<构造一条将被抛出的消息。 API看起来像:
error("some text") << " more text " << 42 << std::endl;
这应该做
throw "some text more text 42"
所以我做的是制作一个errorbuf(继承自streambuf),它会重载'overflow'方法,然后创建一个ostream(&amp; errorbuf)。我想知道我是不是应该继承basic_ostringstream或其他东西......
答案 0 :(得分:3)
通过执行以下操作可能会让您更轻松:
class error_builder
{
public:
error_builder(const std::string& pMsg = "")
{
mMsg << pMsg;
}
~error_builder(void)
{
throw std::runtime_error(mMsg.str());
}
template <typename T>
error_builder& operator<<(const T& pX)
{
mMsg << pX;
return *this;
}
private:
std::stringstream mMsg;
};
error_builder("some text") << " more text " << 42 << std::endl;
请注意,你不应该像你一样抛出字符串,因此我使用了std::runtime_error
。所有异常都应来自std::exception
,runtime_error
会这样做,这样就可以使用const std::exception&
捕获所有有意义的异常。
这是有效的,因为临时生命直到完整表达结束。
答案 1 :(得分:2)
我会在这里再次推出我最喜欢的宏:
#define ATHROW( msg ) \
{ \
std::ostringstream os; \
os << msg; \
throw ALib::Exception( os.str(), __LINE__, __FILE__ ); \
} \
使用中:
ATHROW( "Invalid value: " << x << " should be " << 42 );
异常类型来自我自己的库,但我想你明白了。这比派生自己的流类要简单得多,并且通过op&lt;&lt;(&lt;)来避免许多令人讨厌的并发症。
答案 2 :(得分:2)
GMan的解决方案中缺少一些运营商。
class error {
public:
explicit error(const std::string& m = "") :
msg(m, std::ios_base::out | std::ios_base::ate)
{}
~error() {
if(!std::uncaught_exception()) {
throw std::runtime_error(msg.str());
}
}
template<typename T>
error& operator<<(const T& t) {
msg << t;
return *this;
}
error& operator<<(std::ostream& (*t)(std::ostream&)) {
msg << t;
return *this;
}
error& operator<<(std::ios& (*t)(std::ios&)) {
msg << t;
return *this;
}
error& operator<<(std::ios_base& (*t)(std::ios_base&)) {
msg << t;
return *this;
}
private:
std::ostringstream msg;
};
答案 3 :(得分:0)
我通常只创建自己的异常类。您只需覆盖what()
并可以提供任意数量的构造函数。要构建错误消息,只需使用vasprintf(如果可用)或std :: ostringstream,如上所述。
以下是一个例子:
class CustomException : public std::exception {
private:
const std::string message;
public:
CustomException(const std::string &format, ...) {
va_list args;
va_start(args, format);
char *formatted = 0;
int len = vasprintf(&formatted, format.c_str(), args);
if (len != -1) {
message = std::string(formatted);
free(formatted);
} else {
message = format;
}
va_end(args);
}
const char *what() const {
return message.c_str();
}
};
如果你没有vasprintf,你也可以使用带有缓冲区的vsnprintf ......