本题要求编写函数,判断给定的一串字符是否为“回文”。所谓“回文”是指顺读和倒读都一样的字符串。如“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;
}
/* 你的代码将被嵌在这里 */
thisistrueurtsisiht
Yes
thisistrueurtsisiht
thisisnottrue
No
thisisnottrue
代码长度限制
16 KB
时间限制
400 ms
内存限制
64 MB
C程序如下:
bool palindrome( char *s )//判断字符串是否为回文
{
char *a = s;//定义一个指针,指向s所指向的字符
int count = 0;//定义一个计数变量,用来储存字符数组的长度
while(*a != '\0')//遍历这个字符数组,并统计字符的长度
{
count ++;
a++;//指针指向字符数组的下一个字符
}
char *b = s;//定义一个指针,指向s所指向的字符数组的的第一个字符
char *c = b + count - 1;//指向s所指向的字符数组的最后一个人字符
while(b < c)//指针b<a时进入循环
{
if(*b != *c)//若字符组的最后一个字符和第一个字符不相等返回false
{
return false;
}
b++;//否则b指向下一个字符
c--;//c指向前一个字符
}
return true;//若遍历这个字符数组都没有返回false,则这个字符数组是回文,返回true
}