6-5 判断回文字符串 (20分)
本题要求编写函数,判断给定的一串字符是否为“回文”。所谓“回文”是指顺读和倒读都一样的字符串。如“XYZYX”和“xyzzyx”都是回文。
函数接口定义:
bool palindrome( char *s );
函数palindrome
判断输入字符串char *s
是否为回文。若是则返回true
,否则返回false
。
裁判测试程序样例:
#include <stdio.h>
#include <string.h>
#define MAXN 20
typedef enum {false, true} bool;
bool palindrome( char *s );
int main()
{
char s[MAXN];
scanf("%s", s);
if ( palindrome(s)==true )
printf("Yes\n");
else
printf("No\n");
printf("%s\n", s);
return 0;
}
/* 你的代码将被嵌在这里 */
输入样例1:
thisistrueurtsisiht
输出样例1:
Yes
thisistrueurtsisiht
输入样例2:
thisisnottrue
输出样例2:
No
thisisnottrue
思路:
无论字符数量是奇数还是偶数,我们都可以将字符串长度/2作为一个判断的节点,将一个字符串分成前后两部分进行判断,只需要判断函数自身前后两部分是否一致就可以了。
我的答案:
#include<string.h>
bool palindrome( char *s ){
int len=strlen(s);
int count;
for(int i=0;i<len/2;i++){
if(s[i]==s[len-i-1])
count++;
}
if(count==len/2)
return true;
else
return false;
}