c++ - 了解双重调度 C++

标签 c++ double-dispatch

我试图了解双重调度的工作原理。我创建了一个从抽象类 Creature 派生的怪物和战士可以战斗的示例。类 Creature 有方法“fight”,它在派生类中定义,并且在每个派生类中定义了如果战士与战士或怪物等战斗会发生什么。我编写了以下代码:

#include<iostream>
using namespace std;

class Monster;
class Warrior;

class Creature{
public:
    virtual void fight(Creature&) =0;
};

class Monster: public Creature{
    void fightwho(Warrior& w) {cout<<"Monster versus Warrior"<<endl; }
    void fightwho(Monster& m) {cout<<"Monster versus Monster"<<endl; }
public:
    void fight(Creature& c)  {c.fightwho(*this);}
};

class Warrior: public Creature{
    void fightwho(Warrior& w) {cout<<"Warrior versus Warrior"<<endl; }
    void fightwho(Monster& m) {cout<<"Monster versus Warrior"<<endl; }
public:
    void fight(Creature& c) {c.fightwho(*this);}
};

int main()
{
Warrior w;
Monster m;
w.fight(m);
}

这会导致编译器错误,我预见到:

ex12_10.cpp:在成员函数“virtual void Monster::fight(Creature&)”中:ex12_10.cpp:17:30:错误:“class Creature”没有名为“fightwho”的成员

ex12_10.cpp:在成员函数“virtual void Warrior::fight(Creature&)”中:ex12_10.cpp:24:29:错误:“class Creature”没有名为“fightwho”的成员

但我不知道如何从这里开始......请帮助。

最佳答案

嗯,很明显,你真的没有在你的 Creature 类中声明 fightwho,所以你需要在那里声明它,并将它声明为 virtual .

双重调度的工作方式是调用(假设 Warrior& w = ...,而不是 Warrior w):

w.fight(m);

首先虚拟机制将选择 Warrior::fight 而不是 Monster::fight 然后重载机制将选择 Monster::fightwho(Warrior& m ) 而不是 Warrior::fightwho(Warrior& m)。请注意,如果您有以下内容会更有意义:

Warrior w;
Monster m;
Creature& c1 = w;
Creature& c2 = m;
c1.fight(c2); // not w.fight(m)

因此,最终将被调用的方法将根据您调用它的对象的类型和作为参数发送的对象的类型进行调度,即双重调度

此外,请注意,这可能不是最好的示例,因为您的类型是同一层次结构的成员。访问者设计模式是在不支持它作为一等公民的语言中实现双重分派(dispatch)的一个很好的例子(即 C++ 和衍生品:Java、C#...)

正如@CrazyCasta 正确指出的那样,当您的类层次结构开始增长时,这种方法变得更加难以维护,并且可能导致方法数量激增,因此请谨慎选择...

关于c++ - 了解双重调度 C++,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/12582040/

相关文章:

java - 如何使用双重调度来分析图形基元的交集?

c++ - 使用应用程序的 Windows API commctrl.h 无法在没有 Platform SDK 的计算机上运行

C++ 二叉搜索树通过递归插入

c++ - 如何使用 C++ 中的函数永久更改类属性值?

c++ - C++ 中具有多个可访问参数的访问者模式

C++:关于访问者模式的疑惑

c++ - 一个模板类如何继承另一个模板类?

java - 如何切换 Eclipse 视角?

c++ - 双重分派(dispatch)的循环依赖

java - 当有接受 Object 类的方法时进行双重调度