用C语言编写输入一行字符,分别统计出其中英文字母、数字和其它字符的个数,采用指针操作完成上述工作。输出的字符多一个
时间: 2024-02-28 22:51:55 浏览: 53
好的,下面是使用指针操作的C语言代码:
```c
#include <stdio.h>
void count(char *str)
{
int letters = 0, digits = 0, others = 0;
while (*str)
{
if ((*str >= 'a' && *str <= 'z') || (*str >= 'A' && *str <= 'Z'))
letters++;
else if (*str >= '0' && *str <= '9')
digits++;
else
others++;
str++;
}
printf("letters:%d\ndigits:%d\nothers:%d\n", letters, digits, others);
}
int main()
{
char str[100];
printf("Please input a string:\n");
fgets(str, sizeof(str), stdin);
count(str);
return 0;
}
```
这段代码会先让用户输入一个字符串,然后通过指针操作遍历整个字符串,统计其中的英文字母、数字和其他字符的个数,最后输出结果。
相关问题
用C语言编写输入一行字符,分别统计出其中英文字母、数字和其它字符的个数,采用指针操作完成上述工作
好的,下面是C语言代码:
```c
#include <stdio.h>
#include <ctype.h>
void count_chars(char *str, int *letters, int *digits, int *others) {
while (*str != '\0') {
if (isalpha(*str))
(*letters)++;
else if (isdigit(*str))
(*digits)++;
else
(*others)++;
str++;
}
}
int main() {
char str[100];
int letters = 0, digits = 0, others = 0;
printf("请输入一行字符:");
fgets(str, 100, stdin);
count_chars(str, &letters, &digits, &others);
printf("字母个数:%d\n数字个数:%d\n其他字符个数:%d\n", letters, digits, others);
return 0;
}
```
在函数`count_chars`中,使用指针来修改`letters`、`digits`和`others`的值,最终在`main`函数中输出它们的值。注意使用`fgets`函数来读取输入的一行字符,而不是`scanf`,因为`scanf`会在遇到空格或换行符时停止读取。
用C语言输入一行字符,分别统计出其中英文字母、数字和其它字符的个数,采用指针操作完成上述工作
好的,以下是一份用 C 语言实现统计英文字母、数字和其他字符个数的代码示例:
```c
#include <stdio.h>
void count(char *str, int *alpha, int *digit, int *other)
{
while (*str != '\0') {
if ((*str >= 'a' && *str <= 'z') || (*str >= 'A' && *str <= 'Z')) {
(*alpha)++;
} else if (*str >= '0' && *str <= '9') {
(*digit)++;
} else {
(*other)++;
}
str++;
}
}
int main()
{
char str[100];
int alpha = 0, digit = 0, other = 0;
printf("Please enter a string: ");
fgets(str, 100, stdin);
count(str, &alpha, &digit, &other);
printf("Alphabets: %d\n", alpha);
printf("Digits: %d\n", digit);
printf("Other characters: %d\n", other);
return 0;
}
```
在这个代码中,我们定义了一个自定义函数 `count`,该函数接收一个字符串指针 `str`,以及三个整型指针 `alpha`、`digit` 和 `other` 作为参数。函数内部使用一个循环遍历字符串中的每一个字符,如果是英文字母则将 `alpha` 指针指向的整型变量加一,如果是数字则将 `digit` 指针指向的整型变量加一,否则将 `other` 指针指向的整型变量加一。
在 `main` 函数中,我们声明一个字符串变量 `str`,并使用 `fgets` 函数从标准输入中读取一行字符串。然后我们调用 `count` 函数统计其中英文字母、数字和其他字符的个数,并将结果存储在 `alpha`、`digit` 和 `other` 变量中。最后我们输出统计结果。
阅读全文