美文网首页
LintCode - 旋转链表(中等)

LintCode - 旋转链表(中等)

作者: 柒黍 | 来源:发表于2017-09-24 23:07 被阅读0次

版权声明:本文为博主原创文章,未经博主允许不得转载。

难度:中等
要求:

给定一个链表,旋转链表,使得每个节点向右移动k个位置,其中k是一个非负数
样例

给出链表1->2->3->4->5->null和k=2
返回4->5->1->2->3->null
思路:

解题容易,注意边界处理。

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


public class Solution {
    /*
     * @param head: the List
     * @param k: rotate to the right k places
     * @return: the list after rotation
     */
    public ListNode rotateRight(ListNode head, int k) {
        if(head == null){
            return null;
        }
        
        int len = getLen(head);
        k %= len;
        
        ListNode root = new ListNode(0);
        root.next = head;
        head = root;
    
        for(int i = 0; i < k; i++){
            head = head.next;
        }
        
        ListNode tail = root;
        
        while(head.next != null){
            head = head.next;
            tail = tail.next;
        }
        
        head.next = root.next;
        root.next = tail.next;
        tail.next = null;
        return root.next;
    }
    
    private int getLen(ListNode node){
        int len = 0;
        while(node != null){
            node = node.next;
            len++;
        }
        return len;
    }

}

相关文章

  • LintCode - 旋转链表(中等)

    版权声明:本文为博主原创文章,未经博主允许不得转载。 难度:中等 要求: 给定一个链表,旋转链表,使得每个节点向右...

  • LintCode 旋转链表

    题目 给定一个链表,旋转链表,使得每个节点向右移动k个位置,其中k是一个非负数 样例给出链表1->2->3->4-...

  • leetcode 链表 [C语言]

    21. 合并两个有序链表 合并两个有序链表 61. 旋转链表 (快慢指针) 61. 旋转链表 相关标签 : 链表 ...

  • 链表--旋转链表

    目录[https://www.jianshu.com/p/85e18c21317a] 题号[https://lee...

  • 61. 旋转链表

    61. 旋转链表 问题 给定一个链表,旋转链表,将链表每个节点向右移动 个位置,其中 是非负数。 示例 1: 输...

  • Swift - LeetCode - 旋转链表

    题目 旋转链表 问题: 给定一个链表,旋转链表,将链表每个节点向右移动k个位置,其中k是非负数。 示例: 代码:

  • [LeetCode]61. 旋转链表

    61. 旋转链表给定一个链表,旋转链表,将链表每个节点向右移动 k 个位置,其中 k 是非负数。示例:输入: 1-...

  • lintcode 翻转链表

    三十五题为翻转一个单链表,三十六题为翻转链表中第m个节点到第n个节点的部分样例给出链表1->2->3->4->5-...

  • LintCode 回文链表

    题目 设计一种方式检查一个链表是否为回文链表。 样例1->2->1 就是一个回文链表。 分析 链表由于其特殊的结构...

  • LintCode 重排链表

    题目 给定一个单链表L: L0→L1→…→Ln-1→Ln, 重新排列后为:L0→Ln→L1→Ln-1→L2→Ln-...

网友评论

      本文标题:LintCode - 旋转链表(中等)

      本文链接:https://www.haomeiwen.com/subject/fbglextx.html