-1

我试图找出如何能够写出这样的东西:

try{
    throw MyCustomException;
}
catch(const MyCustomException &e){
cout<< e;
}

但是如何定义overloaded operator <<这个目的呢?

自定义异常类:

class MyCustomException{

public:

MyCustomException(const int& x) {
    stringstream ss;
    ss << x; 

    msg_ = "Invalid index [" + ss.str() + "]";
}

string getMessage() const {
    return (msg_);
}
private:
    string msg_;
};
4

1 回答 1

4

老实说,我相信正确的解决方案是遵循标准约定MyCustomExceptionstd::exception. 然后,您将实现what()虚拟成员函数以返回一条消息,并且您最终可以将该字符串通过operator <<.

这就是您的异常类的样子:

#include <string>
#include <sstream>
#include <stdexcept>

using std::string;
using std::stringstream;

class MyCustomException : public std::exception
{
public:

    MyCustomException(const int& x) {
        stringstream ss;
        ss << x;
        msg_ = "Invalid index [" + ss.str() + "]";
    }

    virtual const char* what() const noexcept {
        return (msg_.c_str());
    }

private:

    string msg_;
};

以下是您将如何使用它:

#include <iostream>

using std::cout;

int main()
{
    try
    {
        throw MyCustomException(42);
    }
    catch(const MyCustomException &e)
    {
        cout << e.what();
    }
}

最后,一个活生生的例子

于 2013-04-07T00:38:38.380 回答