You are given a binary string s. In one second, all occurrences of
"01" are simultaneously replaced with "10". This process repeats until no occurrences of "01" exist.
Return the number of seconds needed to complete this process.
Input: s ="0110101" Output:4 Explanation: After one second, s becomes "1011010". After another second, s becomes "1101100". After the third second, s becomes "1110100". After the fourth second, s becomes "1111000". No occurrence of "01" exists any longer, and the process needed 4 seconds to complete, so we return4.
Track the number of 1’s to the left of each 0, and for each 0, compute how many steps it takes to move past all 1’s to its left. The answer is the maximum such value.
Iterate through the string, for each 0, count how many 1’s have been seen so far. The time for this 0 is the maximum of (previous time + 1) and the number of 1’s seen so far. The answer is the maximum time for any 0.
classSolution:
defsecondsToRemoveOccurrences(self, s: str) -> int:
ans = ones =0for c in s:
if c =='1':
ones +=1else:
if ones >0:
ans = max(ans +1, ones)
return ans
1
2
3
4
5
6
7
8
9
10
classSolution {
publicintsecondsToRemoveOccurrences(String s) {
int ans = 0, ones = 0;
for (char c : s.toCharArray()) {
if (c =='1') ones++;
elseif (ones > 0) ans = Math.max(ans + 1, ones);
}
return ans;
}
}