Understanding Exception Handling in C++ | C++ Programming Tutorial

Welcome to C++ Programming Tutorial

Your guide to understanding Exception Handling in C++.

Exception Handling in C++

Exception handling in C++ is a mechanism for responding to runtime errors, allowing the program to deal with unexpected situations gracefully. C++ uses three keywords for exception handling: try, catch, and throw.

Key Concepts:

Example of Exception Handling:

#include <iostream>
using namespace std;

int main() {
    int numerator, denominator;
    cout << "Enter numerator: ";
    cin << numerator;
    cout << "Enter denominator: ";
    cin << denominator;

    try {
        if (denominator == 0)
            throw "Division by zero error!";

        cout << "Result: " << numerator / denominator << endl;
    } catch (const char* e) {
        cout << "Exception caught: " << e << endl;
    }

    cout << "Program continues..." << endl;
    return 0;
}

Output:

Enter numerator: 10
Enter denominator: 0
Exception caught: Division by zero error!
Program continues...

Explanation:

Custom Exception Classes:

You can create your own exception classes by inheriting from the std::exception class.

#include <iostream>
#include <exception>
using namespace std;

class MyException : public exception {
public:
    const char* what() const throw() {
        return "Custom Exception occurred";
    }
};

int main() {
    try {
        throw MyException();
    } catch (MyException& e) {
        cout << e.what() << endl;
    }

    return 0;
}

Output:

Custom Exception occurred

Important Points:

Previous Next
Modern Footer