strspn和strcpn函數,C語言strspn和strcpn函數詳解

2020-07-16 10:04:25
strspn 函數表示從字串 s 的第一個字元開始,逐個檢查字元與字串 accept 中的字元是否不相同,如果不相同,則停止檢查,並返回以字串 s 開頭連續包含字串 accept 內的字元數目。其函數原型的一般格式如下:

size_t strspn(const char *s, const char *accept);

例如,該函數的定義如下:
size_t strspn (const char *s,const char *accept)
{
    const char *p;
    const char *a;
    size_t count = 0;
    for (p = s; *p != ''; ++p)
    {
        for (a = accept; *a != ''; ++a)
            if (*p == *a)
                break;
            if (*a == '')
                return count;
            else
                ++count;
    }
    return count;
}
從上面的範例程式碼中可以看出,strspn 函數從字串引數 s 的開頭計算連續的字元,而這些字元完全是 accept 所指字串中的字元。簡單地說,如果 strspn 函數返回的數值為 n,則代表字串 s 開頭連續有 n 個字元都屬於字串 accept 內的字元。

函數的呼叫範例如下面的程式碼所示:
int main(void)
{
    char str[] = "I welcome any ideas from readers, of course.";
    printf("I wel:%dn",strspn(str,"I wel"));
    printf("Iwel:%dn",strspn(str,"Iwel"));
    printf("welcome:%dn",strspn(str,"welcome"));
    printf("5:%dn",strspn(str,"5"));
    return 0;
}
在上面的範例程式碼中,因為 strspn 函數返回的是以字串 s 開頭連續包含字串 accept 內的字元數目。而源字串 str 中的“I”與“welcome”之間有一個空格(即“I welcome”),所以,語句“strspn(str,"Iwel")”將返回 1,而語句“strspn(str,"I wel")”將返回 5。因此,輸出結果為:
I wel:5
Iwel:1
welcome:0
5:0

相對於 strspn 函數,strcspn 函數與之相反,它表示從字串 s 第一個字元開始,逐個檢查字元與 reject 中的字元是否相同,如果相同,則停止檢查,並返回以字串 s 開頭連續不含字串 reject 內的字元數目。其函數原型的一般格式如下:

size_t strcspn(const char *s, const char *reject);

該函數的定義如下:
size_t strcspn (const char *s,const char *reject)
{
    size_t count = 0;
    while (*s != '')
        if (strchr (reject, *s++) == NULL)
            ++count;
        else
            return count;
    return count;
}
從上面的程式碼中不難發現,strcspn 函數正好與 strspn 函數相反。strcspn 函數從字串引數 s 的開頭計算連續的字元,而這些字元都完全不在引數 reject 所指的字串中。簡單地說,如果 strcspn 函數返回的數值為 n,則代表字串 s 開頭連續有 n 個字元都不包含字串 reject 內的字元。

函數的呼叫範例如下面的程式碼所示:
int main(void)
{
    char str[] = "I welcome any ideas from readers, of course.";
    printf("I wel:%dn",strcspn(str,"I wel"));
    printf("Iwel:%dn",strcspn(str,"Iwel"));
    printf("welcome:%dn",strcspn(str,"welcome"));
    printf("5:%dn",strcspn(str,"5"));
    return 0;
}
在上面的範例程式碼中,因為 strcspn 函數返回的是以字串 s 開頭連續不包含字串 accept 內的字元數目。因此,其執行結果為:
I wel:0
Iwel:0
welcome:2
5:45

由此可見,對於 strspn 函數,如果找到了 reject 與 s 不相同元素時,指標停止移動,並返回以字串 s 開頭連續包含字串 accept 內的字元數目;而 strncspn 函數則是找到了 reject 與 s 相同元素時,指標停止移動,並返回以字串 s 開頭連續不包含字串 accept 內的字元數目。這一點一定要注意,千萬不要混淆了。