206. 反转链表(【难度:简单】
给你单链表的头节点 head
,请你反转链表,并返回反转后的链表。
输入:head = [1,2,3,4,5]
输出:[5,4,3,2,1]
输入:head = [1,2]
输出:[2,1]
输入:head = [ ]
输出:[ ]
提示:
[0, 5000]
-5000 <= Node.val <= 5000
**进阶:**链表可以选用迭代或递归方式完成反转。你能否用两种方法解决这道题?
将箭头反转
思路:从前往后拿下来一个一个头插
struct ListNode* reverseList(struct ListNode* head)
{
struct ListNode* cur = head;
struct ListNode* newhead = NULL;
while(cur)
{
struct ListNode* next = cur->next;
cur->next = newhead;
newhead = cur;
cur = next;
}
return newhead;
}
思路:从前往后一个一个方向反转
struct ListNode* reverseList(struct ListNode* head)
{
struct ListNode* n1,*n2,*n3;
n1 = NULL;
n2 = head;
n3 = NULL;
while(n2)
{
n3 = n2->next;
n2->next = n1;
//迭代器
n1 = n2;
n2 = n3;
}
return n1;
}
其实这个方法和第一个方法不能说很像,简直是一模一样。
思路:
head->next
;newHead
指向 递归反转后的链表;head
结点的位置即可struct ListNode* reverseList(struct ListNode* head)
{
//当链表为空和只有一个结点的时候,直接返回 NULL,不需要递归反转
if(head == NULL || head->next == NULL)
return head;
struct ListNode* newHead = reverseList(head->next);
//调整head结点的位置
head->next->next = head;
head->next = NULL;
return newHead;
}