//单链表反转
#include <iostream>
using namespace std;
struct LinkNode
{
LinkNode *pNext;
int nValue;
LinkNode(int value = 0)
{
nValue = value;
pNext = NULL;
}
};
class Linklist
{
public:
Linklist(){ pHead = new LinkNode(); };
~Linklist(){ delete pHead;};
void InsertValue(int nValue);
void Reverse();
void Reverse2();
void Print();
private:
LinkNode *pHead;
};
void Linklist::InsertValue(int nValue)
{
if (pHead == NULL)
{
return;
}
LinkNode *pCur = pHead;
while (pCur->pNext != NULL)
{
pCur = pCur->pNext;
}
LinkNode *pTmp = new LinkNode(nValue);
pCur->pNext = pTmp;
}
void Linklist::Reverse()
{
if (pHead == NULL)
{
return;
}
//特殊情况:如果链表为空或者只有一个元素,直接返回
if (pHead->pNext == NULL || pHead->pNext->pNext == NULL)
{
return;
}
LinkNode *pPre = pHead;
LinkNode *pCur = pHead->pNext;
LinkNode *pNext;
while (pCur != NULL)
{
pNext = pCur->pNext;
pCur->pNext = pPre;
pPre = pCur;
pCur = pNext;
}
pHead->pNext->pNext = NULL;
pHead->pNext = pPre;
}
void Linklist::Reverse2()
{
if (pHead == NULL)
{
return;
}
//特殊情况:如果链表为空或者只有一个元素,直接返回
if (pHead->pNext == NULL || pHead->pNext->pNext == NULL)
{
return;
}
LinkNode *pCur = pHead->pNext;
LinkNode *pNext = NULL;
LinkNode *pNextNext = NULL;
while (pCur->pNext != NULL)
{
pNext = pCur->pNext;
pNextNext = pNext->pNext;
pNext->pNext = pHead->pNext;
pHead->pNext = pNext;
pCur->pNext = pNextNext;
}
}
void Linklist::Print()
{
if (pHead == NULL)
{
return;
}
LinkNode *pCur = pHead->pNext;
while (pCur != NULL)
{
cout<<pCur->nValue<<" ";
pCur = pCur->pNext;
}
cout<<endl;
}
int main()
{
Linklist list;
int nArr[] = {12,13,43,1,2,4,55,32};
for (int i = 0; i < 8; i++)
{
list.InsertValue(nArr[i]);
}
list.Reverse2();
list.Print();
return 0;
}
单链表逆转
最新推荐文章于 2024-03-29 10:01:21 发布