15

是否可以在 C++ (C++11) 中创建 mixins - 我想为每个实例创建行为,而不是每个类。

在 Scala 中,我会使用匿名类来做到这一点

val dylan = new Person with Singer
4

2 回答 2

33

如果这些是您现有的课程:

class Person
{
public:
    Person(const string& name): name_(name) {}
    void name() { cout << "name: " << name_ << endl; }

protected:
    string name_;
};

class Singer
{
public:
    Singer(const string& song, int year): song_(song), year_(year) {}
    void song() { cout << "song: " << song_ << ", " << year_ << endl; }

protected:
    string song_;
    int year_;
};

然后你可以在 C++11 中玩转这个概念

template<typename... Mixins>
class Mixer: public Mixins...
{
public:
    Mixer(const Mixins&... mixins): Mixins(mixins)... {}
};

像这样使用它:

int main() {    
    Mixer<Person,Singer> dylan{{"Dylan"} , {"Like a Rolling Stone", 1965}};

    dylan.name();
    dylan.song(); 
}
于 2013-07-13T08:58:47.170 回答
5

除了 emesx 建议的静态方法之外,我还熟悉至少一个 C++ 库,它允许您在运行时使用 mixins 构建对象。在定义和调用方法时,您牺牲了一些东西,例如自然的 C++ 语法,但您获得了其他好处,例如大大减少了代码中的物理依赖性和运行时的更大灵活性。它的起源植根于实体组件系统,该系统在游戏开发行业非常流行,并且实现非常高效。

https://github.com/iboB/dynamix

于 2013-07-15T10:00:58.550 回答