举个使用了strcmp的例子
时间: 2023-10-24 22:18:02 浏览: 52
假设我们有两个字符串str1和str2,我们想要比较它们是否相等,可以使用strcmp函数。
```c
#include <stdio.h>
#include <string.h>
int main() {
char str1[20] = "Hello";
char str2[20] = "Hello";
if (strcmp(str1, str2) == 0) {
printf("str1 and str2 are equal!\n");
} else {
printf("str1 and str2 are not equal!\n");
}
return 0;
}
```
在此示例中,我们首先包含了两个头文件,分别是stdio.h和string.h。然后,我们定义了两个字符串str1和str2,并将它们初始化为“Hello”。
接下来,我们使用strcmp函数比较这两个字符串。如果它们相等,strcmp函数将返回0,否则返回非零值。
最后,我们使用if语句检查strcmp函数的返回值。如果返回值为0,则输出“str1 and str2 are equal!”,否则输出“str1 and str2 are not equal!”。
相关问题
strcmp举个例子
strcmp是C语言中的字符串比较函数,用于比较两个字符串的大小。它的原型为:
```c
int strcmp(const char *str1, const char *str2);
```
其中,str1和str2是要比较的两个字符串。
strcmp函数的返回值有以下三种情况:
- 如果str1和str2相等,返回值为0;
- 如果str1大于str2,返回值大于0;
- 如果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和str2相等\n");
} else if (result > 0) {
printf("str1大于str2\n");
} else {
printf("str1小于str2\n");
}
return 0;
}
```
输出结果为:"str1小于str2",因为在字典序中,"hello"小于"world"。
strcmp(s1, s2);举个例子
`strcmp(s1, s2)` 是 C 语言中的一个字符串比较函数,它通常在标准库函数 `string.h` 中定义。这个函数用于比较两个字符串 `s1` 和 `s2`,如果它们相等,则返回 0;如果 `s1` 小于 `s2`,则返回一个负整数;如果 `s1` 大于 `s2`,则返回正整数。
例如,考虑下面的代码片段:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str1[] = "Hello";
char str2[] = "World";
int result = strcmp(str1, str2);
if (result == 0) {
printf("The strings are equal.\n");
} else if (result < 0) {
printf("str1 is less than str2.\n");
} else {
printf("str1 is greater than str2.\n");
}
return 0;
}
```
在这个例子中,`strcmp(str1, str2)` 会返回 -1,因为 "Hello" 明显小于 "World",所以程序会输出 "str1 is less than str2."。
阅读全文