0

我有 4 个 C++ 文件、2 个头文件和 2 个 .cc 文件。这只是一个概念证明,但我似乎无法正确理解。

我的第一个标题如下所示:

#ifndef INT_LIST_H
#define INT_LIST_H
class IntList
{
  public:

     //Adds item to the end of the list
     virtual void pushBack(int item) = 0;
};
#endif

我的第二个标题使用第一个标题,如下所示:

#ifndef ArrayIntList_H
#define ArrayIntList_H
#include "IntList.h"


class ArrayIntList : public IntList
{
    private:
        int* arrayList;
        int* arrayLength;

     public:
        //Initializes the list with the given capacity and length 0
        ArrayIntList(int capacity);

        //Adds item to the end of the list
        virtual void pushBack(int item) = 0;

};
#endif  

我的第一个 .cc 文件填充了上一个类的方法:

#include <iostream>
#include "ArrayIntList.h"

ArrayIntList::ArrayIntList(int capacity)
{
    //make an array on the heap with size capacity
    arrayList = new int[capacity];
    //and length 0
    arrayLength = 0; 
}

void ArrayIntList::pushBack(int item)
{
    arrayList[*arrayLength] = item;
}

这是我的主要功能:

#include <iostream>
#include "ArrayIntList.h"

int main(int argc, const char * argv[])
{
    ArrayIntList s(5);
}

当我在 Xcode 中运行它时,我收到“变量 ArrayIntList 是一个抽象类”的错误,我不明白这是怎么回事,因为我在上面的 .cc 文件中定义了它。有任何想法吗?

4

5 回答 5

4

在类 ArrayIntList 上使用这个

virtual void pushBack(int item);

而不是这个

virtual void pushBack(int item) = 0;

原因是当您将 0 分配给函数声明时,您是在说它是“纯”的,或者未实现。但是你在下面这样做(实现它)。

于 2012-10-11T02:25:36.750 回答
3

您已被ArrayIntList::pushBack(int item)声明为纯虚函数。这就是它的 = 0作用。= 0从 ArrayIntList.h 中删除。

另外:您正在使用 int 指针而不是 int 来跟踪数组长度。

于 2012-10-11T02:28:23.833 回答
2

在 ArrayIntList 类的声明中,您需要从方法声明中删除“= 0”。您可能还需要将 arrayLength 声明为 int 而不是指向 int 的指针。最后,由于您在构造函数中为数组分配内存,因此您应该声明一个析构函数以在对象被销毁时释放内存:

class ArrayIntList : public IntList
{
private:
    int* arrayList;
    int arrayLength;

public:
    //Initializes the list with the given capacity and length 0
    ArrayIntList(int capacity);

    virtual ~ArrayIntList() { delete arrayList; }

    //Adds item to the end of the list
    virtual void pushBack(int item);

};

当然,处理数组列表的最佳方法是使用 astd::vector<int>代替,这样您就不必手动处理内存分配和释放

于 2012-10-11T02:29:40.170 回答
0

在类 ArrayIntList 中,您声明了一个纯虚拟“virtual void pushBack(int item) = 0;” 您已经在抽象父 IntList 中声明了它。您需要做的就是将其声明为“virtual void pushBack(int item);”。

于 2012-10-11T02:35:22.520 回答
0

一个抽象基类不能继承另一个抽象基类,去掉

= 0;

从您在 ArrayIntList 中的方程式:

virtual void pushBack(int item) = 0;
于 2012-10-11T04:01:37.210 回答