我想打印出我刚才制作的链表。 我已经想出如何打印出第一个和最后一个元素但却想不出打印整个列表的方法。
我需要从第一个元素移动到下一个元素 并且需要在最后停止的条件。
但我不会在此处实现迭代器。 只需使用指针和节点,我可以打印整个列表吗?
int main ()
{ LinkedList name_list;
name_list.TraPrinhead(name_list); }
void LinkedList::TraPrinHead(const LinkedList& p)
{
cout << "The First Element of this List is : ";
cout << header->next->elem; // print out the first element
cout << endl;
cout << "The Last Element of this List is : ";
cout << tail->prev->elem; // print out the first element
cout << endl;
cout << "Now the whole list.......";
cout << ??????????????????????
}
class LinkedList {
public: class Nodes { // Doubly Linked List Node
public:
Nodes(const string& e);
void ToNodeValue(const string& e);
string getElemValue() const;
void printNodeValue();
private:
string elem; // node element value
Nodes* prev; // previous node in list
Nodes* next; // next node in list
// pointer that points to current node is this pointer
public:
void ConnectSingly(Nodes* a, Nodes* b);
void ConnectDoubly(Nodes* a, Nodes* b);
friend class LinkedList;
};
public:
LinkedList();
virtual ~LinkedList();
bool empty() const;
const string& getFirst() const;
const string& getLast() const;
void addtoFront(const string& e);
void addtoBack(const string& e);
void TraPrinHead(const LinkedList& p);
private:
Nodes* header;
Nodes* tail;
protected:
void InsertDoublyBefore(Nodes* d, const string& e);
void InsertDoublyAfter(Nodes* d, const string& e);
friend class Nodes;
};
void LinkedList::InsertDoublyBefore(Nodes* d, const string& e) {
if (header->next == tail)
{ // header->next->elem = e;
Nodes* n = new Nodes;
n->elem = e;
n->next = tail;
n->prev = tail->prev;
tail->prev->next = tail->prev = n;
header->next = n;
}
else
{
Nodes* n = new Nodes;
n->elem = e;
n->next = d;
n->prev = d->prev;
d->prev->next = d->prev = n;
}
}
void LinkedList::InsertDoublyAfter(Nodes* d, const string& e)
{
InsertDoublyBefore(d->next, e);
}
void LinkedList::addtoFront(const string& e) { InsertDoublyBefore(header->next, e); }
void LinkedList::addtoBack(const string& e) { InsertDoublyBefore(tail, e); }
void LinkedList::Nodes::ConnectSingly(Nodes* a, Nodes* b)
{
a->next = b; // a's next pointer points to b
}
void LinkedList::Nodes::ConnectDoubly(Nodes* a, Nodes* b)
{
a->next = b; // a's next pointer points to b
b->prev = a; // b's prev pointer points to a
}
答案 0 :(得分:0)
Node* p = myList.head;
while(p) {
std::cout << p->elem << " ";;
p = p->next;
}
它按照您的预期执行,继续转到下一个元素,直到它为NULL(到达结尾) 编译器将NULL更改为0,0 == false
您应该尝试查看您的讲义,因为我已经为您回答了关于本课程的问题。
另外,我认为通常尾部指向最后一个元素,而不是它的一个元素。 所以打印最后一个元素应该是
cout << tail->elem; // print out the first element
除非您的教师另有规定。
显然,你需要为大多数变量制作'getter'函数,因为它们被声明为私有。
答案 1 :(得分:0)
链表的重点是你可以使用一个元素来访问下一个元素。所以你只需要使用指针迭代列表。
Nodes* currentNodes = header->next; //pointer used to iterate through list; initially points at first element of list
while(currentNodes != tail) { //condition to stop
cout << currentNodes->elem << endl;
currentNodes = currentNodes->next;
}