3

我遇到了一个非常奇怪的问题。以下代码未按预期运行。

static IEnumerable<int> YieldFun()
{
    int[] numbers = new int[3] { 1, 2, 3 };

    if(numbers.Count()==3)
        throw new Exception("Test...");

    //This code continues even an exception was thrown above.
    foreach(int i in numbers)
    {
        if(i%2==1)
            yield return numbers[i];
    }
}

static void Main(string[] args)
{
    IEnumerable<int> result = null;
    try
    {
        result = YieldFun();
    }
    catch (System.Exception ex) //Cannot catch the exception
    {
        Console.WriteLine(ex.Message);
    }


    foreach (int i in result)
    {
        Console.Write(" " + i);
    }
}

两个问题。首先,即使抛出异常,YieldFun 似乎也能继续工作。其次,调用者的 try-catch 块无法捕获抛出的异常。

为什么这个?以及如何解决这个问题?

4

2 回答 2

6

这是由迭代器的延迟执行引起的。您的异常比您想象的要晚抛出:foreach (int i in result)尝试迭代并抛出,但您没有在那里捕获异常。

在尝试迭代项目之前,不会执行函数的主体。所以仅仅调用这个函数实际上并没有达到“throw ...”语句。您可以手动迭代结果以查看引发异常的确切点。

于 2012-09-05T01:18:05.050 回答
3

您可以这样做以分离出延迟部分(包含yield导致构建迭代器的范围)....并在分配发生时执行您的检查。

static IEnumerable<int> YieldFun()
{
    int[] numbers = new int[3] { 1, 2, 3 };

    if (numbers.Count() == 3)
        throw new Exception("Test...");

    return YieldFunImpl(numbers);
}

static IEnumerable<int> YieldFunImpl(int []numbers)
{
    //This code continues even an exception was thrown above.
    foreach (int i in numbers)
    {
        if (i % 2 == 1)
            yield return numbers[i];
    }
}

static void Main(string[] args)
{
    IEnumerable<int> result = null;
    try
    {
        result = YieldFun();
    }
    catch (System.Exception ex) //Cannot catch the exception
    {
        Console.WriteLine(ex.Message);
    }

    if (result != null)
    {
        foreach (int i in result)
        {
            Console.Write(" " + i);
        }
    }
}

}

当异常消失时(因为您的 Count() == 3)....您的 catch 将被调用,并且您result将不会被设置....所以当 for 循环尝试迭代结果时...它将be null....您需要添加一个空检查。

于 2012-09-05T01:34:13.277 回答