剑指offer22:链表中倒数第K个节点

一、题目描述

输入一个链表,输出该链表中倒数第k个节点。为了符合大多数人的习惯,本题从1开始计数,即链表的尾节点是倒数第1个节点。

例如,一个链表有 6 个节点,从头节点开始,它们的值依次是 1、2、3、4、5、6。这个链表的倒数第 3 个节点是值为 4 的节点。

二、解题思路

思路一:

1.统计出链表的长度,记为n
2.设置一个指针,使其先走(n-k)步,即可找到第K个节点

思路二(双指针):

1.设置双指针slow和fast,使其都在head处
2.让fast先走k步
3.让slow和fast同时向后一步一步走,直至fast为空
4.slow所处的位置就是倒数第K个节点

三、代码实现

实现一:

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
class Solution {
    
    
    public ListNode getKthFromEnd(ListNode head, int k) {
    
    
        if(head==null)   return null;
        ListNode cur=head;
        int size=0;
        while(cur!=null){
    
    
            size++;
            cur=cur.next;
        }
        cur=head;
        while(size-k>0){
    
    
            cur=cur.next;
            size--;
        }
        return cur;


    }
}

实现二:

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
class Solution {
    
    
    public ListNode getKthFromEnd(ListNode head, int k) {
    
    
        if(head==null)   return null;
        ListNode slow=head;
        ListNode fast=head;
        for(int i=0;i<k;i++){
    
    
            fast=fast.next;
        }
        while(fast!=null){
    
    
            slow=slow.next;
            fast=fast.next;
        }
        return slow;
    }
}

四、运行结果

在这里插入图片描述

猜你喜欢

转载自blog.csdn.net/qq_42681119/article/details/115328288