C语言删除字符串中的空格
时间: 2023-07-28 19:10:47 浏览: 273
可以使用C语言的字符串处理函数来删除字符串中的空格。以下是一个示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
void remove_spaces(char *str) {
int len = strlen(str);
int i, j;
for (i = 0, j = 0; i < len; i++) {
if (str[i] != ' ') {
str[j++] = str[i];
}
}
str[j] = '\0';
}
int main() {
char str[100];
printf("请输入一个带有空格的字符串:\n");
fgets(str, 100, stdin);
remove_spaces(str);
printf("删除空格后的字符串为:%s\n", str);
return 0;
}
```
这个程序中,`remove_spaces` 函数接收一个字符串指针参数,然后遍历字符串中的每个字符,如果字符不是空格,就将它复制到一个新的位置,最后在字符串末尾添加一个空字符 '\0'。主函数调用 `remove_spaces` 函数来删除输入字符串中的空格,并输出结果。
相关问题
c语言输出字符串中空格数
在C语言中,输出字符串中的空格数可以通过遍历字符串并计算空格字符的出现次数来实现。下面是一个简单的示例代码:
```c
#include <stdio.h>
int main() {
char str[] = "这是一个示例字符串,包含一些空格";
int count = 0;
// 遍历字符串直到遇到字符串结束符'\0'
for (int i = 0; str[i] != '\0'; ++i) {
// 检查当前字符是否为空格字符
if (str[i] == ' ') {
count++; // 如果是空格,增加计数器
}
}
printf("字符串中的空格数为:%d\n", count); // 输出空格数量
return 0;
}
```
这段代码首先定义了一个字符串`str`,然后通过一个循环遍历该字符串。在循环中,它检查每个字符是否为空格(' '),如果是,则增加计数器`count`的值。遍历完成后,使用`printf`函数输出空格的总数。
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()` 函数存在安全隐患,不建议使用。
阅读全文