给你一个仅由 0
和 1
组成的二进制字符串 s
。
如果子字符串中 所有的 0
都在 1
之前 且其中 0
的数量等于 1
的数量,则认为 s
的这个子字符串是平衡子字符串。请注意,空子字符串也视作平衡子字符串。
返回 s
中最长的平衡子字符串长度。
子字符串是字符串中的一个连续字符序列。
示例 1:
输入:s = "01000111" 输出:6 解释:最长的平衡子字符串是 "000111" ,长度为 6 。
示例 2:
输入:s = "00111" 输出:4 解释:最长的平衡子字符串是 "0011" ,长度为 4 。
示例 3:
输入:s = "111" 输出:0 解释:除了空子字符串之外不存在其他平衡子字符串,所以答案为 0 。
提示:
1 <= s.length <= 50
'0' <= s[i] <= '1'
使用ArrayLIst存储第i位为0、第i+1位为1的位置队列。使用for循环遍历ArrayList,同时使用while循环判断第i-1为是否为0、第i+2为是否为1...,如果符合题意000...01...1,则count+2,因为这里把0和1绑定为一组,所以每满足一次,就加2。如果不满足,则需要把count归零,方便下次的计算。最后把所有的count放入ArrayList,返回它们的最大值
- class Solution {
- public int findTheLongestBalancedSubstring(String s) {
- char[] ch = s.toCharArray();
- int len = ch.length;
- ArrayList
arrayList = new ArrayList<>(); - for (int i = 0; i < len - 1; i++) {
- if (ch[i] == '0' && ch[i + 1] == '1') {
- arrayList.add(i);
- }
- }
- if (arrayList.size() == 0)
- return 0;
-
- System.out.println(arrayList);
- ArrayList
result = new ArrayList<>(); - for (int i = 0; i < arrayList.size(); i++) {
- int tmp = arrayList.get(i);
- int left = tmp, right = tmp + 1;
- System.out.println(left + " " + right);
- int count = 0;
- while(left >= 0 && right < len) {
- if (ch[left] == '0' && ch[right] == '1') {
- count += 2;
- } else {
- break;
- }
- left--;
- right++;
- }
- result.add(count);
- count = 0;
- }
- return Collections.max(result);
- }
- }