250x250
Notice
Recent Posts
Recent Comments
Link
반응형
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- priority_queue
- 스택
- Properties
- CSS
- GC로그수집
- set
- date
- 큐
- html
- javascript
- 스프링부트
- JPA
- spring boot
- map
- union_find
- dfs
- 힙덤프
- 리소스모니터링
- Calendar
- Java
- scanner
- List
- Union-find
- alter
- deque
- NIO
- BFS
- math
- sql
- string
Archives
- Today
- Total
매일 조금씩
Leet code (Easy) : 141. Linked List Cycle - JAVA 본문
728x90
반응형
LinkedList 내에 사이클이 존재하는지 확인하는 문제다.
사이클이 있는지 확인하는 좋은 알고리즘을 발견했다.
빠른 포인터와 느린 포인터 두 개를 사용하여 LinkedList를 탐색하는 방법이다.
빠른 포인터는 느린 포인터보다 두 배 빠르게 이동한다.
주기가 있는 경우 빠른 포인터는 결국 느린 포인터를 따라잡는다.
주기가 없으면 빠른 포인터가 목록의 끝에 도달하고 함수는 False를 반환한다.
이 알고리즘은 단일 LinkedList에서 주기를 감지하는 효율적인 방법이다.
/**
* 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(fast == slow){
return true;
}
}
return false;
}
}
728x90
반응형
'알고리즘 > LinkedList' 카테고리의 다른 글
Leet code (Medium): 143. Reorder List - JAVA (2) | 2024.10.20 |
---|---|
Leet code (Medium): 19. Remove Nth Node From End of List - JAVA (0) | 2024.10.19 |
Leet code (Hard): 23. Merge k Sorted Lists - JAVA (0) | 2024.10.17 |
Leet code (Easy) : 21. Merge Two Sorted Lists - JAVA (0) | 2024.10.16 |
Leet code (Easy) : 206. Reverse Linked List - JAVA (0) | 2024.10.16 |