1
try
{
    Array.Sort(PokeArray, (x1, x2) => x1.Name.CompareTo(x2.Name));
}
catch (NullReferenceException R)
{
    throw R;
}

然而,这是对我创建的对象数组进行排序的简单代码行;如果存在 null 值,则会引发异常。该try catch块似乎不起作用。

在这个特定区域发生异常x1.Name.CompareTo(x2.Name),Catch 块是否放错了位置?

谢谢!

更新: 截图取自以下评论: 在此处输入图像描述

4

3 回答 3

6

不,看起来不错。但是你捕获它之后重新抛出异常;Throw R意味着异常被传递到最初调用 try-catch 的代码块。

try
{
    Array.Sort(PokeArray, (x1, x2) => x1.Name.CompareTo(x2.Name));
}
catch (NullReferenceException R)
{
    // throw R; // Remove this, and your exception will be "swallowed". 

    // Your should do something else here to handle the error!
}

更新

首先,将您的屏幕截图链接添加到原始帖子 - 它有助于澄清您的问题。:)

其次,您try-catch 确实捕获了异常 - 只是在您处于调试模式时没有。如果在该行之后继续执行,您应该能够从 try-catch 子句中继续,并且您的程序应该继续。

如果您的异常没有被捕获,它将终止程序。

PS:从 VS 的主菜单中选择DebugExceptions..,并确保您没有为任何列检查“抛出” - 如果这样做,您的程序将暂停并显示发生的任何异常,而不是仅仅“吞下”它们否则会。

让我们重复一遍,只是为了绝对清楚:此异常仅可见,因为代码在调试模式下运行并启用了异常查看。

如果相同的代码在生产模式下运行,异常将被吞没,正如 OP 所期望的那样。

于 2013-10-25T11:21:17.063 回答
0

你可以让你的代码更好地处理空值。例如,如果所有值都可能为空,这应该涵盖您:

if (PokeArray != null)
    Array.Sort(PokeArray, (x1, x2) =>
      string.Compare(x1 != null ? x1.Name : null, x2 != null ? x2.Name : null));

如果您不希望其中一些值永远为 null,则可以通过删除不必要的 null 检查来简化代码。

于 2013-10-25T11:57:11.803 回答
0

在您的情况下,代码不会抛出NullReferenceException,因为当您调用. 并且此异常会沿线传播 。这就是您的catch 块跳过的原因。您可以通过以下简单示例重现整个场景,其中我有目的地将 null 作为集合元素包含在内。NullReferenceExceptionCompareArray.Sort()InvalidOperationExceptionNullReferenceException

public class ReverseComparer : IComparer<string>
{
    public int Compare(string x, string y)
    {
     return y.CompareTo(x); //Here the logic will crash since trying to compare with   null value and hence throw NullReferenceException
    }
}

public class Example
{
    public static void Main()
    {
        string[] dinosaurs =
            {
               "Amargasaurus",
                null,
                "Mamenchisaurus",

            };

        Console.WriteLine();
        foreach (string dinosaur in dinosaurs)
        {
            Console.WriteLine(dinosaur);
        }

        ReverseComparer rc = new ReverseComparer();

        Console.WriteLine("\nSort");
        try
        {
            Array.Sort(dinosaurs, rc); //Out from here the NullReferenceException propagated as InvalidOperationException.
        }
        catch (Exception)
        {

            throw;
        }

    }
}
于 2013-10-25T11:46:00.613 回答