comments | difficulty | edit_url | tags | ||||
---|---|---|---|---|---|---|---|
true |
困难 |
|
我们称一个长度为偶数的字符串 s
为 反回文 的,如果对于每一个下标 0 <= i < n
,s[i] != s[n - i - 1]
。
给定一个字符串 s
,你需要进行 任意 次(包括 0)操作使 s
成为 反回文。
在一次操作中,你可以选择 s
中的两个字符并且交换它们。
返回结果字符串。如果有多个字符串符合条件,返回 字典序最小 的那个。如果它不能成为一个反回文,返回 "-1"
。
示例 1:
输入:s = "abca"
输出:"aabc"
解释:
"aabc"
是一个反回文字符串,因为 s[0] != s[3]
并且 s[1] != s[2]
。同时,它也是 "abca"
的一个重排。
示例 2:
输入:s = "abba"
输出:"aabb"
解释:
"aabb"
是一个反回文字符串,因为 s[0] != s[3]
并且 s[1] != s[2]
。同时,它也是 "abba"
的一个重排。
示例 3:
输入:s = "cccd"
输出:"-1"
解释:
你可以发现无论你如何重排 "cccd"
的字符,都有 s[0] == s[3]
或 s[1] == s[2]
。所以它不能形成一个反回文字符串。
提示:
2 <= s.length <= 105
s.length % 2 == 0
s
只包含小写英文字母。
题目要求我们将字符串
接下来,我们只需要比较中间的两个字符 "1"
。否则,执行交换操作,并向右移动
时间复杂度
class Solution:
def makeAntiPalindrome(self, s: str) -> str:
cs = sorted(s)
n = len(cs)
m = n // 2
if cs[m] == cs[m - 1]:
i = m
while i < n and cs[i] == cs[i - 1]:
i += 1
j = m
while j < n and cs[j] == cs[n - j - 1]:
if i >= n:
return "-1"
cs[i], cs[j] = cs[j], cs[i]
i, j = i + 1, j + 1
return "".join(cs)
class Solution {
public String makeAntiPalindrome(String s) {
char[] cs = s.toCharArray();
Arrays.sort(cs);
int n = cs.length;
int m = n / 2;
if (cs[m] == cs[m - 1]) {
int i = m;
while (i < n && cs[i] == cs[i - 1]) {
++i;
}
for (int j = m; j < n && cs[j] == cs[n - j - 1]; ++i, ++j) {
if (i >= n) {
return "-1";
}
char t = cs[i];
cs[i] = cs[j];
cs[j] = t;
}
}
return new String(cs);
}
}
class Solution {
public:
string makeAntiPalindrome(string s) {
sort(s.begin(), s.end());
int n = s.length();
int m = n / 2;
if (s[m] == s[m - 1]) {
int i = m;
while (i < n && s[i] == s[i - 1]) {
++i;
}
for (int j = m; j < n && s[j] == s[n - j - 1]; ++i, ++j) {
if (i >= n) {
return "-1";
}
swap(s[i], s[j]);
}
}
return s;
}
};
func makeAntiPalindrome(s string) string {
cs := []byte(s)
sort.Slice(cs, func(i, j int) bool { return cs[i] < cs[j] })
n := len(cs)
m := n / 2
if cs[m] == cs[m-1] {
i := m
for i < n && cs[i] == cs[i-1] {
i++
}
for j := m; j < n && cs[j] == cs[n-j-1]; i, j = i+1, j+1 {
if i >= n {
return "-1"
}
cs[i], cs[j] = cs[j], cs[i]
}
}
return string(cs)
}
function makeAntiPalindrome(s: string): string {
const cs: string[] = s.split('').sort();
const n: number = cs.length;
const m = n >> 1;
if (cs[m] === cs[m - 1]) {
let i = m;
for (; i < n && cs[i] === cs[i - 1]; i++);
for (let j = m; j < n && cs[j] === cs[n - j - 1]; ++i, ++j) {
if (i >= n) {
return '-1';
}
[cs[j], cs[i]] = [cs[i], cs[j]];
}
}
return cs.join('');
}