6

我有一BankAccount堂课。FixedBankAccountSavingsBankAccount由此衍生。
如果收到的对象不是派生对象,我需要抛出异常。我有以下代码。

IEnumerable<DBML_Project.BankAccount> accounts = AccountRepository.GetAllAccountsForUser(userId);
foreach (DBML_Project.BankAccount acc in accounts)
{
    string typeResult = Convert.ToString(acc.GetType());
    string baseValue = Convert.ToString(typeof(DBML_Project.BankAccount));

    if (String.Equals(typeResult, baseValue))
    {
        throw new Exception("Not correct derived type");
    }
}

namespace DBML_Project
{

public  partial class BankAccount
{
    // Define the domain behaviors
    public virtual void Freeze()
    {
        // Do nothing
    }
}

public class FixedBankAccount : BankAccount
{
    public override void Freeze()
    {
        this.Status = "FrozenFA";
    }
}

public class SavingsBankAccount : BankAccount
{
    public override void Freeze()
    {
        this.Status = "FrozenSB";
    }
}

} // namespace DBML_Project

还有比这更好的代码吗?

4

5 回答 5

11

你应该使用Type.IsAssignableFrom

if (acc.GetType().IsAssignableFrom(typeof(BankAccount)))
    // base class
else
    // derived
于 2012-07-03T06:53:03.443 回答
5

将 BankAccount 类声明为 Abstract。

于 2012-07-03T06:53:39.340 回答
2

使用Type.IsSubclassOf方法。有关更多信息,请查看

foreach (DBML_Project.BankAccount acc in accounts)
{
    if (!acc.GetType().IsSubclassOf(typeof(DBML_Project.BankAccount))
    {
        throw new Exception("Not correct derived type");
    }
}
于 2012-07-03T06:54:58.137 回答
2

我会定义一个接口(类似于 IAccettableBankAccount,但您知道您的域,因此您应该能够找到更好的名称)并让 FixedBankAccount 和 SavingsBankAccount 实现它。那么您的测试将只是:

if (!acc is IAccettableBankAccount)
{
     throw new Exception("Not correct derived type");
}
于 2012-07-03T08:46:38.977 回答
0

您可以直接检查类型:

    var accounts = AccountRepository.GetAllAccountsForUser(userId);
    if (accounts.Any(acc => acc.GetType() == typeof(DBML_Project.BankAccount))) {
        throw new Exception("Not correct derived type");
    }

将类声明为抽象类也可能有所帮助,但我不知道这是否适合您的情况。

于 2012-07-03T06:53:42.663 回答