如何处理catch块中的异常
本文关键字:异常 catch 何处理 处理 | 更新日期: 2023-09-27 18:18:13
我试图得到处理异常的理想方法。我在谷歌上搜索了&读到我应该把try
catch
在catch
块以及处理,但如果任何异常发生在嵌套块本身。
try
{
int a = 10;
int b = 0;
int c = a / b;
Console.WriteLine(c);
Console.ReadKey();
}
catch (Exception ex)
{
int a = 10; int b = 0;
int c = a / b;
Console.WriteLine(ex.Message.ToString());
Console.ReadKey();
}
finally
{
Console.WriteLine("Some Exception");
}
在谷歌上,我看到它应该被装饰如下:
- 如果异常发生在Catch块本身,那么如何处理它在c# ?如果异常发生在Catch块本身,那么如何处理它在c# ?
如果c#中Catch块中发生异常会发生什么。在这种情况下调用者的结果是什么
try { int a = 10; int b = 0; int c = a / b; Console.WriteLine(c); Console.ReadKey(); } catch (Exception ex) { try { } catch(Exception innerEx) { // What if exception here also occurs. } } finally { Console.WriteLine("Some Exception"); }
如果我这样做,那么它将卡在一个无限的
try-catch
块。
我认为会有一些更好或正确的方法来处理这种情况。
我想应该有更好或正确的方法来处理这种情况。
这里没有恶意,只是简单地说,首先不要允许异常发生。
try...catch
是一种语言结构,可以确保你处理你没有缓解和设计的边缘情况或错误,这就是为什么它是例外代码。
在你的代码中,你只是抛出一个错误,因为除以0,但在现实世界中,你想处理它,并提醒用户(或开发人员,或服务器,或其他),然后处理实际的异常代码,例如:
static void PrintError()
{
Console.WriteLine("You must enter a valid number between {0} and {1}, excluding 0", int.MaxValue, int.MinValue);
}
static void Main(string[] args)
{
try {
int a = 10;
int b = 0;
PrintError(); // Tell user to enter valid numbers
while (b == 0) {
string user_input = Console.ReadLine();
if (int.TryParse(user_input, out b)) { // is it an actual number?
if (b == 0) { // no 0's remember user!??
PrintError();
} else {
// ok, everything checks out, so do what the system can actually handle without throwing an error
Console.WriteLine("a/b = {0}", (a / b));
}
} else {
PrintError();
}
}
} catch (Exception ex) {
Console.WriteLine("Something exceptional happened: {0}", ex);
}
}
这个例子可以进一步简化,但它证明了除了一些实际异常(即内存不足错误或其他一些系统错误)之外,实际上不会发生异常。
在包含多个类的较大代码库的情况下,异常处理程序和终结器将是您可以清理从代码的其他区域获得的资源的地方,例如关闭套接字或文件句柄以确保数据不丢失。
如果在异常处理程序中发生错误(可能并且确实发生的事情),您需要意识到这一点,并知道在这种情况下可能发生什么。
在使用。net框架的c#应用程序中,异常中抛出的异常如果不处理,只会导致应用程序崩溃,内部异常堆栈跟踪(相对于"外部"异常,可能与实际异常更相关)。
处理异常有很多"错误"的方法(比如根本不处理异常),但是考虑到异常的可变性质,没有真正"正确"的方法。
希望能有所帮助。
首先你需要知道什么是try,catch和finally,让我们开始:
-
Try:在这个块中,我们可以编写有可能抛出一些错误的代码(更好的做法是在其中编写代码部分)
-
Catch:它负责显示错误以及如果出现错误该怎么做(就像在你的代码中10/0抛出错误,可以在本节中处理)
-
最后:无论是否出现错误,这部分代码都将执行。
现在对于您的查询,您可以使用If…Else在finally中,该部分的代码将保存在try catch块中。
例如:bool flagCatch=false;
try
{
int a = 10;
int b = 0;
int c = a / b;
Console.WriteLine(c);
Console.ReadKey();
}
catch (Exception ex)
{
//Error handling
flagCatch=true;
Console.WriteLine(ex.Message.ToString());
Console.ReadKey();
}
finally
{
try
{
if(flagCatch)
{
//Code
}
else
{
//Code when error not comes
}
}
catch(Exception err)
{
//Error handling
}
}
我同意Tieson T.的评论。在我看来,这是一个设计问题。
我也可以用if
语句构建一个例子->如果出错,我执行失败处理->如果失败处理出错,我执行失败处理,如果失败处理出错....
为了使代码更具可读性,您可以尝试在方法中"隐藏"try-catch
块,如:
static void PerformInTryCatch<T, TException>(Action<T> action, T obj) where TException : Exception
{
try
{
action(obj);
}
catch (TException exception)
{
// Perform some logging
}
}
希望对你有帮助。