正如在另一个问题中提到的,除非您自己抛出它,否则您无法真正捕获堆栈溢出异常。
因此,作为您的问题的解决方法(不是真正的解决方案),您可以在代码中插入方法调用以检测堆栈溢出,然后手动抛出异常并稍后捕获它。
[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();
        }
    }