strcmp()函数用法
时间: 2024-04-23 12:18:38 浏览: 93
strcmp 函数的使用
strcmp()函数是C语言中的字符串比较函数,用于比较两个字符串的大小。它的用法如下:
```c
int strcmp(const char *str1, const char *str2);
```
该函数接受两个参数,分别是要比较的两个字符串str1和str2。它会按照字典序逐个比较两个字符串中对应位置的字符,直到遇到不同的字符或者其中一个字符串结束。
如果str1小于str2,则返回一个负数;如果str1大于str2,则返回一个正数;如果str1等于str2,则返回0。
下面是一个使用strcmp()函数的示例:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str1[] = "hello";
char str2[] = "world";
int result = strcmp(str1, str2);
if (result < 0) {
printf("str1 is less than str2\n");
} else if (result > 0) {
printf("str1 is greater than str2\n");
} else {
printf("str1 is equal to str2\n");
}
return 0;
}
```
输出结果为:"str1 is less than str2",因为在字典序中,'h'小于'w'。
阅读全文