基础练习 完美的代价
时间限制:1.0s 内存限制:512.0MB
问题描述 回文串,是一种特殊的字符串,它从左往右读和从右往左读是一样的。小龙龙认为回文串才是完美的。现在给你一个串,它不一定是回文的,请你计算最少的交换次数使得该串变成一个完美的回文串。
交换的定义是:交换两个相邻的字符
例如mamad
第一次交换 ad : mamda
第二次交换 md : madma
第三次交换 ma : madam (回文!完美!)输入格式 第一行是一个整数N,表示接下来的字符串的长度(N <= 8000)
第二行是一个字符串,长度为N.只包含小写字母输出格式 如果可能,输出最少的交换次数。
否则输出Impossible样例输入5
mamad样例输出3
def change(list1, start, end, times):
if list1[start] == list1[end - 1]:
return list1, times
for i in range(start, end - 1):
list1[i], list1[i + 1] = list1[i + 1], list1[i]
times += 1
return list1, times
def get_index(list1, start, times):
tmp = list1[start]
try:
res = list1[start + 1:].index(tmp)
return list1, res + start + 1, times
except Exception as e:
return list1, -1, times
if __name__ == '__main__':
size = int(input())
inp_str = input()
strList = list(inp_str)
times = 0
for i in range(size // 2):
strList, res, times = get_index(strList, i, times)
_, res_tmp, _ = get_index(strList, i + 1, times)
if (res != -1):
strList, times = change(strList, res, size - i, times)
elif (res == -1 and res_tmp != -1):
strList[i], strList[i + 1] = strList[i + 1], strList[i]
times += 1
print(times)