题目
思路
这道题要求不能打乱字符之间的相对位置,因此直接用朴素的贪心方法不可以行。为了保证这一条件,需要用栈来模拟这一算法过程。在遍历字符串过程中,添加当前字符串入栈的前提是它在栈中没有出现过。如果遇到当前字符比栈顶字符字典序小则需要弹栈,不过这里有一个前提,也就是当前栈顶字符在剩下的子串中会再出现,否则不能弹出。如果当前栈顶字符比当前字符字典序小,则直接将当前字符入栈。在模拟过程中需要用一个数组记录当前每个字符还剩的个数以及字符是否在栈中出现过。
代码
class Solution:
def removeDuplicateLetters(self, s: str) -> str:
n=len(s)
count=[0 for i in range(26)]
for i in range(n):
count[ord(s[i])-ord('a')]+=1
q=[]
q.append(s[0])
count[ord(s[0])-ord('a')]-=1
vis={}
vis[s[0]]=1
for i in range(1,n):
print(q)
if vis.get(s[i])==None:
flag=1
while len(q) and ord(q[-1])>ord(s[i]) and count[ord(q[-1])-ord('a')]:
temp=q.pop()
vis[temp]=None
q.append(s[i])
vis[s[i]]=1
count[ord(s[i])-ord('a')]-=1
return ''.join(q)