c语言写一个函数int strcmp(char *p1, char *p2)用来实现两个字符串的比较。在主函数中输入两个字符串,输出对应的结果。 输入: hello world 则输出:-1 输入: world hello 则输出1 输入: hello hello 则输出:0
时间: 2024-02-27 12:57:44 浏览: 73
好的,下面是函数int strcmp(char *p1, char *p2)的代码实现:
```c
#include <stdio.h>
int strcmp(char *p1, char *p2) {
int i = 0;
while (*(p1 + i) == *(p2 + i)) {
if (*(p1 + i) == '\0')
return 0;
i++;
}
return *(p1 + i) - *(p2 + i);
}
int main() {
char str1[20], str2[20];
printf("请输入两个字符串,用空格隔开:");
scanf("%s %s", str1, str2);
int result = strcmp(str1, str2);
printf("比较结果为:%d\n", result);
return 0;
}
```
在这个程序中,我们首先定义了一个函数`strcmp`,该函数接收两个`char *`类型的指针参数,分别指向两个字符串。函数中的`while`循环用来比较两个字符串中的字符,直到两个字符不相等或者有一个字符串结束为止。在循环中,我们使用了指针的加法来遍历字符串中的字符。如果两个字符串完全相等,那么函数返回0;否则,返回两个不同字符的差值。
在主函数中,我们先定义了两个字符串数组`str1`和`str2`,并通过`scanf`函数从标准输入中读取用户输入的两个字符串。然后,我们调用`strcmp`函数来比较这两个字符串,并将比较结果打印出来。
阅读全文