有条件地继承两个类中的任何一个

时间:2012-12-08 17:27:36

标签: c++ inheritance c++03

  

可能重复:
  Generating Structures dynamically at compile time

我现在面临的情况是,我希望派生类继承Base1Base2,具体取决于条件(在C ++ 03中)。这意味着,我想实现类似的东西:

// pseudo-C++ code
class Derived : public
    if(condition) Base1    // inherit from Base1, if condition is true
    else Base2             // else inherit from Base2
{ /* */ };

这可能不是一个好的设计,但现实世界并不完美。

我在这里搜索了一个答案,但我不想使用预处理程序指令Problems with ifdef based inheritance in C++

我还能做到这一点吗?

1 个答案:

答案 0 :(得分:4)

我找到了使用模板和部分专业化的解决方案。以下代码可以解决问题:

// provide both the required types as template parameters
template<bool condition, typename FirstType, typename SecondType>
class License {};

// then do a partial specialization to choose either of two types 
template<typename FirstType, typename SecondType>
class License<true, FirstType, SecondType> {
public:    typedef FirstType TYPE;     // chosen when condition is true
};

template<typename FirstType, typename SecondType>
class License<false, FirstType, SecondType> {
public:    typedef SecondType TYPE;    // chosen when condition is false
};

class Standard {
public:    string getLicense() { return "Standard"; }
};

class Premium {
public:    string getLicense() { return "Premium"; }
};

const bool standard = true;
const bool premium = false;

// now choose the required base type in the first template parameter
class User1 : public License<standard, Standard, Premium>::TYPE {};
class User2 : public License<premium, Standard, Premium>::TYPE {};

int main() {
    User1 u1;
    cout << u1.getLicense() << endl;   // calls Standard::getLicense();
    User2 u2;
    cout << u2.getLicense() << endl;   // calls Premium::getLicense();
}

语法看起来不干净,但结果比使用预处理程序指令更清晰。