C语言教程:strcmp()函数

strcmp(first_string, second_string)函数比较两个字符串,如果两个字符串相等,则返回0

在这里,我们使用gets()函数从控制台读取两个字符串用来做比较。

使用示例

创建一个源文件:string_strcmp.c,其代码如下所示 -

#include <stdio.h>  
void main()
{
    char str1[20], str2[20];

    while(1){
        printf("Enter 1st string: ");
        gets(str1);//reads string from console  
        printf("Enter 2nd string: ");
        gets(str2);
        if (strcmp(str1, str2) == 0)
            printf("Strings are equal \n");
        else
            printf("Strings are not equal \n");
    }
}
C

执行上面示例代码,得到以下结果 -

Enter 1st string: mystr
Enter 2nd string: mystr
Strings are equal
Enter 1st string: string1
Enter 2nd string: string2
Strings are not equal
THE END