[medium] linked list cycle

难度: 中等 标题:带环链表

给定一个链表,判断它是否有环。

思路

一开始想到的思路是放到hashmap里,每次前进一格就查询在hashmap中是否存在。存在则返回true,遇到null就返回false。但是这样需要额外空间。

后来的思路是两个指针first和second。second每次前进两格,first前进一格。若有环,second必定追上first。

思路想到后调试了很久,总是超出内存范围。

代码

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
/**
* Definition for ListNode.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int val) {
* this.val = val;
* this.next = null;
* }
* }
*/
public class Solution {
/**
* @param head: The first node of linked list.
* @return: True if it has a cycle, or false
*/
public boolean hasCycle(ListNode head) {
if (head == null || head.next == null){
return false;
}
ListNode first = head;
ListNode second = head;
while (first != null && second != null && second.next != null){
second = second.next.next;
first = first.next;
if (first == second){
return true;
}
}
return false;
}
}

链接

https://www.lintcode.com/zh-cn/problem/linked-list-cycle/

[easy]链表倒数第n个节点

难度: 简单 标题:链表倒数第n个节点

找到单链表倒数第n个节点,保证链表中节点的最少数量为n。

思路

可以选择两个指针,指向第一个(first)和第N个(end)。然后每次first前进一格,则end也前进一格,知道end == null时,first指向的就是倒数第n个。

代码

1
2
3
4
5
6
7
8
9
10
11
12
13
14
public class Solution {
ListNode nthToLast(ListNode head, int n) {
ListNode first = head;
ListNode end = head;
for (int i=0;i<n;i++){
end = end.next;
}
while(end != null){
end = end.next;
first = first.next;
}
return first;
}
}

链接

http://www.lintcode.com/zh-cn/problem/nth-to-last-node-in-list/

Your browser is out-of-date!

Update your browser to view this website correctly. Update my browser now

×