🔥博客主页: 我要成为C++领域大神
🎥系列专栏:【C++核心编程】 【计算机网络】 【Linux编程】 【操作系统】
❤️感谢大家点赞👍收藏⭐评论✍️
本博客致力于分享知识,欢迎大家共同学习和交流。
给你单链表的头节点 head ,请你反转链表,并返回反转后的链表。
示例 1:
输入:head = [1,2,3,4,5]
输出:[5,4,3,2,1]
示例 2:
输入:head = [1,2]
输出:[2,1]
示例 3:
输入:head = []
输出:[]
方法一:三个指针移动
流程:
1、定义三个节点prev指向空,current指向表头节点,next指向空
2、断开、改向、移动
让next指向current的next
让current的next指向prev(断开、改向)
prev指向current
current指向next的next(移动)
3、重复2,直到current为空。
4、返回prev
代码实现:
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
ListNode* reverseList(ListNode* head) {
ListNode* prev = nullptr;
ListNode* current = head;
ListNode* next = nullptr;
while (current != nullptr) {
next = current->next;
current->next = prev;
prev = current;
current = next;
}
return prev;
}
};
方法二:栈
流程:
1、创建一个stack类型的容器,用来存放链表节点
2、按照栈的先进后出的特点,再依次弹出栈中各个元素,并进行连接
代码实现:
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
ListNode* reverseList(ListNode* head) {
if (head == nullptr)
return nullptr;
stack<ListNode*> s;
// 将链表节点压入栈中
while (head != nullptr) {
s.push(head);
head = head->next;
}
// 从栈中依次取出节点,并翻转链表
ListNode* newHead = s.top();
s.pop();
ListNode* current = newHead;
while (!s.empty()) {
current->next = s.top();
s.pop();
current = current->next;
}
// 最后一个节点指向 nullptr
current->next = nullptr;
return newHead;
}
};