Seawolf 发表于 2019-9-29 23:25:44

leetcode 1047. Remove All Adjacent Duplicates In String

Given a string S of lowercase letters, a duplicate removal consists of choosing two adjacent and equal letters, and removing them.

We repeatedly make duplicate removals on S until we no longer can.

Return the final string after all such duplicate removals have been made.It is guaranteed the answer is unique.



Example 1:

Input: "abbaca"
Output: "ca"
Explanation:
For example, in "abbaca" we could remove "bb" since the letters are adjacent and equal, and this is the only possible move.The result of this move is that the string is "aaca", of which only "aa" is possible, so the final string is "ca".


Note:

1 <= S.length <= 20000
S consists only of English lowercase letters.

class Solution {
    public String removeDuplicates(String S) {
      if(S.length() == 0) return S;
      int i = 0;
      while(i != S.length()){
            if(i < S.length() -1 && S.charAt(i) == S.charAt(i+1)){
                S = S.substring(0, i)+S.substring(i+2);
                break;
            }
            i++;
      }
      if(i == S.length()) return S;
      return removeDuplicates(S);
    }
}

class Solution {
    public String removeDuplicates(String S) {
      List<Character> list = new ArrayList<>();
      for(int i = 0; i < S.length(); i++){
            if(list.size() != 0 && list.get(list.size() - 1)== S.charAt(i)){
                list.remove(list.size()-1);
            }else{
                list.add(S.charAt(i));
            }
      }
      
      String ret = "";
      for(int i = 0; i < list.size(); i++){
            ret = ret + list.get(i);
      }
      return ret;
    }
}

class Solution {
    public String removeDuplicates(String S) {
      char[] s = S.toCharArray();
      int i = 0;
      for(int j = 0; j< s.length; j++){
            if(i>0 && s == s){
                i--;
            }
            else{
                s = s;
            }
      }
      
      return new String(s,0,i);
    }
}
页: [1]
查看完整版本: leetcode 1047. Remove All Adjacent Duplicates In String