我即将创建自己的可迭代通用Array实现。我创建了一个名为Iterable<E>
的界面,该界面将强制使用&#39;它的所有继承者都实现了它的所有纯虚方法。界面有以下原型:
可迭代
public:
virtual Iterable<E>& operator=(const Iterable<E>& iter) = 0;
virtual bool operator==(const Iterable<E>& iter) const = 0;
virtual bool operator!=(const Iterable<E>& iter) const = 0;
virtual Iterable<E>& operator++() = 0;
virtual E& operator*() = 0;
在Array<E>
我创建了以下方法:
Iterable<E> begin();
Iterable<E> end();
类Array<E>
具有Iterable<E>
的匿名嵌套实现,其内容如下:
ArrayIterator
class ArrayIterator : public Iterable<E> {
public:
ArrayIterator(Array<E>* array, const int index) : _array(array), _index(index) {};
ArrayIterator& operator=(const ArrayIterator& iter) override { _index = iter._index; return *this; }
bool operator==(const ArrayIterator& iter) const override { return _index == iter._index; }
bool operator!=(const ArrayIterator& iter) const override { return _index != iter._index; }
ArrayIterator& operator++() override { _index++; return *this; }
E& operator*() override { return _array[_index]; }
private:
Array<E>* _array;
int _index;
};
然后我在ArrayIterator
和begin()
方法中返回end()
个实例:
Iterable<E> Array<E>::begin() {
return ArrayIterator(this, 0);
}
Iterable<E> Array<E>::end() {
return ArrayIterator(this, this->length()); //length() returns array size
}
Everything编译得很好,但是当我尝试使用每个时,我会抛出一个编译时错误: &#39; Iterable cannon instantiable abstract class&#39; 在以下示例中:
int main() {
Array<int> array{1, 2, 3, 4};
for(int i : array) { //<- error points to this line
}
}
作为Iterable
,我已经返回了ArrayIterator
这是它的实现,不应该通过多态实现吗?
答案 0 :(得分:0)
您的begin
和end
功能都返回Iterable<E>
,而不是ArrayIterator
。您创建的要返回的ArrayIterator
是切片,只返回创建对象的基本部分。
由于这需要创建抽象类,因此会出现编译错误。