Remove Nth Node From End of List

打卡,第14天

今天的题目是Remove Nth Node From End of List,一开始以为是道很简单的题目,后来看dicuss时才发现是自己没看清题目。

Given a linked list, remove the nth node from the end of list and return its head.

For example,
Given linked list: 1->2->3->4->5, and n = 2.

After removing the second node from the end, the linked list becomes 1->2->3->5.
Note:
Given n will always be valid.
Try to do this in one pass.

一开始没看到Try to do this in one pass.,然后就用两遍遍历方法去做了:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
int getRightN(ListNode *head,int n) {
ListNode *p = head;
int size = 0;
while(p != nullptr) {
p = p->next;
size++;
}
return size - n;
}
ListNode* removeNthFromEnd(ListNode* head, int n) {
ListNode h(0);
h.next = head;
ListNode *p = &h;

int k = getRightN(p,n);
while(--k)
p=p->next;

head = p->next;
p->next = head->next;
delete head;
return h.next;
}

上面这个方法太简单了,还是看看在dicuss中的方法吧:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
ListNode *removeNthFromEnd(ListNode *head, int n) 
{
if (!head)
return nullptr;

ListNode new_head(-1);
new_head.next = head;

ListNode *slow = &new_head, *fast = &new_head;

for (int i = 0; i < n; i++)
fast = fast->next;

while (fast->next)
{
fast = fast->next;
slow = slow->next;
}

ListNode *to_de_deleted = slow->next;
slow->next = slow->next->next;

delete to_be_deleted;

return new_head.next;
}

这个看起来会比较简单,想法就是利用快慢指针去做,先让fast指针先走n步,然后在fast指针和slow指针一起移动,这样fastslow始终保持着n个节点的距离,当fast为最后一个节点时,slow就指向倒数第n+1个节点,这时就可以把倒数第n个节点删掉了。

有一个更简洁的版本,不过有点难懂就是了:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
ListNode* removeNthFromEnd(ListNode* head, int n)
{
ListNode** t1 = &head, *t2 = head;
for(int i = 1; i < n; ++i)
{
t2 = t2->next;
}
while(t2->next != NULL)
{
t1 = &((*t1)->next);
t2 = t2->next;
}
*t1 = (*t1)->next;
return head;
}

这个和上一个的思路其实是完全一样的,只是实现方法思路不一样就是,这里的t1是指向某个节点(包括一开始时虚拟的头结点)的next指针的指针。