单链表
typedef int ElemType;
typedef struct LNode
{
ElemType data;
struct LNode* next;
}LinkNode;
建立
1)头插法
void CreateListF(LinkNode *&L,ElemType a[],int n)
{
LinkNode *s;
L=(LinkNode*)malloc(sizeof(LinkNode));
L->next=NULL;
for(int i=0;i<n;i++)
{
s=(LinkNode*)malloc(sizeof(LinkNode));
s->data=a[i];
s->next=L->next;
L->next=s;
}
}
2)尾插法
void CreateListR(LinkNode *&L,ElemType a[],int n)
{
LinkNode *s,*r;
L=(LinkNode*)malloc(sizeof(LinkNode));
r=L; //r始终指向尾结点
for(int i=0;i<n;i++)
{
s=(LinkNode*)malloc(sizeof(LinkNode));
s->data=a[i];
r->next=s;
r=s;
}
r->next=NULL;
}
初始化
void InitList(LinkNode *&L)
{
L=(LinkNode*)malloc(sizeof(LinkNode));
L->next=NULL;
}
销毁
void DestroyList(LinkNode *&L)
{
LinkNode *pre=L;*p=L->next; //pre指向p的前驱结点
while(p!=NULL)
{
free(pre);
pre=p;
p=pre->next;
}
free(pre);
}
判空
bool ListEmpty(LinkNode *L)
{
return (L->next==NULL);
}
求长
int ListLength(LinkNode *L)
{
int i=0;
LinkNode *s=L;
while(s->next!=NULL)
{
i++;
s=s->next;
}
return i;
}
输出线性表
void DispList(LinkNode *L)
{
LinkNode *s=L->next;
while(s!=NULL)
{
cout<<s->data<<" ";
s=s->next;
}
cout<<endl;
}
按位置求值
bool GetItem(LinkNode *L,int i,ElemType &e)
{
int j=0;
LinkNode *p=L;
if(i<=0) return false;
while(p!=NULL && j<i)
{
j++;
p=p->next;
}
if(p==NULL)
return false;
else
{
e=p->data;
return true;
}
}
按值查找
int LocateElem(LinkNode *L,ElemType e)
{
int i=1;
LinkNode *s=L->next;
while(s!=NULL && s->data!=e)
{
s=s->next;
i++;
}
if(s==NULL)
return 0;
else
return i;
}
插入
bool ListInsert(LinkNode *&L,int i,ElemType e)
{
if(i<=0) return false;
int j=0;
LinkNode *s=L,*p; //*p
while(s!=NULL && j<i-1)
{
j++;
s=s->next;
}
if(s==NULL)
return false;
else
{
p=(LinkNode*)malloc(sizeof(LinkNode));
p->data=e;
p->next=s->next;
s->next=p;
return true;
}
}
删除
bool DeleteList(LinkNode *&L,int i,ElemType &e)
{
if(i<=0) return false;
int j=0;
LinkNode *p=L,*q;
while(p!=NULL && j<i-1)
{
j++;
p=p->next;
}
if(p==NULL)
return false;
else
{
q=p->next;
if(q==NULL)
return false;
e=q->data;
p->next=q->next;
free(q);
return true;
}
}