https://leetcode.com/problems/linked-list-cycle/description/
Set에 ListNode를 저장해서 count 개수와 set의 size가 다르면 사이클이 있다고 판단하였다.
/**
* Definition for singly-linked list.
* class ListNode {
* int val;
* ListNode next;
* ListNode(int x) {
* val = x;
* next = null;
* }
* }
*/
/**
1. 문제 해석하기
head가 주어지는데 이 링크드리스트에 사이클 존재 여부를 반환한다.
노드의 개수는 0부터 10000개까지
2. 문제 풀이 방향
모든 노드를 Set에 저장하면서 노드를 추가했는데도 Set의 개수가 변하지 않으면 사이클이 있다고 판단.
*/
public class Solution {
public boolean hasCycle(ListNode head) {
Set<ListNode> set = new HashSet<>();
int count = 0;
boolean result = false;
while(head != null) {
set.add(head);
count += 1;
if (set.size() != count) {
result = true;
break;
}
head = head.next;
}
return result;
}
}
비교적 쉽게 푼 문제였는데 실행시간 0ms의 접근 방법이 차마 내가 생각할 수 없는 방법이라 인상적이었다.
포인터 두개가 돌아가고 하나는 느리고 다른 하나는 빠르게 돈다.
빠르게 도는 포인터가 마침내 느린 포인터를 따라잡게 되면 사이클이 있다고 판단한다.
/**
* Definition for singly-linked list.
* class ListNode {
* int val;
* ListNode next;
* ListNode(int x) {
* val = x;
* next = null;
* }
* }
*/
public class Solution {
public boolean hasCycle(ListNode head) {
ListNode fast = head;
ListNode slow = head;
while(fast != null && fast.next != null){
fast = fast.next.next;
slow = slow.next;
if(slow == fast){
return true;
}
}
return false;
}
}
'코딩테스트' 카테고리의 다른 글
217. Contains Duplicate (0) | 2024.02.05 |
---|---|
206. Reverse Linked List (0) | 2024.02.04 |
21. Merge Two Sorted Lists (0) | 2024.01.29 |
235. Lowest Common Ancestor of a Binary Search Tree (0) | 2024.01.28 |
Valid Palindrome (0) | 2024.01.18 |