LeetCode:反转链表

Posted 一路一沙

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LeetCode:反转链表相关的知识,希望对你有一定的参考价值。


C++示例:

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
class Solution {
public:
    // 递归实现反转
    ListNode* reverseList(ListNode* head) {
        if (head == NULL) {
            cout << "The list is empty." << endl;
            return NULL;
        }   
        if (head->next == NULL) {
            return head;
        }
        ListNode* newHead = reverseList(head->next);
        head->next->next = head;
        head->next = NULL;
        return newHead;
    }
    
    // 迭代实现反转
    /*ListNode* reverseList(ListNode* head) {
        if (head == NULL) {
            cout << "The list is empty." << endl;
            return NULL;
        }   
        if (head->next == NULL) {
            return head;
        }
        ListNode* p = head;
        ListNode* pPrev = NULL;
        while (p != NULL) {
            ListNode* temp = p->next;
            p->next = pPrev;
            pPrev = p;
            p = temp;            
        } 
        return pPrev;
    }*/
};

以上是关于LeetCode:反转链表的主要内容,如果未能解决你的问题,请参考以下文章

剑指offerJZ15——反转链表。leetcode206.反转链表

LeetCode 206. 反转链表

LeetCode 92. 反转链表 II

leetcode之反转链表图文详解

Leetcode234. 回文链表(快慢指针+反转链表)

leetcode-反转链表-46