2017腾讯校招暑期实习生笔试题1

构造回文

给定一个字符串s,你可以从中删除一些字符,使得剩下的串是一个回文串。如何删除才能使得回文串最长呢?

输出需要删除的字符个数。

输入描述:

输入数据有多组,每组包含一个字符串s,且保证:1<=s.length<=1000.

输出描述:

对于每组数据,输出一个整数,代表最少需要删除的字符个数。

示例1

输入

abcda
google

输出

2
2

解题思路:

            找到两个字符串最大的公共子串即可

 代码:

#include <iostream>
#include <string>
#include <algorithm>
#include <vector>

using namespace std;

int temp[1001][1001];

/*****************
  * 样例:
  * google
  * elgoog
  * 解题思路:
  * 新建一个字符串,将其倒置,可将子看成二维字符数组
  * 找到两个字符串最大的公共子串即可
*****************/
int calNum(std::string & str)
{
	::memset(temp,0,sizeof(temp));
	std::string str1(str);

	//倒置字符串
	::reverse(str1.begin(),str1.end());
	int len = str.length();
	for (int i=0;i<=len-1;i++)
	{
		for (int j=0;j<=len-1;j++)
		{
			if (str[i]==str1[j])
			{
				temp[i + 1][j + 1] = temp[i][j] + 1;
			}
			else
			{
				temp[i + 1][j + 1] = ::max(temp[i + 1][j], temp[i][j + 1]);
			}
		}
	}

	return len - temp[len][len];
}


int main()
{
	int n;
	std::string str;

	while (std::cin >> str)
	{
		std::cout << calNum(str) << std::endl;
	}

	getchar(); getchar();
	return 0;
}

点赞