1,给定一个字符串s,你可以从中删除一些字符,使得剩下的串是一个回文串。如何删除才能使得回文串最长呢?输出需要删除的字符个数。
输入描述:输入数据有多组,每组包含一个字符串s,且保证:1<=s.length<=1000.
输出描述:对于每组数据,输出一个整数,代表最少需要删除的字符个数。
输入例子:
abcda
输出例子:
2
2
转:http://blog.csdn.net/sinat_35512245/article/details/53675660
#include <iostream>
#include <string.h>
#include <algorithm>
using namespace std;
const int MAXN=1010;
int temp[MAXN][MAXN];
//先求s的反串reverse,然后求他们的最长的公共子序列,要删除的字符个数就能知道
//时间复杂度O(N^2)
int getRemoveNumber(string &s1)
{
string s2(s1);
reverse(s2.begin(),s2.end());
int len=s1.length();
memset(temp,0,sizeof temp);
for(int i=0;i<len;++i)
{
for(int j=0;j<len;++j)
{
if(s1[i]==s2[j])
temp[i+1][j+1]=temp[i][j]+1;
else temp[i+1][j+1]=max(temp[i][j+1],temp[i+1][j]);
}
}
return len-temp[len][len];
}
int main()
{
string s;
while(cin>>s)
{
cout<<getRemoveNumber(s)<<endl;
}
return 0;
}
2,把一个字符串的大写字母放到字符串的后面,各个字符的相对位置不变,且不能申请额外的空间。
输入描述: 输入数据有多组,每组包含一个字符串s,且保证:1<=s.length<=1000.
输出描述: 对于每组数据,输出移位后的字符串。
输入例子: AkleBiCeilD
输出例子: kleieilABCD
转:http://m.blog.csdn.net/article/details?id=61434125
#include <iostream>
#include <string>
#include<algorithm>
using namespace std;
//类似前后两个指针,分别从前到后,从后到前,交换对应两个位置的字符。但是相对位置改变了。
stringupperBehind(string& s)
{
int length = s.length();
int i = 0;
int j = length - 1;
while (i<j)
{
while (!isupper(s[i])&&i<j)//找到第一个大写字母
{
i++;
}
while (!islower(s[j])&&j>i)//找到第一个小写字母
{
j--;
}
if (i < j)//此时的交换两个位置的值
{
char temp = s[i];
s[i] = s[j];
s[j] = temp;
i++; j--;
}
}
return s;
}
//借用插入排序的思想,可以保持交换之后的位置的顺序不变
stringupperBehind2(string& s)
{
int length = s.length();
//从第二个位置开始
for (int i = 1; i < length;i++)
{
if (islower(s[i]))//找到后面的小写字母插入到前面
{
char key = s[i];
int j = i - 1;
while (j >= 0 && isupper(s[j]))
{
s[j + 1] = s[j];
j--;
}
s[j + 1] = key;
}
}
return s;
}
int main()
{
string s1 ;
while (cin >> s1)
{
string results1 = upperBehind2(s1);
cout << results1 << endl;
}
//system("pause");
return 0;
}
3,小Q今天在上厕所时想到了这个问题:有n个数,两两组成二元组,差最小的有多少对呢?差最大呢?
输入描述: 输入包含多组测试数据。 对于每组测试数据:N - 本组测试数据有n个数a1,a2...an - 需要计算的数据 保证:1<=N<=100000,0<=ai<=INT_MAX.
输出描述:对于每组数据,输出两个数,第一个数表示差最小的对数,第二个数表示差最大的对数。
输入例子:
6
45 12 45 32 5 6
输出例子:
1 2
转:http://www.cnblogs.com/qiaozhoulin/p/5548981.html
#include<iostream>
#include<algorithm>
#include<vector>
using namespace std;
int main()
{
int N;
while(cin>>N)
{
vector<int> array(N);
for(int i=0;i<N;i++)
cin>>array[i];
if(N==1)
{
cout<<0<<" "<<0<<endl;
continue;
}
sort(array.begin(),array.end());
if(array[0]==array[N-1])
{
int num=N*(N-1)/2;
cout<<num<<" "<<num<<endl;
continue;
}
int maxNum=count(array.begin(),array.end(),array[N-1]);
int minNum=count(array.begin(),array.end(),array[0]);
int max=maxNum*minNum;
int minValue=array[1]-array[0];
for(int i=1;i<N;i++)
if(array[i]-array[i-1]<minValue)
minValue=array[i]-array[i-1];
int min=0;
for(int i=1;i<N;i++)
for(int j=i-1;j>=0;j--)
if(array[i]-array[j]==minValue)
min++;
else
break; //这一步相当关键啊
cout<<min<<" "<<max<<endl;
}
return 0;
}