用c语言判断字符串空格个数
时间: 2024-05-01 15:24:02 浏览: 171
可以使用如下代码来判断字符串中空格的个数:
```c
#include <stdio.h>
int countSpaces(char str[]) {
int i, count = 0;
for (i = 0; str[i] != '\0'; i++) {
if (str[i] == ' ') {
count++;
}
}
return count;
}
int main() {
char str[] = "Hello world! This is a test.";
int spaces = countSpaces(str);
printf("The number of spaces in the string is: %d\n", spaces);
return 0;
}
```
在上面的代码中,`countSpaces()` 函数接受一个字符串作为输入,并遍历字符串中的每个字符。如果当前字符是空格,则将计数器 `count` 加一。最后,函数返回空格的总数。在 `main()` 函数中,我们使用一个测试字符串来测试 `countSpaces()` 函数。
相关问题
c语言统计字符串中空格数
可以使用循环遍历字符串中的每一个字符,判断是否为空格,如果是,则计数器加一。代码如下:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str[100];
int count = 0;
printf("请输入一个字符串:");
fgets(str, sizeof(str), stdin); // 从标准输入读取字符串
for (int i = 0; i < strlen(str); i++) {
if (str[i] == ' ') { // 如果当前字符是空格
count++; // 计数器加一
}
}
printf("空格数为:%d\n", count);
return 0;
}
```
注意:这里使用了 `fgets()` 函数来从标准输入读取字符串,因为 `gets()` 函数存在安全隐患,不建议使用。
C语言统计字符串中字母 数字 空格 其他字符个数
以下是C语言统计字符串中字母、数字、空格、其他字符个数的代码实现:
```c
#include <stdio.h>
#include <ctype.h>
void count(char str[]) {
int i, letter = 0, digit = 0, space = 0, other = 0;
for (i = 0; str[i] != '\0'; i++) {
if (isalpha(str[i])) { // 判断是否为字母
letter++;
} else if (isdigit(str[i])) { // 判断是否为数字
digit++;
} else if (isspace(str[i])) { // 判断是否为空格
space++;
} else { // 其他字符
other++;
}
}
printf("字母个数:%d\n", letter);
printf("数字个数:%d\n", digit);
printf("空格个数:%d\n", space);
printf("其他字符个数:%d\n", other);
}
int main() {
char str[100];
printf("请输入字符串:");
gets(str); // 读入字符串
count(str); // 调用count函数统计字符个数
return 0;
}
```
阅读全文