typedef int SLTDateType; //先重命名一个类型声明,方便修改数据类型注意:typedef struct SListNode //定义链表结构体
{
SLTDateType data; //数据元素
struct SListNode* next; //这个为结构体指针,指向下一个结构体位置的指针
}SListNode; //结构体类型重命名为SListNode
SListNode* SListInit(){
SListNode* set = (SListNode*)malloc(sizeof(SListNode));
if (set == NULL) //避免malloc失败,
{
printf("malloc error...\n");
exit(-1);
}
set->data = 0; //该数据不是有效数据,可以忽略
set->next = NULL; //把下一个节点置空;
return set;
}
// 动态申请一个节点
SListNode* BuySListNode(SLTDateType x)
{
SListNode* cur = (SListNode*)malloc(sizeof(SListNode));
if (cur == NULL)
{
perror("BuySListNode( ):error...");
exit(-1);
}
cur->data = x;
cur->next = NULL;
return cur; //创建一个结构体,并返回改结构体地址
}
void SListPushFront(SListNode* pplist, SLTDateType x) //x:插入的数据
{
assert(pplist); //断言一下pplist,防止为空;
SListNode* pvr = BuySListNode(x); //动态申请一个节点
pvr->next = pplist->next;
pplist->next = pvr;
}
void SListPopFront(SListNode* pplist) //该函数同理,把next指针的方向搞清楚
{
assert(pplist);
SListNode* cur = pplist->next;
pplist->next = cur->next;
free(cur);
cur = NULL;
}
void SListPushBack(SListNode* pplist, SLTDateType x)
{
assert(pplist);
SListNode* pvr = BuySListNode(x);
SListNode* nex = pplist;
while (nex->next!=NULL) //循环走到最后一个位置,
{
nex = nex->next;
}
nex->next = pvr;
}
void SListPopBack(SListNode* pplist) //与上面尾插一样,
{
assert(pplist);
SListNode* cur = pplist;
while (cur->next->next) //走到最后倒数第二个位置
{
cur = cur->next;
}
free(cur->next); //free最后一个位置
cur->next = NULL; //把cur置空;完成尾删
}
SListNode* SListFind(SListNode* plist, SLTDateType x)
{
SListNode* tmp = plist->next; //单链表查找的话,只能遍历一遍链表
while (tmp)
{
if (tmp->data == x) //如果找到x,就返回tmp指针
return tmp;
tmp = tmp->next;
}
return NULL; //没找到就返回空值
void SLTDestroy(SListNode* pphead)
{
SListNode* cur = pphead;
while (cur)
{
SListNode* next = cur->next; //保存cur下一个指针
free(cur); //free掉cur指向的位置;
cur = next;
} //循环直至cur为空为止;
pphead->next = NULL;
}
上一篇:【算法Hot100系列】旋转图像