博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
旋转部分链表 Rotate List
阅读量:6807 次
发布时间:2019-06-26

本文共 1708 字,大约阅读时间需要 5 分钟。

hot3.png

问题:

Given a list, rotate the list to the right by k places, where k is non-negative.

For example:

Given 1->2->3->4->5->NULL and k = 2,
return 4->5->1->2->3->NULL.

[1,2,3,4,5,6,7,8,9,10] k=3,---->[8,9,10,1,2,3,4,5,6,7]

解决:

① 这道旋转链表的题和 Rotate Array 旋转数组 很类似,因为链表的值不能通过下标来访问,只能一个一个的走。我刚开始想到的就是用快慢指针来解,快指针先走k步,然后两个指针一起走,当快指针走到末尾时,慢指针的下一个位置是新的顺序的头结点,这样就可以旋转链表了。但是需要注意的有很多:

首先一个就是当原链表为空时,直接返回NULL;

还有就是当k大于链表长度和k远远大于链表长度时该如何处理,我们需要首先遍历一遍原链表得到链表长度n,然后k对n取余,这样k肯定小于n,就可以用上面的算法了。

/**

 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
class Solution { //15ms
    public ListNode rotateRight(ListNode head, int k) {
        if(head == null) return null;
        int len = 0;
        ListNode cur = head;
        while(cur != null){
            len ++;
            cur = cur.next;
        }
        k %= len;
        ListNode slow = head;
        ListNode fast = head;
        for (int i = 0;i < k ;i ++ ) {//fast先前进k步
            if(fast != null) fast = fast.next;
        }
        if(fast == null) return head;
        while(fast.next != null){
            fast = fast.next;
            slow = slow.next;
        }
        fast.next = head;
        fast = slow.next;
        slow.next = null;
        return fast;
    }   
}

② 使用一个指针,原理是先遍历整个链表获得链表长度n,然后此时把链表头和尾链接起来,在往后走n - k % n个节点就到达新链表的头结点前一个点,这时断开链表即可。

/**

 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
class Solution { //16ms
    public ListNode rotateRight(ListNode head, int k) {
        if(head == null) return null;
        int len = 1;
        ListNode cur = head;
        while(cur.next != null){
            len ++;
            cur = cur.next;
        }
        cur.next = head;
        int m = len - k % len;//新的尾节点的位置 
        for (int i = 0;i < m ;i ++ ) {
            cur = cur.next;
        }
        ListNode newHead = cur.next;
        cur.next = null;
        return newHead;
    }
}

转载于:https://my.oschina.net/liyurong/blog/1529886

你可能感兴趣的文章
SSL证书配置注意事项
查看>>
使用CSS来美化你的javafx滚动条
查看>>
eclipse下搭建SSH整合环境(Struts2+Spring+Hibernate+maven)
查看>>
基于jquery的全局ajax函数处理session过期后的ajax操作
查看>>
【老牌系统】如何增大C盘空间
查看>>
Python内置函数filter(),map(),reduce(),lambda
查看>>
MySQL show的用法
查看>>
美国慈善机构Kars4Kids意外泄露了上万名捐赠者的个人信息
查看>>
php gc
查看>>
Linux 用户打开进程数的调整
查看>>
shell中的比较与测试
查看>>
find命令使用及实例
查看>>
自定义docker nginx镜像无容器日志输出
查看>>
openwrt安装nginx+php+mysql教程
查看>>
iOS开发之UIPopoverController
查看>>
Exchange Server DAG群集状态部分在线
查看>>
saltstack管理二之saltstack的安装
查看>>
WAN killer
查看>>
大型互联网应用如何进行流量削峰,应对瞬间请求?
查看>>
我的友情链接
查看>>