用一个函数实现两个字符串比较
时间: 2024-03-17 11:45:27 浏览: 92
可以使用strcmp函数来实现两个字符串的比较。该函数会比较两个字符串的每一个字符,直到遇到字符串结束符'\0'或者两个字符不相等为止。
函数原型如下:
```c
int strcmp ( const char * str1, const char * str2 );
```
其中,str1和str2是要比较的两个字符串,返回值为0表示两个字符串相等,小于0表示str1小于str2,大于0表示str1大于str2。
示例代码如下:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str1[] = "hello";
char str2[] = "world";
char str3[] = "hello";
int result1 = strcmp(str1, str2);
int result2 = strcmp(str1, str3);
printf("result1: %d\n", result1); //-15
printf("result2: %d\n", result2); //0
return 0;
}
```
在上面的示例中,我们使用strcmp函数比较了str1和str2、str1和str3两个字符串,结果分别为-15和0。
阅读全文