调试由于StackOverflow异常而失败的单元测试

本文关键字:失败 单元测试 异常 StackOverflow 调试 | 更新日期: 2023-09-27 18:03:14

每当单元测试由于StackOverflowException而失败时,单元测试进程立即退出-找出发生了什么(我知道)的唯一方法是调试通过以下步骤获得的单元测试过程的崩溃转储

  • 收集用户模式转储

获得在抛出StackOverflowException时正在运行的单元测试的名称的最简单方法是什么?即使在调试单元测试时,我也很难找到当前单元测试的名称,因为它位于堆栈的底部,而且Visual Studio不会在调试窗口中显示整个堆栈,因为它太大了。

有没有办法找出哪个单元测试失败而不收集和调试崩溃转储?

调试由于StackOverflow异常而失败的单元测试

看看RuntimeHelpers.EnsureSufficientExecutionStack方法(http://msdn.microsoft.com/en-us/library/system.runtime.compilerservices.runtimehelpers.ensuresufficientexecutionstack.aspx)。您可能希望在递归方法中调用它,以便提前获得InsufficientExecutionStackException

正如在另一个问题中提到的,除非您自己抛出堆栈溢出异常,否则您无法真正捕获它。

因此,作为问题的变通方法(不是真正的解决方案),您可以在代码中插入一个方法调用来检测堆栈溢出,然后手动抛出异常并稍后捕获它。

[TestClass]
public class TestStackOverflowDetection
{
    [TestMethod]
    public void TestDetectStackOverflow()
    {
        try
        {
            InfiniteRecursion();
        }
        catch (StackOverflowException e)
        {
            Debug.WriteLine(e);
        }
    }
    private static int InfiniteRecursion(int i = 0)
    {
        // Insert the following call in all methods that
        // we suspect could be part of an infinite recursion 
        CheckForStackOverflow(); 
        // Force an infinite recursion
        var j = InfiniteRecursion(i) + 1;
        return j;
    }
    private static void CheckForStackOverflow()
    {
        var stack = new System.Diagnostics.StackTrace(true);
        if (stack.FrameCount > 1000) // Set stack limit to 1,000 calls
        {
            // Output last 10 frames in the stack
            foreach (var f in stack.GetFrames().Reverse().Take(30).Reverse())
                Debug.Write("'tat " + f);
            // Throw a stack overflow exception
            throw new StackOverflowException();
        }
    }