comments | difficulty | edit_url | rating | source | tags | ||
---|---|---|---|---|---|---|---|
true |
中等 |
1426 |
第 126 场周赛 Q2 |
|
给你一个字符串 s
,请你判断它是否 有效 。
字符串 s
有效 需要满足:假设开始有一个空字符串 t = ""
,你可以执行 任意次 下述操作将 t
转换为 s
:
- 将字符串
"abc"
插入到t
中的任意位置。形式上,t
变为tleft + "abc" + tright
,其中t == tleft + tright
。注意,tleft
和tright
可能为 空 。
如果字符串 s
有效,则返回 true
;否则,返回 false
。
示例 1:
输入:s = "aabcbc" 输出:true 解释: "" -> "abc" -> "aabcbc" 因此,"aabcbc" 有效。
示例 2:
输入:s = "abcabcababcc" 输出:true 解释: "" -> "abc" -> "abcabc" -> "abcabcabc" -> "abcabcababcc" 因此,"abcabcababcc" 有效。
示例 3:
输入:s = "abccba" 输出:false 解释:执行操作无法得到 "abccba" 。
提示:
1 <= s.length <= 2 * 104
s
由字母'a'
、'b'
和'c'
组成
我们观察题目中的操作,可以发现,每一次都会在字符串的任意位置插入字符串
接下来我们遍历字符串
遍历结束之后,如果栈
时间复杂度
class Solution:
def isValid(self, s: str) -> bool:
if len(s) % 3:
return False
t = []
for c in s:
t.append(c)
if ''.join(t[-3:]) == 'abc':
t[-3:] = []
return not t
class Solution {
public boolean isValid(String s) {
if (s.length() % 3 > 0) {
return false;
}
StringBuilder t = new StringBuilder();
for (char c : s.toCharArray()) {
t.append(c);
if (t.length() >= 3 && "abc".equals(t.substring(t.length() - 3))) {
t.delete(t.length() - 3, t.length());
}
}
return t.isEmpty();
}
}
class Solution {
public:
bool isValid(string s) {
if (s.size() % 3) {
return false;
}
string t;
for (char c : s) {
t.push_back(c);
if (t.size() >= 3 && t.substr(t.size() - 3, 3) == "abc") {
t.erase(t.end() - 3, t.end());
}
}
return t.empty();
}
};
func isValid(s string) bool {
if len(s)%3 > 0 {
return false
}
t := []byte{}
for i := range s {
t = append(t, s[i])
if len(t) >= 3 && string(t[len(t)-3:]) == "abc" {
t = t[:len(t)-3]
}
}
return len(t) == 0
}
function isValid(s: string): boolean {
if (s.length % 3 !== 0) {
return false;
}
const t: string[] = [];
for (const c of s) {
t.push(c);
if (t.slice(-3).join('') === 'abc') {
t.splice(-3);
}
}
return t.length === 0;
}