反转链表需要记录 三个节点,
- pNode是当前节点,反转当前链表,需要记录下一个节点pNext
- 将当前节点指向前一个节点pPrev
/*
struct ListNode {
int val;
struct ListNode *next;
ListNode(int x) :
val(x), next(NULL) {
}
};*/
class Solution {
public:
ListNode* ReverseList(ListNode* pHead) {
ListNode *pResHead=nullptr;
ListNode *pNode=pHead;
ListNode *pPre=nullptr;
while(pNode !=nullptr){
ListNode *pNext=pNode ->next;
if(pNext==nullptr){
pResHead=pNode;
}
pNode->next=pPre;
pPre=pNode;
pNode=pNext;
}
return pResHead;
}
};