0.前言
当我们使用这些函数功能时,可以直接调用头文件---#include<string.h>,然后直接使用就行了,本文只是手动编写实现函数的部分功能
1.strlen函数功能实现
功能说明:strlen(s)用来计算字符串s的长度,该函数计数不会包括最后的'\0'
例如:strlen("abcde")就为5
#include<stdio.h>
int strlen(char s[])//strlen()函数
{int i;for (i = 0; s[i] != '\0'; i++);return i;
}
int main()
{char s[50];gets(s);printf("%d", strlen(s));return 0;
}
2.strcpy函数功能实现
功能说明:strcpy(to,from)将from这个字符串复制到to中(想成是to=from,顺序别反了)
例如:to="abc"
from="i love you"
通过函数strcpy(to,from),to就为“i love you"了
#include<stdio.h>
void strcpy(char to[],char from[])//strcpy函数
{int i;for (i = 0; from[i] != '\0'; i++)//这个循环里将from这个字符数组除了最后{ //一个元素'\0'之外的全部元素copy给了toto[i] = from[i];}to[i] = '\0';//记住最后加个'\0'作为字符串结尾
}
int main()
{char from[50],to[50];gets(from);strcpy(to, from);puts(to);return 0;
}
3.strcat函数功能实现
功能说明:strcat(s1,s2)就是将s2字符串接s1字符串后面(同样顺序别反了)
例如:s1="hello"
s2=" world"(w前有一个空格)
通过函数strcat(s1,s2),s1就为”hello world"了
#include<stdio.h>void MyStrcat(char* s1, char* s2)
{int i, j;for (i = 0; *(s1+i) != '\0'; i++);for (j = 0; *(s2+j) != '\0'; j++)//让s2中每一个字符都加进s1中,直到s2结尾为止跳出循环{*(s1+i++) = *(s2+j);}*(s1+i) = '\0';//末尾记得加'\0'作为字符串结尾
}int main()
{char s1[100], s2[50];printf("Input a string:");gets(s1);printf("Input another string:");gets(s2);MyStrcat(s1, s2);printf("Concatenate results:%s\n", s1);return 0;
}
4.字符串中删除某个字符
功能说明:就是删除s字符串中某个字符a
例如:s="hello world!"
a='o'
通过函数Delete(s,a),s就变为了"hell wrld!"
#include<stdio.h>void Delete(char* s,char a)
{int i,j;for(i=0;*(s+i)!='\0';i++){if(*(s+i)==a){for(j=0;*(s+i+j)!='\0';j++)*(s+i+j)=*(s+i+j+1);}}
}int main()
{char s[50];char a;printf("Input a string:");gets(s);printf("Input a character:");scanf("%c",&a);Delete(s,a);printf("Results:%s\n",s);return 0;
}
5.计算字符串中子串的个数
例如:s1=ahhhhabbbbab
s2=ab
通过FindString(s1,s2),计算出子串s2"ab"在字符串s1中出现了2次
#include<stdio.h>int FindString(char* s1, char* s2)
{int i,j,n=0;for (i = 0; *(s1 + i) != '\0'; i++){if (*(s1 + i) == *s2){for (j = 0; *(s2 + j) != '\0'; j++){if (*(s1 + i) != *(s2 + j)) break;i++;}if (*(s2 + j) != '\0') n++;}}return n;
}int main()
{char s1[50], s2[50];gets(s1);gets(s2);int n = FindString(s1, s2);printf("%d", n);
}