(1)试编写算法实现将字符串S中所有值为c1的字符换成值为c2的字符:
void Trans(SqString *&s, char c1, char c2);
代码:
- #include <stdio.h>
- #include "sqString.h"
- void Trans(SqString &s, char c1, char c2)
- {
- int i;
- for(i=0;i<s.length;i++)
- if(s.data[i]==c1)
- s.data[i]=c2;
- }
- int main()
- {
- SqString s;
- StrAssign(s, "messages");
- Trans(s, 'e', 'a');
- DispStr(s);
- return 0;
- }
运行结果:
(2)试编写算法,实现将已知字符串所有字符倒过来重新排列。如ABCDEF改为FEDCBA。
void Invert(SqString &s) ;
代码:
- #include <stdio.h>
- #include "sqString.h"
-
-
-
- void Invert(SqString &s)
- {
- int i;
- char temp;
- for (i=0; i<s.length/2; i++)
- {
- temp = s.data[i];
- s.data[i]=s.data[s.length-i-1];
- s.data[s.length-i-1] = temp;
- }
- }
- int main()
- {
- SqString s;
- StrAssign(s, "abcdefg");
- Invert(s);
- DispStr(s);
- return 0;
- }
运行结果:
(3)从串s中删除其值等于c的所有字符。如从message中删除’e’,得到的是mssag。
void DellChar(SqString &s, char c) ;
代码:
- #include <stdio.h>
- #include "sqString.h"
-
- void DellChar(SqString &s, char c)
- {
- int i=0,k=0;
- while(i<s.length)
- {
- if(s.data[i]==c)
- k++;
- else
- s.data[i-k]=s.data[i];
- i++;
- }
- s.length-=k;
- }
- int main()
- {
- SqString s;
- StrAssign(s, "message");
- DellChar(s, 'e');
- DispStr(s);
- return 0;
- }
运行结果:
(4)有两个串s1和s2,设计一个算法求一个这样的串,该串中的字符是s1和s2中公共字符。
所谓公共子串,是由在s1中有,且在s2中也有的字符构成的字符。例s1为”message”,s2为”agent”,得到的公共子串是”eage”。
SqString CommChar(SqString s1,SqString s2);
代码:
- #include <stdio.h>
- #include "sqString.h"
-
- SqString CommChar(SqString s1,SqString s2)
- {
- SqString str;
- int i,j;
- int k=0;
- for(i=0;i<s1.length;i++)
- {
- for(j=0;j<s2.length;j++)
- {
- if(s1.data[i]==s2.data[j])
- {
- str.data[k]=s1.data[i];
- k++;
- }
- }
- }
- str.length=k;
- return str;
- }
- int main()
- {
- SqString s1, s2, s;
- StrAssign(s1, "message");
- StrAssign(s2, "agent");
- s = CommChar(s1, s2);
- DispStr(s);
- return 0;
- }
运行结果:
知识点总结:
在算法库的基础完成对函数的应用。