C での例外処理は、特定のエラー メッセージ、コンテキスト情報を提供し、エラーの種類に基づいてカスタム アクションを実行するカスタム例外クラスを使用して強化できます。 std::Exception から継承した例外クラスを定義して、特定のエラー情報を提供します。カスタム例外をスローするには、throw キーワードを使用します。 try-catch ブロックでdynamic_castを使用して、キャッチされた例外をカスタム例外タイプに変換します。実際の場合、open_file 関数は FileNotFoundException 例外をスローします。例外をキャッチして処理すると、より具体的なエラー メッセージが表示されます。
C 関数例外の詳細: カスタマイズされたエラー処理
例外処理は、最新のプログラミング言語におけるエラーと例外の処理の重要な部分です。機構。 C では、通常、例外は try-catch
ブロックを使用してキャッチされ、処理されます。ただし、標準の例外タイプ (std::Exception
など) は限られた情報しか提供しないため、デバッグやエラー処理が困難になる可能性があります。
カスタム例外クラス
より有益で実用的な例外を作成するには、独自の例外クラスを定義できます。この利点は次のとおりです。
例外クラスを定義するには、std::Exception
:
class MyException : public std::exception { public: explicit MyException(const std::string& message) : message(message) {} const char* what() const noexcept override { return message.c_str(); } private: std::string message; };
例外タイプを使用します## を継承するクラスを作成します。
#カスタム例外クラスを使用する場合、throw キーワードを使用して例外クラスをスローできます。
throw MyException("Error occurred during file operation");
try-catch ブロックでは、## を使用できます。 #dynamic_cast
キャプチャされた例外をカスタム例外タイプに変換します。 <div class="code" style="position:relative; padding:0px; margin:0px;"><pre class='brush:cpp;toolbar:false;'>try {
// 代码可能引发异常
} catch (std::exception& e) {
std::cerr << "Standard exception: " << e.what() << std::endl;
} catch (MyException& e) {
std::cerr << "MyException: " << e.what() << std::endl;
}</pre><div class="contentsignin">ログイン後にコピー</div></div>
関数
open_file があると仮定します。ファイルを開きます。ファイルが存在しないか開くことができない場合は、FileNotFoundException
例外がスローされます: <div class="code" style="position:relative; padding:0px; margin:0px;"><pre class='brush:cpp;toolbar:false;'>class FileNotFoundException : public std::exception {
public:
explicit FileNotFoundException(const std::string& filename) : filename(filename) {}
const char* what() const noexcept override { return ("File not found: " + filename).c_str(); }
private:
std::string filename;
};
std::ifstream open_file(const std::string& filename) {
std::ifstream file(filename);
if (!file.is_open()) {
throw FileNotFoundException(filename);
}
return file;
}</pre><div class="contentsignin">ログイン後にコピー</div></div>
関数を呼び出すときは、 以上がC++ 関数例外の詳細: カスタマイズされたエラー処理の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。try を使用できます。 -catch
キャッチして処理するブロック FileNotFoundException
: try {
std::ifstream file = open_file("myfile.txt");
// 使用文件
} catch (FileNotFoundException& e) {
std::cerr << "File not found: " << e.what() << std::endl;
} catch (std::exception& e) {
std::cerr << "Other error: " << e.what() << std::endl;
}