问题描述:
找到单链表倒数第n个节点,保证链表中节点的最少数量为n。
样例:
给出链表 3->2->1->5->null和n = 2,返回倒数第二个节点的值1.
解题思路:
先计算出链表的长度,再找到倒数第n个节点,返回即可。
代码实现:
/**
* Definition of ListNode
* class ListNode {
* public:
* int val;
* ListNode *next;
* ListNode(int val) {
* this->val = val;
* this->next = NULL;
* }
* }
*/
class Solution {
public:
/**
* @param head: The first node of linked list.
* @param n: An integer.
* @return: Nth to last node of a singly linked list.
*/
ListNode *nthToLast(ListNode *head, int n) {
// write your code here
ListNode*h2=head;
int count=0;
while(head!=NULL){
head=head->next;
count++;
}
if(count>n){
for(int i=1;i<(count-n+1);i++){
h2=h2->next;
}
return h2;
}
if(count==n){
return h2;
}
}
};
解题感悟:
一开始以为和删除倒数第n个元素一样建立两个指针,后来发现不用这么麻烦。在找倒数第n个节点时,要注意count-(n+1),这个地方出现了错误。