LeetCode刷题系列——K个一组翻转链表

题目描述

LeetCode刷题系列——K个一组翻转链表_第1张图片

思路(看图看代码)

LeetCode刷题系列——K个一组翻转链表_第2张图片

代码

package leetcode;

/**
 * @author god-jiang
 * @date 2020/2/14  11:21
 */
public class ReverseKGroup {
    //定义链表
    public class ListNode {
        int val;
        ListNode next = null;

        ListNode(int val) {
            this.val = val;
        }
    }
    //K个一组翻转链表
    public ListNode reverseKGroup(ListNode head, int k) {
        //dummy是虚拟节点
        ListNode dummy = new ListNode(0);
        dummy.next = head;
        ListNode pre = dummy;
        ListNode end = dummy;
        while (end != null) {
            for (int i = 0; i < k && end != null; i++) {
                end = end.next;
            }
            if (end == null) {
                break;
            }
            ListNode start = pre.next;
            ListNode next = end.next;
            end.next = null;
            pre.next = reverse(start);
            start.next = next;
            pre = start;
            end = start;
        }
        return dummy.next;
    }

    //反转链表并返回头节点
    public ListNode reverse(ListNode head) {
        ListNode p1 = head;
        ListNode p2 = head.next;
        ListNode p3 = null;
        while (p2 != null) {
            p3 = p2.next;
            p2.next = p1;
            p1 = p2;
            p2 = p3;
        }
        head.next = null;
        head = p1;
        return head;
    }
}

复杂度分析

  • 时间复杂度为O(N*K)。最好的情况是O(N),最坏的情况是O(N^2)
  • 空间复杂度为O(1)

PS:这道题确实挺有难度,然后leetcode上我参考了王小二大佬的图和思路,然后自己写的代码。

你可能感兴趣的:(剑指offer系列)