LeetCode 3 번 문제

3024 단어 Java
3. Longest Substring Without Repeating Characters Given a string, find the length of the longest substring without repeating characters.
Examples:
Given “abcabcbb”, the answer is “abc”, which the length is 3.
Given “bbbbb”, the answer is “b”, with the length of 1.
Given “pwwkew”, the answer is “wke”, with the length of 3. Note that the answer must be a substring, “pwke” is a subsequence and not a substring.
Subscribe to see which companies asked this question
문제 풀이 방향: 창 을 유지 하고 창 에 있 는 문자열 을 주목 할 때마다 판단 할 때마다 왼쪽 창 과 오른쪽 창 을 선택 하여 앞으로 이동 합 니 다.마찬가지 로 HashSet 을 유지 하고 정상 적 인 상황 에서 오른쪽 창 을 이동 합 니 다. 중복 이 나타 나 지 않 으 면 오른쪽 창 을 계속 이동 합 니 다. 중복 문자 가 발견 되면 현재 창의 문자열 이 요구 에 부합 되 지 않 고 계속 이동 하면 더 좋 은 결 과 를 얻 을 수 없습니다. 이 때 왼쪽 창 을 이동 합 니 다. 중복 문자 가 없 을 때 까지.중간 에 건 너 뛰 는 이 꼬치 들 중 에는 더 좋 은 결과 가 없 을 것 이다. 왜냐하면 그들 은 중복 이 아니면 더 짧 기 때문이다.왼쪽 창 과 오른쪽 창 이 모두 앞으로 만 있 기 때문에 두 창 모두 모든 요소 에 한 번 이상 접근 하지 않 기 때문에 시간 복잡 도 는 O (2 * n) = O (n) 로 선형 알고리즘 입 니 다.공간 복잡 도 는 HashSet 의 size 이자 O (n) 입 니 다. 코드 는 다음 과 같 습 니 다.
public class Solution {
    public int lengthOfLongestSubstring(String s) {
        if(s == null || s.length() == 0)
        return 0;
        int m = 0;
        int start = 0;
        int end = 0;
        HashSet set = new HashSet();
        while(end < s.length()){
            if(set.contains(s.charAt(end))){
                if(m < end - start){
                    m = end - start;
                }
                while(s.charAt(start) != s.charAt(end)){
                    set.remove(s.charAt(start));
                    start++;
                }
                start++;
            }
            else{
                set.add(s.charAt(end));
            }
            end++;
        }
        m = Math.max(m,end-start);
        return m;
    }
}

좋은 웹페이지 즐겨찾기