On this page

C 字符串

C 字符串

在 C 语言中,字符串实际上是使用 null 字符 \0 终止的一维字符数组。因此,一个以 null 结尾的字符串,包含了组成字符串的字符。

下面的声明和初始化创建了一个 codeWhy 字符串。由于在数组的末尾存储了空字符,所以字符数组的大小比单词 codeWhy 的字符数多一个。

char site[7] = {'c', 'o', 'd', 'e', 'W', 'h', 'y', '\0'};

依据数组初始化规则,您可以把上面的语句写成以下语句:

char site[] = "codeWhy";

其实,您不需要把 null 字符放在字符串常量的末尾。C 编译器会在初始化数组时,自动把 \0 放在字符串的末尾。让我们尝试输出上面的字符串:


#include
<stdio.h>
int
main
()
{
char
site[7] = {'R', 'U', 'N', 'O', 'O', 'B', '\0'};
printf("codewhy教程: %s\n", site
);
return
0;
}

当上面的代码被编译和执行时,它会产生下列结果:

codewhy教程: codeWhy

C 中有大量操作字符串的函数:

序号函数 & 目的
1strcpy(s1, s2);
复制字符串 s2 到字符串 s1。
2strcat(s1, s2);
连接字符串 s2 到字符串 s1 的末尾。
3strlen(s1);
返回字符串 s1 的长度。
4strcmp(s1, s2);
如果 s1 和 s2 是相同的,则返回 0;如果 s1s2 则返回大于 0。
5strchr(s1, ch);
返回一个指针,指向字符串 s1 中字符 ch 的第一次出现的位置。
6strstr(s1, s2);
返回一个指针,指向字符串 s1 中字符串 s2 的第一次出现的位置。

下面的实例使用了上述的一些函数:



#include
<stdio.h>
#include
<string.h>
int
main
()
{
char
str1[14] = "codewhy";
char
str2[14] = "google";
char
str3[14];
int
len ;
/* 复制 str1 到 str3 */
strcpy(str3, str1);
printf("strcpy( str3, str1) : %s\n", str3
);
/* 连接 str1 和 str2 */
strcat(
str1, str2);
printf("strcat( str1, str2): %s\n", str1
);
/* 连接后,str1 的总长度 */
len = strlen(str1);
printf("strlen(str1) : %d\n", len
);
return
0;
}

当上面的代码被编译和执行时,它会产生下列结果:

strcpy( str3, str1) :  codewhy
strcat( str1, str2):   codewhygoogle
strlen(str1) :  12

您可以在 C 标准库中找到更多字符串相关的函数。