单链表的长度大于k时,双指针法,pre和cur初始都指向头结点,先让cur走k步,然后pre和cur同时走,直到cur到达尾后结点,此时pre指向的结点就是倒数第k个;当链表的长度小于等于k时,直接返回nullptr。

/**
 * struct ListNode {
 *	int val;
 *	struct ListNode *next;
 *	ListNode(int x) : val(x), next(nullptr) {}
 * };
 */
class Solution {
public:
    /**
     * 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
     *
     * 
     * @param pHead ListNode类 
     * @param k int整型 
     * @return ListNode类
     */
    ListNode* FindKthToTail(ListNode* pHead, int k) {
        ListNode* pre=pHead;
        ListNode* cur=pHead;
        int step=k;
        int count=1;
        while(step--){
            if(cur==nullptr) break;
            cur=cur->next;
            count++;
        }
        if(step>0 || count==k) return nullptr;
        while(cur!=nullptr){
            pre=pre->next;
            cur=cur->next;
        }
        return pre;
    }
};