-
Notifications
You must be signed in to change notification settings - Fork 13
/
Solution019.java
53 lines (48 loc) · 1.53 KB
/
Solution019.java
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
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
package algorithm.leetcode;
/**
* @author: mayuan
* @desc: 删除链表的倒数第N个节点
* @date: 2018/07/15
*/
public class Solution019 {
/**
* 1.我们要删除单链表中的一个元素(在不变动其值得情况下),我们只能是先找到它的前一个节点,然后重新连接。在这里为了防止删除的是正数第一个节点,所以我们有必要加一个临时的头结点temp。
* <p>
* 2.采用快慢指针的思路,去定位倒数第n个节点。两个游标指针fast,slow。先让fast走n步,然后二者同时往下走。最终fast走到NULL,而slow指针走到要删除节点的前一个元素。
* <p>
* 3.执行删除操作。返回temp->next.
*
* @param head
* @param n
* @return
*/
public ListNode removeNthFromEnd(ListNode head, int n) {
if (null == head || n < 1) {
return null;
}
ListNode temp = new ListNode(-1);
temp.next = head;
ListNode fast = head;
ListNode slow = temp;
for (int i = 0; i < n && null != fast; i++) {
fast = fast.next;
}
while (null != fast) {
fast = fast.next;
slow = slow.next;
}
// fast 指向需要删除的节点
fast = slow.next;
// 删除节点
slow.next = fast.next;
fast.next = null;
return temp.next;
}
private class ListNode {
int val;
ListNode next;
ListNode(int x) {
val = x;
}
}
}