koenjazh-CNfresde
짬뽕얼큰하게의 맨땅에 헤딩 :: Partition Labels

Partition Labels

알고리즘 2025. 3. 30. 09:42

Leetcode Problem:

Summary

  • Partitioning a string into parts where each letter appears in at most one part

Approach

  • Use a hashmap to store the last index of each character, then iterate through the string, updating the end index and adding the current part size to the result vector when the end index matches the current index

Complexity

  • O(n) where n is the length of the string

Explanation

  • The approach is to first store the last index of each character in a hashmap
  • Then, we iterate through the string, updating the end index whenever we encounter a character
  • When the end index matches the current index, we know we've reached the end of the current part, so we add its size to the result vector and reset the start and end indices
  • This way, we ensure that each letter appears in at most one part and that the resultant string is the original input string

Solution Code:


class Solution {
public:
    int lastIdx[256];
    vector partitionLabels(string s) {
        for(int i = 0 ; i < s.size(); i++){
            lastIdx[s[i]] = i;
        }

        vector ans;
        int start = 0;
        int end = 0;
        for(int i = 0 ; i < s.size(); i++){
            end = max(end, lastIdx[s[i]]);
            if(end == i){
                ans.push_back(end - start + 1);
                start = end = end +1;
            }
        }
        return ans;
    }
};

'알고리즘' 카테고리의 다른 글

Solving Questions With Brainpower  (0) 2025.04.01
Put Marbles in Bags  (0) 2025.04.01
Apply Operations to Maximize Score  (0) 2025.03.29
Maximum Number of Points From Grid Queries  (0) 2025.03.28
Minimum Index of a Valid Split  (0) 2025.03.28
블로그 이미지

짬뽕얼큰하게

,