链接
传送门
大意
给出一个字符串,每次可以交换两个相邻的字母,输出把它变为回文串的最少交换次数,无解输出"-1"。
思路
当且仅当存在两个及以上的字母的出现次数为奇数时,无解。在其他时候,每次都完成字符串靠两端的字母的匹配,对比固定左端和右端时的移动次数,选择较小的执行。
代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56
| #include <cstdio> #include <cstring> #include <algorithm> using namespace std;
const int maxn = 110; bool flag[maxn]; char s[maxn][maxn]; int lcp[maxn][maxn], len[maxn], idx[maxn];
int main() { int t; scanf("%d", &t); while (t--) { int n; scanf("%d", &n); for (int i = 0; i < n; ++i) { scanf("%s", s[i]); len[i] = int(strlen(s[i])); } for (int i = 0; i < n; ++i) { lcp[i][i] = len[i]; for (int j = i + 1; j < n; ++j) { int k = 0; while (s[i][k] == s[j][k] && k < len[i] && k < len[j]) { ++k; } lcp[i][j] = lcp[j][i] = k; } } memset(flag, 0, sizeof flag); flag[0] = true, idx[0] = 0; int ans = len[0], pre = 0, cur = 0, curlcp = -1, cnt = 1; while (cnt <= n) { for (int i = 0; i < n; ++i) { if (flag[i]) { continue; } if (lcp[i][pre] > curlcp) { cur = i; curlcp = lcp[i][pre]; } } ans += len[cur] - lcp[pre][cur]; pre = cur; flag[cur] = true; idx[cnt++] = cur; curlcp = -1; } printf("%d\n", ans); for (int i = 0; i < n; ++i) { puts(s[idx[i]]); } } return 0; }
|