12

上面提到的关于 SO 的另一个问题+答案的块不包含适用于此的正确答案!

我有一种用于单元测试的方法。此方法的目的是确保一段代码(由委托引用)将引发特定异常。如果抛出该异常,则单元测试成功。如果没有抛出异常或抛出其他类型的异常,则单元测试将失败。

/// <summary>
/// Checks to make sure that the action throws a exception of type TException.
/// </summary>
/// <typeparam name="TException">The type of exception expected.</typeparam>
/// <param name="action">The code to execute which is expected to generate the exception.</param>
public static void Throws<TException>(Action action) 
    where TException : Exception
{
    try
    {
        action();
    }
    catch (TException)
    {
        return;
    }
    catch (Exception ex)
    {
        Assert.Fail("Wrong exception was thrown. Exception of type " + ex.GetType() + " was thrown, exception of type " + typeof(TException) + " was expected.");
    }
    Assert.Fail("No exception was thrown. Exception of type " + typeof(TException) + " was expected.");
}

下一个调用应该成功,但它失败了:

int result = 0;
Throws<DivideByZeroException>(() => result = result / result);

TException抛出预期的类型异常时,它总是被第二个 catch 捕获,而不是第一个 catch。为什么是这样?

当然,我可以使用一个带有一个 catch 的 workarround 并测试 if exis of type TException。我只是想知道/理解为什么这段代码可以编译但很简单(从不?)有效。

编辑

应要求提供“工作”演示:

using System;

namespace GenericExceptionDemo
{
    class Program
    {
        static void Main(string[] args)
        {
            int n = 0;
            Catch<DivideByZeroException>(() => n = n / n);
        }

        static public void Catch<TException>(Action action)
            where TException: Exception
        {
            try
            {
                action();
                Console.WriteLine("No exception thrown. !!!Fail!!!");
            }
            catch (TException)
            {
                Console.WriteLine("Expected exception thrown. PASS!");
            }
            catch(Exception ex)
            {
                Console.WriteLine("An unexpected exception of type " + ex.GetType() + " thrown. !!!FAIL!!!");
            }
        }
    }
}
4

2 回答 2

2

你不是第一个遇到这个问题的人。这个问题 非常相似。如果您仔细研究答案和链接,则可以归结为 CLR 中的错​​误。

编辑:作为后续,我从 VS2010 运行 Martin 的示例并得到以下结果:

  • 以 .NET 4 为目标,通过
  • 以 .NET 3.5 为目标,失败
  • 在 RELEASE 模式下以 .NET 3.5 为目标,PASS

可悲的是,Microsoft Bug Report 的所有 SO 链接现在都已失效,我无法找到任何其他链接。

于 2013-06-05T10:58:53.047 回答
0

(这不是一个具体的答案;但我也无法将其作为评论发布。)

我无法重现这一点(VS 2012、.NET 4.5、C# 5.0、每个安装的 SP)。

我定义了这个异常类:

class MyException : Exception
{
    public MyException() { }
    public MyException(string message) : base(message) { }
}

和一个方法:

static void Throws<T>(Action action) where T : Exception
{
    try
    {
        action();
    }
    catch (T) { Console.WriteLine("got {0}", typeof(T)); }
    catch (Exception) { Console.WriteLine("got Exception"); }
}

我已经通过这种方式进行了测试:

Throws<MyException>(() => { throw new MyException(); });

int result = 0;
Throws<DivideByZeroException>(() => result = result / result);

输出是:

  • 得到 Draft.MyException
  • 得到 System.DivideByZeroException

所以(恕我直言)你应该看看别的地方。

于 2013-06-05T12:17:46.407 回答