763. 划分字母区间

Posted 我要出家当道士

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了763. 划分字母区间相关的知识,希望对你有一定的参考价值。

目录

1、Question

2、Analysis

3、Code

4、Result


1、Question

        字符串 S 由小写字母组成。我们要把这个字符串划分为尽可能多的片段,同一字母最多出现在一个片段中。返回一个表示每个字符串片段的长度的列表。

示例:

输入:S = "ababcbacadefegdehijhklij"
输出:[9,7,8]
解释:
划分结果为 "ababcbaca", "defegde", "hijhklij"。
每个字母最多出现在一个片段中。
像 "ababcbacadefegde", "hijhklij" 的划分是错误的,因为划分的片段数较少。

2、Analysis

         

        如上图所示,这题划分字符串,使得每个子串中的字母都不会再出现在其它子串中。

        我们可以记录每个字母的区域范围,字母的区域范围可能会重叠,对于区域重叠的字母我们将其归类到一个子串中。最终的结果就是求得字符串中存在多少独立的不重叠的区域的长度。

        这题和 452 类似

452.用最少数量的箭引爆气球_我要出家当道士的博客-CSDN博客https://blog.csdn.net/qq_37437983/article/details/124892972?spm=1001.2014.3001.5501

3、Code

        夜深了,脑子有点乱,代码也有点乱,不过逻辑还是挺清晰的。确定字母范围可以用数组做hash快速索引,不然用两层循环性能会稍低。 

class Solution 
public:
    vector<int> partitionLabels(string s)
    
        vector<int> res;
        int positions[26][2] = 0, words_flat[26] = 0;
        int flat_cur = 0, com_start = s[0] - 'a';
        // 确认每个字母的范围
        for (int i = 0; i < s.length(); i++)
        
            int position = s[i] - 'a';
            int flat = words_flat[position];
            if (flat == 0 && (position != com_start || i == 0))
            
                positions[flat_cur][0] = i;
                positions[flat_cur][1] = i;
                words_flat[position] = flat_cur;
                flat_cur++;
            
            else
            
                positions[flat][1] = i;
            
        
        // 确认独立区域
        int cur_start = positions[0][0], cur_end = positions[0][1];
        for (int i = 1; i < flat_cur; i++)
        
            if (positions[i][0] > cur_end)
            
                res.push_back(cur_end - cur_start + 1);
                cur_end = positions[i][1];
                cur_start = positions[i][0];
                continue;
            
            if (positions[i][1] > cur_end)
            
                cur_end = positions[i][1];
            
        
        res.push_back(s.length() - cur_start);
        return res;
    
;

4、Result

以上是关于763. 划分字母区间的主要内容,如果未能解决你的问题,请参考以下文章

763. 划分字母区间

763.划分字母区间

Leetcode 763 划分字母区间

763. 划分字母区间

763. 划分字母区间

763. 划分字母区间