反转链表OJ题
文章目录
- 反转链表OJ题
- 题目:
- 分析及代码实现:
- 循环思想
- 递归思想
题目:
分析及代码实现:
循环思想
①新开辟一个空链表,我们将原链表里的元素进行头插,实现反转。
struct ListNode* reverseList(struct ListNode* head) {
struct ListNode* newhead = NULL, *phead = head;
while (phead)
{
struct ListNode* next = phead->next;//如果后找就找不到了。
phead->next = newhead;
newhead = phead;
phead = next;
}
return newhead;
}
②在遍历链表时,将结点的next指向前一个指针,由于节点没有引用其前一个节点,因此必须事先存储其前一个节点。在更改引用之前,还需要存储后一个节点。最后返回新的头引用。
struct ListNode* reverseList(struct ListNode* head) {
struct ListNode* n1, *n2, *n3;
if (head == NULL)
{
return NULL;
}
else
{
n1 = NULL, n2 = head, n3 = head->next;
while(n2)
{
n2->next = n1;
n1 = n2;
n2 = n3;
if (n3)
{
n3 = n3->next;
}
}
return n1;
}
}
递归思想
首先想说一句题外话,如果大家在看一个递归的代码没有看懂时,一定要画图!!!
本题如果使用递归的话,其实会比较复杂,并且反而会增加空间复杂度,使空间复杂度变成O(n)
关键点在于如果想反转,把nk->nk+1反转,需要变成nk->next->next = nk。而且不要忘记把n1的next设置成NULL,否则可能会出现环形链表。
struct ListNode* reverseList(struct ListNode* head) {
if (head == NULL || head->next== NULL) {
return head;
}
struct ListNode* newHead = reverseList(head->next);
head->next->next = head;
head->next = NULL;
return newHead;
}