编写函数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 10:36:37 浏览: 62
去除字符串中指定的某字符 如hello去除o,则输出为hell
C++代码如下:
```cpp
#include <iostream>
#include <cstring>
using namespace std;
const int 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;
cout << "Input a string:" << endl;
gets(s);
cout << "Input a character:" << endl;
c = getchar();
Delete(s, c);
cout << "Results:" << s << endl;
return 0;
}
```
首先,定义一个Delete函数,用于在字符串中删除给定的某字符。具体实现是,遍历字符串,如果当前字符不等于给定的字符,则将其加入到新的字符串中,最后将新的字符串赋值回原字符串。
然后,在主函数中,读入字符串和待删除的字符,调用Delete函数删除字符串中与该字符相同的字符,最后输出删除后的字符串。注意,字符串的读入使用gets函数,单个字符的读入使用getchar函数。
阅读全文