2430. Maximum Deletions on a String
Description
You are given a string s
consisting of only lowercase English letters. In one operation, you can:
- Delete the entire string
s
, or - Delete the first
i
letters ofs
if the firsti
letters ofs
are equal to the followingi
letters ins
, for anyi
in the range1 <= i <= s.length / 2
.
For example, if s = "ababc"
, then in one operation, you could delete the first two letters of s
to get "abc"
, since the first two letters of s
and the following two letters of s
are both equal to "ab"
.
Return the maximum number of operations needed to delete all of s
.
Example 1:
Input: s = "abcabcdabc" Output: 2 Explanation: - Delete the first 3 letters ("abc") since the next 3 letters are equal. Now, s = "abcdabc". - Delete all the letters. We used 2 operations so return 2. It can be proven that 2 is the maximum number of operations needed. Note that in the second operation we cannot delete "abc" again because the next occurrence of "abc" does not happen in the next 3 letters.
Example 2:
Input: s = "aaabaab" Output: 4 Explanation: - Delete the first letter ("a") since the next letter is equal. Now, s = "aabaab". - Delete the first 3 letters ("aab") since the next 3 letters are equal. Now, s = "aab". - Delete the first letter ("a") since the next letter is equal. Now, s = "ab". - Delete all the letters. We used 4 operations so return 4. It can be proven that 4 is the maximum number of operations needed.
Example 3:
Input: s = "aaaaa" Output: 5 Explanation: In each operation, we can delete the first letter of s.
Constraints:
1 <= s.length <= 4000
s
consists only of lowercase English letters.
Solution
maximum-deletions-on-a-string.py
class Hashes:
def __init__(self, s, base = 131, mod = 10 ** 9 + 7) -> None:
self.s = s
self.base = base
self.mod = mod
self.powers = [1]
self.psa = [0]
for i in range(len(s)):
self.powers.append(self.powers[-1] * self.base % self.mod)
self.psa.append((self.psa[-1] + ord(s[i]) * self.powers[-1]) % self.mod)
def get(self, l, r):
return (self.psa[r + 1] - self.psa[l]) * self.powers[len(self.s) - r] % self.mod
class Solution:
def deleteString(self, s: str) -> int:
N = len(s)
if len(set(s)) == 1: return N
dp = [1] * N
h = Hashes(s)
for i in range(N - 1, -1, -1):
for j in range(1, N):
if i + 2 * j > N: break
if 1 + dp[i+j] > dp[i] and h.get(i, i + j - 1) == h.get(i + j, i + 2 * j - 1):
dp[i] = 1 + dp[i+j]
return dp[0]