ofstream exception handling

Joy picture Joy · Apr 26, 2012 · Viewed 16.9k times · Source

Deliberately I'm having this method which writes into a file, so I tried to handle the exception of the possiblity that I'm writing into a closed file:

void printMe(ofstream& file)
{
        try
        {
            file << "\t"+m_Type+"\t"+m_Id";"+"\n";
        }
        catch (std::exception &e)
        {
            cout << "exception !! " << endl ;
        }
};

But apparently std::exception is not the appropriate exception for a closed file error because I deliberately tried to use this method on an already closed file but my "exception !! " comment was not generated.

So what exception should I have written ??

Answer

Mooing Duck picture Mooing Duck · Apr 26, 2012

Streams don't throw exceptions by default, but you can tell them to throw exceptions with the function call file.exceptions(~goodbit).

Instead, the normal way to detect errors is simply to check the stream's state:

if (!file)
    cout << "error!! " << endl ;

The reason for this is that there are many common situations where an invalid read is a minor issue, not a major one:

while(std::cin >> input) {
    std::cout << input << '\n';
} //read until there's no more input, or an invalid input is found
// when the read fails, that's usually not an error, we simply continue

compared to:

for(;;) {
    try {
        std::cin >> input;
        std::cout << input << '\n';
    } catch(...) {
        break;
    }
}

See it live: http://ideone.com/uWgfwj