一、题目
二、解决方案1--添加指针辅助遍历
思路:
三个指针,分别指向:当前节点、前一个节点、后一个节点。通过指针的辅助使得当前节点的next指向前一个节点,这样遍历完一遍之后所有的next全部翻转指向其前一个节点。
代码:
cpp
/**
* struct ListNode {
* int val;
* struct ListNode *next;
* ListNode(int x) : val(x), next(nullptr) {}
* };
*/
class Solution {
public:
/**
* 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
*
*
* @param head ListNode类
* @return ListNode类
*/
ListNode* ReverseList(ListNode* head) {
// write code here
//链表本身没有元素或只有一个元素
if(head==NULL || head->next==NULL){
return head;
}
ListNode *preNode=NULL; //前一个节点
ListNode *nextNode; //后一个节点
while(head){
nextNode= head->next;
head->next=preNode;
preNode=head;
head=nextNode;
}
return preNode;
}
};
三、解决方案二--使用栈进行辅助
思路:
遍历一轮,将节点依次压入栈,然后从栈顶依次取出节点,并另上一次取出节点的next指向当前取出的节点,最后记得将最后一个节点的nxet指向NULL。
题目:
cpp
/**
* struct ListNode {
* int val;
* struct ListNode *next;
* ListNode(int x) : val(x), next(nullptr) {}
* };
*/
class Solution {
public:
/**
* 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
*
*
* @param head ListNode类
* @return ListNode类
*/
ListNode* ReverseList(ListNode* head) {
// write code here
//链表本身没有元素或只有一个元素
if(head==NULL || head->next==NULL){
return head;
}
std::stack<ListNode *> s;
while(head){
s.push(head);
head=head->next;
}
cout<<s.size()<<endl;
ListNode *newHead;
head=s.top();
s.pop();
newHead=head;
while(!s.empty()){
head->next=s.top();
s.pop();
head=head->next;
}
//最后一个元素的next指向空,不然就变成循环链表了
head->next=NULL;
return newHead;
}
};