标签:TE lintcode 标签 bsp fir 一个 for i++ 思路
原题网址:https://www.lintcode.com/problem/nth-to-last-node-in-list/description
找到单链表倒数第n个节点,保证链表中节点的最少数量为n。
给出链表 3->2->1->5->null和n = 2,返回倒数第二个节点的值1.
/**
* 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
if (n==0||head==NULL)
{
return head;
}
ListNode l(0);
l.next=head;
ListNode *cur=&l;
ListNode *pre=head;
for (int i=0;i<n;i++)//循环n次,cur指向第n个结点;
{
cur=cur->next;
}
while(cur->next!=NULL)//n不为结点总数(cur不为尾节点);
{
cur=cur->next;
pre=pre->next;
}//pre与cur走了(t-n)步,pre指向第t-n+1个结点,即倒数第n个结点;
return pre;
}
};
若初始pre指向l,pre指向第t-n个结点,即倒数第n+1个结点,最后返回pre->next。
或者初始cur与pre均指向head,则cur可循环n-1次,指向第n个结点。然后cur走到尾节点,循环t-n次,pre跟着走,指向第1+t-n个结点,即倒数第n个结点。
标签:TE lintcode 标签 bsp fir 一个 for i++ 思路
原文地址:https://www.cnblogs.com/Tang-tangt/p/9170345.html