LeetCode | 3. Longest Substring Without Repeating Characters

송치헌·2023년 2월 5일
0

Algorithm | LeetCode

목록 보기
15/15

문제

Given a string s, find the length of the longest
substring
without repeating characters.

Example 1:

Input: s = "abcabcbb"
Output: 3
Explanation: The answer is "abc", with the length of 3.

Example 2:

Input: s = "bbbbb"
Output: 1
Explanation: The answer is "b", with the length of 1.

Example 3:

Input: s = "pwwkew"
Output: 3
Explanation: The answer is "wke", with the length of 3.
Notice that the answer must be a substring, "pwke" is a subsequence and not a substring.

Constraints:

  • 00 <= s.length <= 51045 * 10^4
  • s consists of English letters, digits, symbols and spaces.

풀이

class Solution:
    def lengthOfLongestSubstring(self, s: str) -> int:
        if not s: return 0
        dp = ["" for _ in range(len(s))]

        for i, v in enumerate(s):
            if i==0:
                dp[i] = v

            elif v in dp[i-1]:
                dp[i] = dp[i-1].split(v)[-1] + v

            else:
                dp[i] = dp[i-1] + v

        return len(max(dp, key=len))

접근법

한 문자씩 저장해 가다가 겹치는 문자가 존재하면 겹치는 문자의 다음 문자부터 다시 dp에 넣은 후 계속 저장해 가면 된다.

예시

Input: abcabcbb

[init] dp : ["", "", "", "", "", "", "", ""]

i=0, s='a'
dp[0] = 'a'

i=1, s='b'
dp[1] = 'ab'

i=2, s='c'
dp[2] = 'abc'

i=3, s='a'
dp[3] = 'bca' <- 여기서 a가 겹치기 때문에 겹친 문자의 다음 문자부터 다시 시작해서 문자를 넣는다.

i=4, s='b'
dp[4] = 'cab'

i=5, s='c'
dp[5] = 'abc'

i=6, s='b'
dp[6] = 'cb'

i=7, s='b'
dp[7] = 'b'

가장 긴 substring의 길이는 3이다.

profile
https://oraange.tistory.com/ 여기에도 많이 놀러와 주세요

0개의 댓글