leetcode k个一组反转链表

leetcode 25

给你一个链表,每 k 个节点一组进行翻转,请你返回翻转后的链表。

k 是一个正整数,它的值小于或等于链表的长度。

如果节点总数不是 k 的整数倍,那么请将最后剩余的节点保持原有顺序。

 

示例:

给你这个链表:1->2->3->4->5

当 k = 2 时,应当返回: 2->1->4->3->5

当 k = 3 时,应当返回: 3->2->1->4->5

 

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
class Solution {
        public ListNode reverseKGroup(ListNode head, int k) {
        if (head == null || head.next == null) {
            return head;
        }
        ListNode tail = head;
        for (int i = 0; i < k; i++) {
            //剩余数量小于k的话,则不需要反转。
            if (tail == null) {
                return head;
            }
            tail = tail.next;
        }
        // 反转前 k 个元素
        ListNode newHead = reverse(head, tail);
        //下一轮的开始的地方就是tail,当前head指向下一个返回的头部,连接起来
        head.next = reverseKGroup(tail, k);

        return newHead;
    }

    /*
    左闭又开区间
     */
     //头插法反转链表,需要三个指针,头指针,尾指针,下一个要反转的节点
    private ListNode reverse(ListNode head, ListNode tail) {
       ListNode tail2 = head;
        ListNode next = head.next;
        
        while (next != tail) {
            tail2.next=next.next; //头插法
            
            next.next=head;
            
            head=next;
            next=tail2.next;//尾部的下一个节点就是要反转的节点
            
            
        }
        return head;

    }




}

 

参考链接
 

你可能感兴趣的:(算法练习,LeetCode题目)