Skip to content

Latest commit

 

History

History
169 lines (130 loc) · 4.12 KB

File metadata and controls

169 lines (130 loc) · 4.12 KB

English Version

题目描述

一个字符串的所有字符都是一样的,被称作等值字符串。

  • 举例,"1111" 和 "33" 就是等值字符串。
  • 相比之下,"123"就不是等值字符串。

规则:给出一个数字字符串s,将字符串分解成一些等值字符串,如果有且仅有一个等值子字符串长度为2,其他的等值子字符串的长度都是3.

如果能够按照上面的规则分解字符串s,就返回真,否则返回假。

子串就是原字符串中连续的字符序列。

 

示例 1:

输入: s = "000111000"
输出: false
解释:  s只能被分解长度为3的等值子字符串。

示例 2:

输入: s = "00011111222"
输出: true
解释: s 能被分解为 ["000","111","11","222"].

示例 3:

输入: s = "01110002223300"
输出: false
解释: 一个不能被分解的原因是在开头有一个0.

 

提示:

  • 1 <= s.length <= 1000
  • s 仅包含数字。

解法

方法一:双指针

遍历字符串 $s$,用双指针 $i$$j$ 统计每个等值子字符串的长度。若长度模 $3$$1$,说明该子字符串长度不符合要求,返回 false;若长度模 $3$$2$,说明出现了长度为 $2$ 的子字符串,若此前已经出现过长度为 $2$ 的子字符串,返回 false,否则将 $j$ 的值赋给 $i$,继续遍历。

遍历结束后,判断是否出现过长度为 $2$ 的子字符串,若没有,返回 false,否则返回 true

时间复杂度 $O(n)$,空间复杂度 $O(1)$。其中 $n$ 为字符串 $s$ 的长度。

Python3

class Solution:
    def isDecomposable(self, s: str) -> bool:
        i, n = 0, len(s)
        cnt2 = 0
        while i < n:
            j = i
            while j < n and s[j] == s[i]:
                j += 1
            if (j - i) % 3 == 1:
                return False
            cnt2 += (j - i) % 3 == 2
            if cnt2 > 1:
                return False
            i = j
        return cnt2 == 1

Java

class Solution {
    public boolean isDecomposable(String s) {
        int i = 0, n = s.length();
        int cnt2 = 0;
        while (i < n) {
            int j = i;
            while (j < n && s.charAt(j) == s.charAt(i)) {
                ++j;
            }
            if ((j - i) % 3 == 1) {
                return false;
            }
            if ((j - i) % 3 == 2 && ++cnt2 > 1) {
                return false;
            }
            i = j;
        }
        return cnt2 == 1;
    }
}

C++

class Solution {
public:
    bool isDecomposable(string s) {
        int i = 0, n = s.size();
        int cnt2 = 0;
        while (i < n) {
            int j = i;
            while (j < n && s[j] == s[i]) ++j;
            if ((j - i) % 3 == 1) return false;
            if ((j - i) % 3 == 2 && ++cnt2 > 1) return false;
            i = j;
        }
        return cnt2 == 1;
    }
};

Go

func isDecomposable(s string) bool {
	i, n := 0, len(s)
	cnt2 := 0
	for i < n {
		j := i
		for j < n && s[j] == s[i] {
			j++
		}
		if (j-i)%3 == 1 {
			return false
		}
		if (j-i)%3 == 2 {
			cnt2++
			if cnt2 > 1 {
				return false
			}
		}
		i = j
	}
	return cnt2 == 1
}

...