Jak jawnie zgłaszać wyjątki
Możesz jawnie zgłosić wyjątek przy użyciu języka C# throw
lub instrukcji języka Visual Basic Throw
. Możesz również ponownie zgłosić przechwycony wyjątek za pomocą instrukcji throw
. Dobrym rozwiązaniem jest kodowanie, aby dodać informacje do wyjątku, który zostanie ponownie dodany, aby podać więcej informacji podczas debugowania.
W poniższym przykładzie kodu użyto try
/catch
bloku w celu przechwycenia możliwej FileNotFoundExceptionmetody . try
Po bloku znajduje catch
się blok, który przechwytuje FileNotFoundException i zapisuje komunikat w konsoli, jeśli plik danych nie zostanie znaleziony. Następna throw
instrukcja to instrukcja, która zgłasza nowy FileNotFoundException komunikat i dodaje informacje tekstowe do wyjątku.
var fs = default(FileStream);
try
{
// Opens a text tile.
fs = new FileStream(@"C:\temp\data.txt", FileMode.Open);
var sr = new StreamReader(fs);
// A value is read from the file and output to the console.
string? line = sr.ReadLine();
Console.WriteLine(line);
}
catch (FileNotFoundException e)
{
Console.WriteLine($"[Data File Missing] {e}");
throw new FileNotFoundException(@"[data.txt not in c:\temp directory]", e);
}
finally
{
if (fs != null)
fs.Close();
}
Option Strict On
Imports System.IO
Public Class ProcessFile
Public Shared Sub Main()
Dim fs As FileStream = Nothing
Try
' Opens a text file.
fs = New FileStream("c:\temp\data.txt", FileMode.Open)
Dim sr As New StreamReader(fs)
' A value is read from the file and output to the console.
Dim line As String = sr.ReadLine()
Console.WriteLine(line)
Catch e As FileNotFoundException
Console.WriteLine($"[Data File Missing] {e}")
Throw New FileNotFoundException("[data.txt not in c:\temp directory]", e)
Finally
If fs IsNot Nothing Then fs.Close()
End Try
End Sub
End Class