c语言编写函数Delete()在字符串中删除给定的某字符。例如:在"hello“中删掉'l',结果为"heo". 然后在主函数中,输入字符串和待删除的字符,再调用函数Delete删除字符串中与该字符相同的字符,最后输出删除字符后的字符串。 程序运行结果示例: Input a string: hello, my friend!↙ Input a character: l↙ Results:heo, my friend! 输入格式: 输入字符串用 gets()函数 输入单个字符用 getchar()函数 输出格式: 输入字符串的提示信息: "Input a string:\n" 输入单个字符的提示信息: "Input a character:\n" 输出格式: "Results:%s\n"
时间: 2024-03-23 09:36:37 浏览: 120
C语言程序设计-从字符串中删除指定的字符;同一字母的大、小写 按不同字符处理;
5星 · 资源好评率100%
C语言代码如下:
```c
#include <stdio.h>
#include <string.h>
#define MAXN 100
void Delete(char s[], char c) {
int len = strlen(s);
int j = 0;
for (int i = 0; i < len; i++) {
if (s[i] != c) {
s[j++] = s[i];
}
}
s[j] = '\0';
}
int main() {
char s[MAXN], c;
printf("Input a string:\n");
gets(s);
printf("Input a character:\n");
c = getchar();
Delete(s, c);
printf("Results:%s\n", s);
return 0;
}
```
这个程序与C++程序的思路基本一致。使用gets函数读入字符串,getchar函数读入待删除的字符,然后调用Delete函数删除字符串中与该字符相同的字符,最后输出删除后的字符串。需要注意的是,由于C语言中没有iostream头文件,所以输入输出要使用printf和scanf函数。
阅读全文