我试图在我的循环单链表中将两端绑在一起。 在文件名file.txt中,包含ABCDEFGHIJKLMNOPQRSTUVWXYZ作为文本,我能够 分别打印出头部和尾部,A和Z.但是,我希望Z指向A 但是我的输出是A的地址(见下文)。我在addNode()中做错了什么?
#include <string.h>
#include <cstdio>
#include <cstdlib>
#include <stdio.h>
#include <stdlib.h>
#include <iostream>
#include <fstream> // For file input
#include <cassert> // for assertions
using namespace std;
FILE *filename = fopen("file.txt", "r"); // Try to open file
struct Node
{
char data;
Node* next;
} ;
void addNode( Node * &head, Node * &tail, char input)
{
Node *pTemp = new Node;
pTemp->data = input;
if( head == NULL)
{
head=pTemp;
tail=pTemp;
tail->next = head;
}
else
{
tail->next = pTemp;
pTemp->next=head;
}
tail=pTemp;
}//end addNode()
int main()
{
assert(filename);
Node *head=NULL;
Node *tail=NULL;
char c =' ';
int i=0;
while( fscanf(filename,"%c", &c) != EOF)
addNode( head,tail, c);
cout<<endl;
cout<<"\nHead element is "<<head->data<<endl;
cout<<"Tail element is "<<tail->data<<endl;
cout<<"After tail '"<<tail->data<<"' is : "<< tail->next<<endl;
}
当前输出为:
Head element is A
Tail element is Z
After tail 'Z' is : 0x371168
所需的输出是:
Head element is A
Tail element is Z
After tail 'Z' is : A
答案 0 :(得分:2)
#include <string.h>
#include <cstdio>
#include <cstdlib>
#include <stdio.h>
#include <stdlib.h>
#include <iostream>
#include <fstream> // For file input
#include <cassert> // for assertions
using namespace std;
FILE *filename = fopen("file.txt", "r"); // Try to open file
struct Node
{
char data;
Node* next;
} ;
void addNode( Node * &head, Node * &tail, char input)
{
Node *pTemp = new Node;
pTemp->data = input;
if( head == NULL)
{
head=tail =pTemp;
tail->next=pTemp;
}
else
{
pTemp->next = tail->next;
tail->next=pTemp;
tail = pTemp;
}
}//end addNode()
int main()
{
assert(filename);
Node *head=NULL;
Node *tail=NULL;
char c =' ';
int i=0;
while( fscanf(filename,"%c", &c) != EOF)
addNode( head,tail, c);
cout<<endl;
cout<<"\nHead element is "<<head->data<<endl;
cout<<"Tail element is "<<tail->data<<endl;
cout<<"After tail '"<<tail->data<<"' is : "<< tail->next->data<<endl;
}
试试这个。
我进一步改进并删除了addNode中的必需代码。
你想设置“tail-&gt; next = pTemp;”的原因是因为pTemp是一个新的内存,因为你正在创建一个链接列表,你希望前一个节点(下一个)指针指向新的内存。因此,它创建了一个链接列表。
这样不仅可以遍历第一个和最后一个元素。您可以遍历整个链接列表。
如果你错过了这个陈述,那么你将无法遍历。上一节点的下一个变量将不与下一个节点连接。
示例:
Node A
[A | pointer to self] <- head and tail
Node B
[A | pointer to B ] <-head
[B | pointer to A ] <-tail
Node C
[A | pointer to B ] <-head
[B | pointer to C ]
[C | pointer to A ] <-tail
Node D
[A | pointer to B ] <-head
[B | pointer to C ]
[C | pointer to D ]
[C | pointer to A ] <-tail
答案 1 :(得分:1)
tail->next
只是指向下一个元素的指针。您仍然应该将其称为data
成员:
cout<<"After tail '"<<tail->data<<"' is : "<< tail->next->data <<endl;