2

它说派生类不应该抛出任何基类不知道的异常,我试图找出它是如何工作的,在基类中我抛出 System.Exception,而在派生类中我抛出 ArgNullException()。有人能解释一下这很好吗

 class b
        {
           virtual public void foo()
           {
               try
               {
                   if (true)
                       throw  new System.Exception();
               }
               catch (Exception ex)
               {
                   Console.WriteLine("in base");

               }
           }


        }
        class a : b
        {   
            override public void foo() 
            {
                try
                {
                    if (true)
                        throw new ArgumentNullException();
                }
                catch (Exception ex)
                {
                    Console.WriteLine("in dervied");
                }
            }           

        }
4

2 回答 2

8
class MyClass
{
    public virtual void Foo()
    {
        if (true)
             throw new System.Exception();
        }
    }
}

class MyDerivedClass : MyClass
{   
    public override void Foo() 
    {
        if (true)
            throw new ArgumentNullException();
        }
    }           
}


public class Program
{
    public static void Main()
    {
        try
        {
            // a factory creating the correct 
            // MyClass derived instance
            var myClass = someFactory.Create();

            myClass.Foo();
        }
        catch (Exception)
        {
            // will work.
        }
    }
}

在这种情况下,您将在基类中抛出最不具体的异常(为什么这很糟糕是另一个讨论)。因此,任何使用子类的人都可以捕捉到这一点,无论您抛出多么具体的异常。


假设情况正好相反。基类 throwsArgumentNullException和子类Exception。现在,任何只知道基类的人都只会有 catch 块,ArgumentNullException因为这是他们所期望的。因此,当子类 throws 时,它们的应用程序将失败Exception

class MyClass
{
    public virtual void Foo()
    {
        if (true)
             throw new ArgumentNullException();
        }
    }
}

class MyDerivedClass : MyClass
{   
    public override void Foo() 
    {
        if (true)
            throw new Exception();
        }
    }           
}


public class Program
{
    public static void Main()
    {
        try
        {
            // a factory creating the correct 
            // MyClass derived instance
            var myClass = someFactory.Create();

            myClass.Foo();
        }
        catch (ArgumentNullException)
        {
            // won't work since the subclass 
            // violates LSP
        }
    }
}
于 2013-08-21T11:57:07.097 回答
1

在您发布的代码中,在子类型方面没有问题,因为在这两种情况下,您都在抛出异常的同一范围内捕获异常。但是假设派生类foo 没有 catch 子句,而基类有以下代码:

try {
    this.foo();
} catch (ArgumentOutOfRangeException e) {
    ...
}

基类假设foo只抛出 ArgumentOutOfRange,而派生类会因抛出 ArgumentNull 而违反该假设。

于 2013-08-21T12:16:10.173 回答