4073. Lexicographically Smallest String After Reverse¶
4073. Lexicographically Smallest String After Reverse
Medium
You are given a string s of length n consisting of lowercase English letters.
You must perform exactly one operation by choosing any integer k such that 1 <= k <= n and either:
- reverse the first
kcharacters ofs, or - reverse the last
kcharacters ofs.
Return the lexicographically smallest string that can be obtained after exactly one such operation.
A string a is lexicographically smaller than a string b if, at the first position where they differ, a has a letter that appears earlier in the alphabet than the corresponding letter in b. If the first min(a.length, b.length) characters are the same, then the shorter string is considered lexicographically smaller.
Example 1:
Input: s = "dcab"
Output: "acdb"
Explanation:
- Choose
k = 3, reverse the first 3 characters. - Reverse
"dca"to"acd", resulting strings = "acdb", which is the lexicographically smallest string achievable.
Example 2:
Input: s = "abba"
Output: "aabb"
Explanation:
- Choose
k = 3, reverse the last 3 characters. - Reverse
"bba"to"abb", so the resulting string is"aabb", which is the lexicographically smallest string achievable.
Example 3:
Input: s = "zxy"
Output: "xzy"
Explanation:
- Choose
k = 2, reverse the first 2 characters. - Reverse
"zx"to"xz", so the resulting string is"xzy", which is the lexicographically smallest string achievable.
Constraints:
1 <= n == s.length <= 1000sconsists of lowercase English letters.
Solution¶
class Solution {
public String lexSmallest(String s) {
int n = s.length();
ArrayList<String> res = new ArrayList<>();
for (int k = 1; k <= n; k++) {
StringBuilder first = new StringBuilder(s.substring(0, k));
String op1 = first.reverse().toString() + s.substring(k, n);
StringBuilder second = new StringBuilder(s.substring(n - k, n));
String op2 = s.substring(0, n - k) + second.reverse().toString();
res.add(op1); res.add(op2);
}
Collections.sort(res);
return res.get(0);
}
}
Complexity Analysis¶
- Time Complexity: O(?)
- Space Complexity: O(?)
Explanation¶
[Add detailed explanation here]