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 | 31 |
Tags
- 스프링부트
- math
- CSS
- 큐
- priority_queue
- javascript
- date
- 리소스모니터링
- NIO
- html
- 힙덤프
- string
- Calendar
- deque
- sql
- map
- spring boot
- alter
- union_find
- Properties
- List
- Union-find
- set
- dfs
- 스택
- JPA
- scanner
- Java
- GC로그수집
- BFS
Archives
- Today
- Total
매일 조금씩
Leet code (Medium): 3. Longest Substring Without Repeating Characters (슬라이딩 윈도우) - JAVA 본문
알고리즘/String
Leet code (Medium): 3. Longest Substring Without Repeating Characters (슬라이딩 윈도우) - JAVA
mezo 2024. 10. 22. 16:43728x90
반응형
이 문제는 "슬라이딩 윈도우" 알고리즘이다.
가장 긴 중복하지 않는 구간을 구하는 문제이므로, 각 알파벳을 돌되 시작점을 알고있어야한다.
그리고 그 시작점은 업데이트가 될 때, 뒤로만 이동 할 수 있다. 앞으로 땡겨져선 안된다.
class Solution {
public int lengthOfLongestSubstring(String s) {
if (s.length() <= 1) {
return s.length();
}
Map<Character, Integer> check = new HashMap<>();
int start = 0; // 시작 인덱스
int res = 0; // 최대 길이
for (int i = 0; i < s.length(); i++) {
char now = s.charAt(i);
// 중복된 문자가 있을 경우
if (check.containsKey(now)) {
// start를 뒤로 미는데 이때 윈도우를 벗어난 문자를 check에서 삭제하지 않기때문에
// start를 하나씩 ++ 하는 것이 아니라
// 문자가 안겹치는 곳(겹치는 문자 바로 다음)으로 이동 시킬때
// start 보다 앞에 있는 문자면 무시하도록 다음과 같이 함. max 사용.
start = Math.max(check.get(now) + 1, start);
}
// 최대 길이 갱신
res = Math.max(res, i - start + 1);
// 현재 문자와 인덱스 저장
check.put(now, i);
}
return res;
}
}
728x90
반응형
'알고리즘 > String' 카테고리의 다른 글
Leet code (Easy): 20. Valid Parentheses (Stack) - Java (0) | 2024.10.27 |
---|---|
Leet code (Medium): 49. Group Anagrams - Java (0) | 2024.10.27 |
Leet code (Easy): 242. Valid Anagram - Java (0) | 2024.10.26 |
Leet code (Hard): 76. Minimum Window Substring (슬라이딩 윈도우) - JAVA (0) | 2024.10.23 |
Leet code (Medium): 424. Longest Repeating Character Replacement (슬라이딩 윈도우) - JAVA (0) | 2024.10.22 |