C 字串

C 字串

在 C 語言中,字串實際上是使用 null 字元 \0 終止的一維字元陣列。因此,一個以 null 結尾的字串,包含了組成字串的字元。

下面的宣告和初始化建立了一個 itread01 字串。由於在陣列的末尾儲存了空字元,所以字元陣列的大小比單詞 itread01 的字元數多一個。

char site[7] = {'R', 'U', 'N', 'O', 'O', 'B', '\0'};

依據陣列初始化規則,您可以把上面的語句寫成以下語句:

char site[] = "itread01";

以下是 C/C++ 中定義的字串的記憶體表示:

C/C++ 中的字串表示

其實,您不需要把 null 字元放在字串常量的末尾。C 編譯器會在初始化陣列時,自動把 \0 放在字串的末尾。讓我們嘗試輸出上面的字串:

例項

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

當上面的程式碼被編譯和執行時,它會產生下列結果:

入門教學: itread01

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

序號函式 & 目的
1strcpy(s1, s2);
複製字串 s2 到字串 s1。
2strcat(s1, s2);
連線字串 s2 到字串 s1 的末尾。
3strlen(s1);
返回字串 s1 的長度。
4strcmp(s1, s2);
如果 s1 和 s2 是相同的,則返回 0;如果 s1<s2 則返回小於 0;如果 s1>s2 則返回大於 0。
5strchr(s1, ch);
返回一個指標,指向字串 s1 中字元 ch 的第一次出現的位置。
6strstr(s1, s2);
返回一個指標,指向字串 s1 中字串 s2 的第一次出現的位置。

下面的例項使用了上述的一些函式:

例項

#include <stdio.h> #include <string.h> int main () { char str1[14] = "itread01"; 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) :  itread01
strcat( str1, str2):   itread01google
strlen(str1) :  12

您可以在 C 標準庫中找到更多字串相關的函式。