C ++从基类中的非虚函数调用纯虚函数

时间:2018-03-04 13:01:05

标签: c++ linker-errors clang++ virtual-functions

我知道你可以/不应该在构造函数中调用虚函数,并且不能使用纯虚析构函数。

我有两个班,Base和Child。

Base有一个纯虚函数和一个调用虚函数的普通函数。

// base.h
class Base {
public:
    virtual int foo() const = 0;
    int bar() const;
};

// base.cpp
#include "base.h"
int Base::bar() const {
    return this->foo()*3;
}

Child实现虚函数。

// child.h
#include "base.h"
class Child : public Base {
public:
    int foo() const;
};

// child.cpp
#include "child.h"
int Child::foo() const {
    return 5;
}
然后我创建子对象和调用栏,它在基础中定义。

// main.cpp
#include "child.h"
...
Child c;
std::cout << c.bar();
...

然后clang编译器给我一个链接器错误

Undefined symbols for architecture x86_64:
  "Base::bar() const", referenced from:
      _main in main.cpp.o
  "vtable for Child", referenced from:
      Child::Child() in main.cpp.o
  NOTE: a missing vtable usually means the first non-inline virtual member function has no definition.
ld: symbol(s) not found for architecture x86_64

这对我没有意义,因为据我所知,有一个由子类定义的纯虚拟成员函数foo。据我所知,bar未标记为虚拟,因此应定义符号。是以某种方式过渡虚拟吗?

我哪里错了?

编辑: 这是我的CMakeLists.txt

cmake_minimum_required(VERSION 3.6)
project(inheritance)

set(CMAKE_CXX_STANDARD 11)

set(SOURCE_FILES main.cpp)
add_executable(inheritance ${SOURCE_FILES})

编辑2:解决方案 根据@dasblinkenlight的回答,源文件必须一起编译,因此必须将最后一个代码块的第6行更改为

set(SOURCE_FILES main.cpp base.cpp child.cpp)

2 个答案:

答案 0 :(得分:3)

你有一个错字,&#34; const&#34;在Base :: bar函数中遗漏了,然后它与Base类中声明的函数签名不同。

// base.cpp
int Base::bar() const {
    return this->foo()*3;
}

答案 1 :(得分:1)

  

我知道你可以/不应该在构造函数中调用虚函数,并且不能使用纯虚析构函数。

声明一个纯虚函数并不意味着你不能为它提供实现。这也适用于析构函数:

struct Foo {
    virtual ~Foo() = 0;
    ...
};
Foo::~Foo() {
    ... // Implement destructor
}
  

然后clang编译器给我一个链接器错误

Undefined symbols for architecture x86_64:
    "Base::bar() const", referenced from:

这通常发生在您错误地逐个编译类,然后不正确链接它们时。编译器有一种简单的方法可以将所有类一起编译,并链接结果,如下所示:

g++ base.cpp child.cpp main.cpp

请注意,您需要在其实现文件中包含类的标头,例如

#include "base.h"

int Base::bar() {
    return this->foo()*3;
}

确保修复过程中出现的任何错误(提示:上面会产生错误)。