2

我必须根据客户类型创建对象系列。我有一个基本抽象类 ApplicationRulesFactory,它定义了虚拟接口。许多具体的客户类都继承自这个类。

问题是对于一些客户说 CustomerB 我们不使用对象 Rule2 和 Rule3 因为应用程序中使用这些对象 Rule2 和 Rule3 的功能在该客户的应用程序用户界面中被禁用,所以我们真的不需要完全实例化这些对象。

简化的代码在这里,即实际上 ApplicationRulesFactory 有更多的虚拟方法,以及从它继承的更具体的客户类:

class ApplicationRulesFactory
{
  virtual Rule1*  GetRule1() = 0;
  virtual Rule2*  GetRule2() = 0;
  virtual Rule3*  GetRule3() = 0;   
  .....
};

class ACustomerRulesFactory : public ApplicationRulesFactory
{
   Rule1* GetRule1()
   {
     return new ACustomerRule1();
   }

  Rule2 * GetRule2()
  {
    return new ACustomerRule2();
  }  

 Rule3* GetRule3()
 {
   return new ACustomerRule3();
 }  
};  

class BCustomerRulesFactory : public ApplicationRulesFactory
{
    Rule1* GetRule1()
    {
      return new BCustomerRule1();
    }
    Rule2* GetRule2() // not needed
    {
      // what to return here ?
    }  
    Rule3* GetRule3() // not needed
    {
     // what to return here ?
    }
};

那么我应该如何去实现这个:

1) 在基类 ApplicationRulesFactory 中返回一些默认实现:

class ApplicationRulesFactory
{
  virtual Rule1*  GetRule1() = 0;
  virtual Rule2*  GetRule2()  { return new Rule2DefaultImpl();}
  virtual Rule3*  GetRule3()  { return new Rule3DefaultIml();}   
};

但这似乎是错误的,从 Rule1,Rule2 继承新类(Rule1DefaultImpl,Rule2DefaultImpl),并可能使它们具有空实现,只是为了像 ApplicationRulesFactory 中的默认实现一样返回它们

2)或在具体类中返回默认实现并将这些方法保留在基类中纯虚拟

class BCustomerRulesFactory : public ApplicationRulesFactory
{
  Rule1* GetRule1()
  {
     return new BCustomerRule1();
  }

  Rule2* GetRule2() 
  {
    return new Rule2DefaultImpl();
  }

 Rule3* GetRule3() 
 {
    return new Rule3DefaultImpl();
 }
};

这些解决方案似乎也很难重新定义每个具体客户类中的方法,尽管它们不是必需的。

3) 另外我有一种感觉,也许我不应该像这样使用继承,因为这违反了继承的 IS-A 规则,导致大量方法不适用于所有具体的客户类,但不要如何在没有继承的情况下实现这一点。

有任何想法吗

4

3 回答 3

4

如果ApplicationRulesFactory对某些类型没有意义Customers,那么它就不是适合您的抽象。

您的域knows有什么意义,那么为什么要要求Rule2and Rule3

使知道它只需要的对象Rule1使用只提供它的工厂Rule1。给它一个上下文,这样它就可以得到它需要的工厂。

于 2013-01-21T08:56:07.563 回答
1

您似乎将界面和工厂混合在一起。当然,接口本身应该是一个类,具有各种规则,这些规则在基类中具有默认行为,然后在派生类中具有覆盖行为,然后工厂返回一个指向实现正确规则的请求类的指针对于那种情况。

但也许我误解了你想要达到的目标......

于 2013-01-21T08:47:06.117 回答
0

如果这些规则永远无法使用,我建议只从基类实现返回一个空指针(主要像您的选项之一,除了甚至不打扰默认实现,因为它永远不会被调用)。

于 2013-01-21T08:45:32.077 回答