#include <stdio.h>
#include <stdlib.h>
typedef struct node{
int data;
struct node *next;
}LNode,*LinkList;
bool InitList(LinkList &L){
L=NULL;
return true;
}
LinkList List_HeadInsert(LinkList &L){
LNode *s;
int x;
InitList(L);
while(~scanf("%d",&x)){
s=(LNode *)malloc(sizeof(LNode));
s->data=x;
s->next=NULL;
if(L==NULL){
L=s;
}
else{
s->next=L;
L=s;
}
}
return L;
}
LinkList List_TailInsert(LinkList &L){
LNode *s,*r;
int x;
InitList(L);
while(~scanf("%d",&x)){
s=(LNode *)malloc(sizeof(LNode));
s->data=x;
if(L==NULL){
L=s;
r=s;
}
else{
r->next=s;
r=s;
}
}
r->next=NULL;
return L;
}
void PrintList(LinkList &L){
LNode *p=L;
while(p!=NULL){
printf("%d ",p->data);
p=p->next;
}
}
void FreeLink(LinkList L){
LNode *s=L;
while(s!=NULL){
L=s->next;
delete(s);
s=L;
}
}
int main(){
LinkList L;
List_TailInsert(L);
PrintList(L);
FreeLink(L);
return 0;
}
|