LeetCode-206. Reverse Linked List [C++][Java]

LeetCode-206. Reverse Linked ListLevel up your coding skills and quickly land a job. This is the best place to expand your knowledge and get prepared for your next interview.https://leetcode.com/problems/reverse-linked-list/

Given the head of a singly linked list, reverse the list, and return the reversed list.

Example 1:

LeetCode-206. Reverse Linked List [C++][Java]_第1张图片

Input: head = [1,2,3,4,5]
Output: [5,4,3,2,1]

Example 2:

LeetCode-206. Reverse Linked List [C++][Java]_第2张图片

Input: head = [1,2]
Output: [2,1]

Example 3:

Input: head = []
Output: []

Constraints:

  • The number of nodes in the list is the range [0, 5000].
  • -5000 <= Node.val <= 5000

Follow up: A linked list can be reversed either iteratively or recursively. Could you implement both?

【C++】

/**
 * 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) {}
 * };
 */

1. 递归

class Solution {
public:
    ListNode* reverseList(ListNode* head) {
        if (head == nullptr || head->next == nullptr) {return head;}
        ListNode* newHead = reverseList(head->next);
        head->next->next = head;
        head->next = nullptr;
        return newHead;
    }
};

2. 循环

class Solution {
public:
    ListNode* reverseList(ListNode* head) {
        ListNode *prev = nullptr, *next;
        while (head) {
            next = head->next;
            head->next = prev;
            prev = head;
            head = next;
        }
        return prev;
    }
};

【Java】

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode() {}
 *     ListNode(int val) { this.val = val; }
 *     ListNode(int val, ListNode next) { this.val = val; this.next = next; }
 * }
 */

1. 递归

class Solution {
    public ListNode reverseList(ListNode head) {
        if (head == null || head.next == null) {return head;}
        ListNode newHead = reverseList(head.next);
        head.next.next = head;
        head.next = null;
        return newHead;
    }
}

2. 循环

class Solution {
    public ListNode reverseList(ListNode head) {
        ListNode prev = null, next;
        while (head != null) {
            next = head.next;
            head.next = prev;
            prev = head;
            head = next;
        }
        return prev;
    }
}

相关题目

《剑指offer》24--反转链表[C++]_贫道绝缘子的博客-CSDN博客NowCoder LeetCode题目描述输入一个链表,反转链表后,输出新链表的表头。struct ListNode {int val;struct ListNode *next;ListNode(int x) : val(x), next(NULL) {}};解题思路1 用栈class Solution {public: ListNode*...https://blog.csdn.net/qq_15711195/article/details/95901065

你可能感兴趣的:(LeetCode刷题怪,leetcode,算法,职场和发展)