思路一:先遍历,统计总数
public class Solution {
public ListNode getKthFromEnd(ListNode head, int k) {
// 第一种思路,我先计算一下一共有多少个结点
int count = 0;
ListNode tmp = head;
while (tmp != null) {
count++;
tmp = tmp.next;
}
// 现在知道了 一共有count个结点
// 倒数第k个结点就是 正数第count-k+1个结点
int toFind = count - k + 1;
count = 1;
tmp = head;
while (count != toFind) {
count++;
tmp = tmp.next;
}
return tmp;
}
}
思路二:搞两个指针,先走k,到头,另一个就是倒数第k个
这个思路更好一些。
public class Solution {
public ListNode getKthFromEnd(ListNode head, int k) {
// 第二种思路:两个指针走起
int i = 0;
ListNode tmp = head;
while (i != k) {
tmp = tmp.next;
i++;
}
while (tmp != null) {
tmp = tmp.next;
head = head.next;
}
return head;
}
}