lc482.密钥格式化
            
               约 173 字 
                 预计阅读 1 分钟 
         
逆序遍历
- 逆序遍历可以不必计算因为不够而产生的余数部分。
 
- 注意原地操作,由于字符串添加或者删除一个字符的时间复杂度是$O(n)$,所以尽量不原地操作。
 
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
  | 
class Solution {
public:
    string licenseKeyFormatting(string s, int k) {
        int n = s.size();
        string res = "";
        for(int i = n - 1; i >= 0; ){
            int j = 0;
            while(j < k && i >= 0){
                if(s[i] != '-'){
                    res.push_back(toupper(s[i]));
                    j += 1;
                }
                i -= 1;
            }
            res.push_back('-');
        }
        int idx = 0;
        while(res.back() == '-'){
            res.pop_back();
        }
        reverse(res.begin(), res.end());
        return res;
    }
};
  |