c语言strcmp函数用法
时间: 2023-09-21 17:11:01 浏览: 112
C语言strcmp函数用法
strcmp函数是C语言中的字符串比较函数,用于比较两个字符串是否相等。其函数原型为:
```
int strcmp(const char *s1, const char *s2);
```
其中,s1和s2分别是指向要比较的两个字符串的指针。
函数返回值为整数类型,具体含义如下:
- 若s1等于s2,返回0;
- 若s1小于s2,返回负数;
- 若s1大于s2,返回正数。
比较规则是按照字典序逐个字符比较,直到出现不同的字符或者某个字符串结束为止。
例如,下面是一个使用strcmp函数的例子:
```
#include <stdio.h>
#include <string.h>
int main() {
char str1[] = "hello";
char str2[] = "world";
int result = strcmp(str1, str2);
if (result == 0) {
printf("str1 equals to str2\n");
} else if (result < 0) {
printf("str1 is less than str2\n");
} else {
printf("str1 is greater than str2\n");
}
return 0;
}
```
输出结果为:
```
str1 is less than str2
```
阅读全文