1.用strlen获取字符串的长度
实现代码如下 :
#include <stdio.h>
#include <string.h>
int main() {
char str[] = "Hello, World!";
int len = strlen(str);
printf("Length of string: %d\n", len);
return 0;
}
输出:
Length of string: 13
2.strcpy(): 用于复制字符串
实现代码如下:
#include <stdio.h>
#include <string.h>
int main() {
char str1[14] = "Hello, World!";
char str2[14];
strcpy(str2, str1);
printf("str2: %s\n", str2);
return 0;
}
输出:
str2: Hello, World!
3.strcat(): 用于连接两个字符串
实现代码:
#include <stdio.h>
#include <string.h>
int main() {
char str1[14] = "Hello, ";
char str2[14] = "World!";
char str3[28];
strcat(str3, str1);
strcat(str3, str2);
printf("str3: %s\n", str3);
return 0;
}
输出:
str3: Hello, World!
|