DEV Community

Abhishek Chaudhary
Abhishek Chaudhary

Posted on

1 1

Partition Labels

You are given a string s. We want to partition the string into as many parts as possible so that each letter appears in at most one part.

Note that the partition is done so that after concatenating all the parts in order, the resultant string should be s.

Return a list of integers representing the size of these parts.

Example 1:

Input: s = "ababcbacadefegdehijhklij"
Output: [9,7,8]
Explanation:
The partition is "ababcbaca", "defegde", "hijhklij".
This is a partition so that each letter appears in at most one part.
A partition like "ababcbacadefegde", "hijhklij" is incorrect, because it splits s into less parts.

Example 2:

Input: s = "eccbbbbdec"
Output: [10]

Constraints:

  • 1 <= s.length <= 500
  • s consists of lowercase English letters.

SOLUTION:

class Solution:
    def partition(self, s, pos, k, n):
        if k >= n:
            return []
        j = float('-inf')
        for i in range(k, n):
            j = max(pos[s[i]], j)
            if j == i:
                return [i + 1 - k] + self.partition(s, pos, i + 1, n)

    def partitionLabels(self, s: str, k = 0) -> List[int]:
        pos = {}
        n = len(s)
        for i, c in enumerate(s):
            pos[c] = i
        return self.partition(s, pos, 0, n)
Enter fullscreen mode Exit fullscreen mode

Heroku

Simplify your DevOps and maximize your time.

Since 2007, Heroku has been the go-to platform for developers as it monitors uptime, performance, and infrastructure concerns, allowing you to focus on writing code.

Learn More

Top comments (0)

Qodo Takeover

Introducing Qodo Gen 1.0: Transform Your Workflow with Agentic AI

Rather than just generating snippets, our agents understand your entire project context, can make decisions, use tools, and carry out tasks autonomously.

Read full post

👋 Kindness is contagious

Please leave a ❤️ or a friendly comment on this post if you found it helpful!

Okay