2022-5-13 链表

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

k 是一个正整数,它的值小于或等于链表的长度。如果节点总数不是 k 的整数倍,那么请将最后剩余的节点保持原有顺序。

你不能只是单纯的改变节点内部的值,而是需要实际进行节点交换。

 1 /**
 2  * Definition for singly-linked list.
 3  * public class ListNode {
 4  *     int val;
 5  *     ListNode next;
 6  *     ListNode() {}
 7  *     ListNode(int val) { this.val = val; }
 8  *     ListNode(int val, ListNode next) { this.val = val; this.next = next; }
 9  * }
10  */
11 class Solution {
12     public ListNode reverseKGroup(ListNode head, int k) {
13         ListNode point=head;
14         Deque<ListNode> s= new ArrayDeque<>();
15         int sum=0;
16         while (head!=null&&sum<k){
17             //System.out.println(head.val);
18             s.push(head);
19             head=head.next;
20             sum++;
21         }
22         if (sum<k) return point;
23         ListNode temp=s.pop();
24         //System.out.println(temp.val);
25         point=temp;
26         while (!s.isEmpty()){
27             temp.next=s.pop();
28             temp=temp.next;
29             //System.out.println(temp.val);
30         }
31         temp.next=reverseKGroup(head,k);
32         return point;
33     }
34 }

思路:先处理前k个,后面拼接用递归实现。

posted on 2022-05-13 09:20  阿ming  阅读(22)  评论(0编辑  收藏  举报

导航