C 异常处理分为函数异常和类异常两种。多重异常处理策略包括逐一处理和捕获基类两种。实战中,可以使用异常处理策略处理不同来源的异常,根据异常类型打印不同的错误消息。
异常处理是 C 中一种处理运行时错误的强大机制。它允许程序在发生异常时优雅地响应和恢复。C 中有两种类型的异常:函数异常和类异常。本文将探讨这两种异常类型,并展示如何使用多重异常处理策略来同时处理它们。
函数异常是直接在函数中抛出的异常。它们使用 throw
关键字,后面跟一个异常类型或对象。例如:
void divide(int a, int b) { if (b == 0) throw std::runtime_error("Division by zero"); }
类异常是由用户自定义类抛出的异常。它们使用 throw
关键字,后面跟一个异常类实例。例如:
class NegativeNumberException : std::exception { public: const char *what() const override { return "Cannot accept negative numbers"; } }; void checkNumber(int n) { if (n < 0) throw NegativeNumberException(); }
有时,函数或类可能同时抛出多种异常。在这种情况下,可以使用多重异常处理策略来处理所有异常。以下策略是常用的:
1. 逐一处理:
try { // 调用可能抛出异常的代码 } catch (std::runtime_error &e) { // 处理 std::runtime_error 异常 } catch (NegativeNumberException &e) { // 处理 NegativeNumberException 异常 } catch (...) { // 处理任何其他异常 }
2. 捕获基类:
try { // 调用可能抛出异常的代码 } catch (std::exception &e) { // 处理所有 std::exception 派生的异常 } catch (...) { // 处理任何其他异常 }
考虑以下代码,它调用 divide
和 checkNumber
函数并根据不同的异常情况打印消息:
#include <iostream> using namespace std; void divide(int a, int b); void checkNumber(int n); int main() { try { divide(5, 0); } catch (std::runtime_error &e) { cout << "Division by zero occurred" << endl; } catch (NegativeNumberException &e) { cout << "Negative number detected" << endl; } catch (...) { cout << "Unknown exception occurred" << endl; } try { checkNumber(10); } catch (...) { cout << "Error in number check" << endl; } return 0; }
Division by zero occurred Error in number check
以上是C++ 函数异常与类异常:多重异常处理策略的详细内容。更多信息请关注PHP中文网其他相关文章!