1、题目描述
解法一:使用Set集合
2、算法分析
首先链表中有环,说明相交的结点在链表中有重复的结点。
这个时候会想到Set集合,Set集合中的元素不可重复,但是有一点注意,元素是无序的。
直接看代码:
3、代码实现
/*
public class ListNode {
int val;
ListNode next = null;
ListNode(int val) {
this.val = val;
}
}
*/
import java.util.*;
public class Solution {
public ListNode EntryNodeOfLoop(ListNode pHead) {
if(pHead == null){
return pHead;
}
// 使用Set集合
Set<ListNode> set = new HashSet<>();
while(pHead != null){
if(set.contains(pHead)){
return pHead;
}
set.add(pHead);
pHead = pHead.next;
}
return null;
}
}
解法二:使用快慢指针
最好是自己在纸上模拟一遍
fast = fast.next.next;
slow = slow.next;
快慢指针有环总会相遇。
注意这种:{1,2},{}:入环为空的结点。
只用do while是为了{},{1,2}:防止环之前为空的结点。
具体细节看代码实现:
import java.util.*;
public class Solution {
public ListNode EntryNodeOfLoop(ListNode pHead) {
if(pHead == null || pHead.next == null){
return null;
}
ListNode slow = pHead;
ListNode fast = pHead;
/*
使用do while处理只有环的情况
输入:{},{2},
返回值:2
*/
do{
fast = fast.next.next;
slow = slow.next;
/*
输入:{1},{}
返回值:"null"
*/
if(slow == null || fast == null){
return null;
}
}while(slow != fast);
fast = pHead;
while(slow != fast){
slow = slow.next;
fast = fast.next;
}
return slow;
}
}
争取提前批,校招前刷1000+道,笔试不再是我的拦路虎,而是垫脚石!