使用接口时对 vtable 的未定义引用

Mar*_*utt 4 c++ polymorphism inheritance interface

我环顾四周,我无法弄清楚我哪里出错了,因为我在使用接口时似乎遵循了正确的约定,但也许我忽略了一些东西。我得到的确切错误是:

对 Icommand 的 vtable 的未定义引用

我刚刚开始将我的类和类声明分离到单独的头文件中,所以也许我在某处缺少预处理器指令。

主.cpp:

#include <iostream>
#include <string>
#include <cstdlib>
#include "Icommand.h"

#include "Command.h"

using namespace std;

void pause();

int main(){


    Icommand *run = new Command("TEST");
    cout << run->getCommand() << endl;
    delete run;

    pause();
}

void pause(){
    cin.clear();
    cin.ignore(cin.rdbuf()->in_avail());
    cin.get();
}
Run Code Online (Sandbox Code Playgroud)

命令.h:

#ifndef ICOMMAND_H
#define ICOMMAND_H

#include <string>
#include <vector>


class Icommand
{
    private:

    public:
        Icommand(){}
        virtual ~Icommand(){}
        virtual bool run(std::string object1) = 0;
        virtual bool run(std::string object1, std::string object2) = 0;
        virtual std::string getCommand() const;
};



#endif // ICOMMAND_H
Run Code Online (Sandbox Code Playgroud)

命令.h:

#ifndef COMMAND_H
#define COMMAND_H

#include <string>
#include <vector>

#include "Icommand.h"

class Command : public Icommand {

    private:
        std::string command;
        std::vector<std::string> synonymns;
        Command(); // private so class much be instantiated with a command

    public:
        Command(std::string command) : command(command){}
        ~Command(){}
        bool run(std::string object1);
        bool run(std::string object1, std::string object2);
        std::string getCommand() const;


};
#endif // COMMAND_H
Run Code Online (Sandbox Code Playgroud)

命令.cpp:

#include <string>
#include <vector>

#include "Command.h"

bool Command::run(std::string object1){
    return false;
}
bool Command::run(std::string object1, std::string object2){
    return false;
}
std::string Command::getCommand() const {return command;}
Run Code Online (Sandbox Code Playgroud)

Win*_*ute 7

在 Icommand.h 中,替换

virtual std::string getCommand() const;
Run Code Online (Sandbox Code Playgroud)

virtual std::string getCommand() const = 0;
Run Code Online (Sandbox Code Playgroud)

使其纯虚拟。然后编译器可以为Icommand. 或者,实施Icommand::getCommand.

  • 是的,这已经解决了问题,尽管我仍然难以理解为什么它需要是纯虚函数。我必须熟悉 vtables。 (2认同)