用c++编写程序代码:输入一行字符串,统计其中大写字母、小写字母、空格、数字及其他字符的个数,判断其是否回文。回文串即正着读和反着读都相同的字符串
时间: 2023-05-19 08:01:26 浏览: 185
以下是用 C 语言编写的程序代码,可以实现输入一行字符串,统计其中大写字母、小写字母、空格、数字及其他字符的个数,判断其是否回文。
```c
#include <stdio.h>
#include <ctype.h>
#include <string.h>
#define MAX_LEN 100
int main() {
char str[MAX_LEN];
int len, i, j, upper, lower, space, digit, other;
upper = lower = space = digit = other = 0;
printf("请输入一行字符串:\n");
fgets(str, MAX_LEN, stdin);
len = strlen(str) - 1; // 去掉换行符
// 统计各种字符的个数
for (i = 0; i < len; i++) {
if (isupper(str[i])) {
upper++;
} else if (islower(str[i])) {
lower++;
} else if (isspace(str[i])) {
space++;
} else if (isdigit(str[i])) {
digit++;
} else {
other++;
}
}
// 判断是否回文
for (i = 0, j = len - 1; i < j; i++, j--) {
if (str[i] != str[j]) {
printf("不是回文串\n");
return 0;
}
}
printf("是回文串\n");
// 输出各种字符的个数
printf("大写字母:%d\n", upper);
printf("小写字母:%d\n", lower);
printf("空格:%d\n", space);
printf("数字:%d\n", digit);
printf("其他字符:%d\n", other);
return 0;
}
```
注意:在输入字符串时,使用了 `fgets` 函数,可以读取一行字符串,包括空格和换行符。在统计各种字符的个数时,使用了 `ctype.h` 头文件中的函数,可以判断字符的类型。在判断是否回文时,使用了双指针法,可以从字符串的两端同时向中间遍历。
阅读全文