用字符指针作函数参数编程实现如下功能:在字符串中删除与某字符相同的字符。
**输入格式要求:"%s"
输入提示信息:
"Input a string:"
"Input a character:"
**输出格式要求:"Results:%s\n"
程序运行示例1如下:
Input a string:hello,world!
Input a character:o
Results:hell,wrld!

1 #include <stdio.h>
2 #include <string.h>
3 #define N 100
4 void Squeeze(char *s, char c);
5 int main()
6 {
7 char str[20], ch;
8 printf("Input a string:");
9 gets(str);
10 printf("Input a character:");
11 ch = getchar();
12 Squeeze(str,ch);
13 printf("Results:%s\n", str);
14 return 0;
15 }
16 void Squeeze(char *s, char c)
17 {
18 int i,j,len;
19 len = strlen(s);
20 for (i = len; i>=0; i--)
21 {
22 if (s[i] == c)
23 {
24 for (j = i; j < len; j++)
25 {
26 s[j] = s[j + 1];
27 }
28 }
29 }
30 }
做法一