我试图在C++中实现链接列表类,我有问题。我有添加新节点的+ =运算符。C++不保存更改通过其他方法
链表类接口:
template <typename Type>
class LinkedList {
public:
LinkedList<Type>* head;
// linked list stracture
Type data;
LinkedList<Type>* next;
// others ....
size_t length;
public:
LinkedList();
~LinkedList();
void initializeHead(LinkedList<Type>* headPtr);
size_t size() const;
LinkedList& operator+=(const Type& add);
void operator-=(const Type& remove);
LinkedList<Type>& operator[] (const size_t index) const;
bool operator== (const LinkedList<Type> &versus) const;
friend ostream& operator<< (ostream& out,LinkedList& obj);
};
和这里我有+ =超载实现:
template <typename Type> LinkedList<Type>& LinkedList<Type>::operator +=(const Type& add) {
// head ptr - :)
LinkedList<Type>* p = head->next;
// go to the end
while(p) p = p->next;
// now on end - create new..!!!
try {
p = new LinkedList<Type>;
} catch (bad_alloc& e) {
cout << "There\'s an allocation error....";
} catch (...) {
cout << "An unknown error.." << endl;
}// fill and done
p->data = add;
p->next = NULL;
// increment length .........
++head->length;
// done ............
return *p;
}
此外,我有 “阵列” 接入过载的方法:
template <typename Type> LinkedList<Type>& LinkedList<Type>::operator [](const size_t index) const {
if(index < 0 || index >= length) // invaild argument
throw exception();
// continue
LinkedList<Type>* p = head;
for(size_t i = 0; i < index; ++i) p = p->next; // we are at what we want
return *p;
}
所有工作正常 - 我检查了二硼,
问题是 - + =不会将新节点保存在“head-> next”中,出于某种原因,在完成+ =方法后,head-> next等于null。
有人知道为什么新分配不能链接到head-> next?
非常感谢!
如果你尝试实现堆栈,它会简单得多。 –
链接列表并不比向量好。它们实际上比较慢,并且不支持随机访问。至少实现这种具有恒定时间插入的LL,而不是O(n)。 –