Skip to content

Latest commit

 

History

History

761

Folders and files

NameName
Last commit message
Last commit date

parent directory

..
 
 
 
 

Special binary strings are binary strings with the following two properties:

  • The number of 0's is equal to the number of 1's.
  • Every prefix of the binary string has at least as many 1's as 0's.

You are given a special binary string s.

A move consists of choosing two consecutive, non-empty, special substrings of s, and swapping them. Two strings are consecutive if the last character of the first string is exactly one index before the first character of the second string.

Return the lexicographically largest resulting string possible after applying the mentioned operations on the string.

 

Example 1:

Input: s = "11011000"
Output: "11100100"
Explanation: The strings "10" [occuring at s[1]] and "1100" [at s[3]] are swapped.
This is the lexicographically largest string possible after some number of swaps.

Example 2:

Input: s = "10"
Output: "10"

 

Constraints:

  • 1 <= s.length <= 50
  • s[i] is either '0' or '1'.
  • s is a special binary string.

Companies:
Citrix, Visa, Quip (Salesforce), Coursera

Related Topics:
String, Recursion

Similar Questions:

Solution 1. Recursion

// OJ: https://leetcode.com/problems/special-binary-string/
// Author: github.com/lzl124631x
// Time: O(N^2)
// Space: O(N)
// Ref: https://leetcode.com/problems/special-binary-string/solution/
class Solution {
public:
    string makeLargestSpecial(string s) {
        if (s.empty()) return "";
        int N = s.size(), anchor = 0, cnt = 0;
        vector<string> v;
        for (int i = 0; i < N; ++i) {
            cnt += s[i] == '1' ? 1 : -1;
            if (cnt == 0) {
                v.push_back("1" + makeLargestSpecial(s.substr(anchor + 1, i - anchor - 1)) + "0");
                anchor = i + 1;
            }
        }
        sort(begin(v), end(v), greater<>());
        string ans;
        for (auto &m : v) ans += m;
        return ans;
    }
};