class Solution {
public:
int minimumLength(string s) {
}
};
1750. 删除字符串两端相同字符后的最短长度
给你一个只包含字符 'a'
,'b'
和 'c'
的字符串 s
,你可以执行下面这个操作(5 个步骤)任意次:
s
一个 非空 的前缀,这个前缀的所有字符都相同。s
一个 非空 的后缀,这个后缀的所有字符都相同。请你返回对字符串 s
执行上面操作任意次以后(可能 0 次),能得到的 最短长度 。
示例 1:
输入:s = "ca" 输出:2 解释:你没法删除任何一个字符,所以字符串长度仍然保持不变。
示例 2:
输入:s = "cabaabac" 输出:0 解释:最优操作序列为: - 选择前缀 "c" 和后缀 "c" 并删除它们,得到 s = "abaaba" 。 - 选择前缀 "a" 和后缀 "a" 并删除它们,得到 s = "baab" 。 - 选择前缀 "b" 和后缀 "b" 并删除它们,得到 s = "aa" 。 - 选择前缀 "a" 和后缀 "a" 并删除它们,得到 s = "" 。
示例 3:
输入:s = "aabccabba" 输出:3 解释:最优操作序列为: - 选择前缀 "aa" 和后缀 "a" 并删除它们,得到 s = "bccabb" 。 - 选择前缀 "b" 和后缀 "bb" 并删除它们,得到 s = "cca" 。
提示:
1 <= s.length <= 105
s
只包含字符 'a'
,'b'
和 'c'
。原站题解
golang 解法, 执行用时: 4 ms, 内存消耗: 6.2 MB, 提交时间: 2022-12-28 10:26:55
func minimumLength(s string) int { left, right := 0, len(s)-1 for left < right && s[left] == s[right] { c := s[left] for left <= right && s[left] == c { left++ } for right >= left && s[right] == c { right-- } } return right - left + 1 }
javascript 解法, 执行用时: 68 ms, 内存消耗: 45.3 MB, 提交时间: 2022-12-28 10:26:41
/** * @param {string} s * @return {number} */ var minimumLength = function(s) { const n = s.length; let left = 0, right = n - 1; while (left < right && s[left] == s[right]) { const c = s[left]; while (left <= right && s[left] === c) { left++; } while (left <= right && s[right] === c) { right--; } } return right - left + 1; };
java 解法, 执行用时: 3 ms, 内存消耗: 41.7 MB, 提交时间: 2022-12-28 10:26:27
class Solution { public int minimumLength(String s) { int n = s.length(); int left = 0, right = n - 1; while (left < right && s.charAt(left) == s.charAt(right)) { char c = s.charAt(left); while (left <= right && s.charAt(left) == c) { left++; } while (left <= right && s.charAt(right) == c) { right--; } } return right - left + 1; } }
cpp 解法, 执行用时: 20 ms, 内存消耗: 12.4 MB, 提交时间: 2022-12-28 10:26:14
class Solution { public: int minimumLength(string s) { int n = s.size(); int left = 0, right = n - 1; while (left < right && s[left] == s[right]) { char c = s[left]; while (left <= right && s[left] == c) { left++; } while (left <= right && s[right] == c) { right--; } } return right - left + 1; } };
python3 解法, 执行用时: 72 ms, 内存消耗: 15.3 MB, 提交时间: 2022-12-28 10:25:43
class Solution: def minimumLength(self, s: str) -> int: left, right = 0, len(s) - 1 while left < right and s[left] == s[right]: c = s[left] while left <= right and s[left] == c: left += 1 while right >= left and s[right] == c: right -= 1 return right - left + 1