English 中文(简体)
异常处理问题 (chinese simplified) 異常處理問題 (chinese traditional)
原标题:
  • 时间:2009-03-17 11:45:30
  •  标签:

我正在尝试编写一些代码,捕获特定的异常并抛出一个更有用的异常,供调用堆栈更高层次的处理,但也捕获更普遍的异常并处理它们。

这个代码是像这样的:

try
{
    // Do stuff
}
catch (SomeException e)
{
    throw new SomeExceptionWithContextInfo();
}
catch (Exception e)
{
    // Handle unexpected exception gracefully
}

我遇到的问题是一般的异常捕捉了我的新异常。有没有办法避免这种情况发生?

我的当前解决方案涉及检查异常的类型,并且如果它的类型是我刚刚创建的类型,则再次抛出它。

最佳回答

您所发布的代码应该有效,就像这个测试应用程序中所示:

using System;

class OtherException : Exception {}

class Test
{
    static void Main(string[] args)
    {
        try
        {
            Foo();
        }
        catch (OtherException)
        {
            Console.WriteLine("Caught OtherException");
        }
    }

    static void Foo()
    {
        try
        {
            string x = null;
            int y = x.Length;
        }
        catch (NullReferenceException)
        {
            throw new OtherException();
        }
        catch (Exception)
        {
            Console.WriteLine("Caught plain Exception");
        }
    }
}

这只是打印“Caught OtherException”,而不是“Caught plain Exception”。您确定您的真实代码中没有嵌套的try块吗?您可以发帖一个短但完整的示例以展示您的问题吗?

你真的需要在你的方法中捕捉异常吗?这通常不是一个好主意。

问题回答

你做得很好。一般的异常不会捕捉到特定的异常。

您发布的代码是实现它的方式(更具体的异常捕获必须首先出现)。

我建议再次查看代码,因为它们可能不是按照那个顺序,或者代码实际上没有抛出那个异常类型。 (Wǒ jiànyì zàicì chákàn dàimǎ, yīnwèi tāmen kěnéng bùshì ànzhào nàgè shùnxù, huòzhě dàimǎ shíjì shàng méiyǒu tóuchū nàgè yìcháng lèixíng.)

这是一个关于 try-catch 的 MSDN 链接:http://msdn.microsoft.com/en-us/library/0yd65esw(VS.80).aspx

不要捕获通用异常,这可能是答案?找出可能会抛出的异常并单独捕获它们。

try { // Outer try/catch
    DoSomething();

    try {
        /* */
    } catch(NotGeneralException e) {
        /* */
    } catch(AnotherNotGeneralException e) {
        throw new SomeOtherException("Exception message");
    }
} catch(SomeOtherException e) {
    /* */
}

或者只捕获一个一般的异常,然后重新抛出 SomeOtherException。

try {

} catch(Exception e) {
    throw new SomeOtherException("Exception message");
}




相关问题
热门标签