写一个函数int strcmp(char *p1, char *p2)用来实现两个字符串的比较。在主函数中输入两个字符串,输出对应的结果。 输入: hello world 则输出:-1 输入: world hello 则输出1 输入: hello hello 则输出:0 c语言代码
时间: 2023-06-07 16:11:39 浏览: 93
#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[100], str2[100];
printf("请输入第一个字符串:\n");
scanf("%s", str1);
printf("请输入第二个字符串:\n");
scanf("%s", str2);
int result = strcmp(str1, str2);
if (result == 0) {
printf("两个字符串相等\n");
} else if (result < 0) {
printf("%s < %s\n", str1, str2);
} else {
printf("%s > %s\n", str1, str2);
}
return 0;
}
相关问题
c语言写一个函数int strcmp(char *p1, char *p2)用来实现两个字符串的比较。在主函数中输入两个字符串,输出对应的结果。 输入: hello world 则输出:-1 输入: world hello 则输出1 输入: hello hello 则输出:0
好的,下面是函数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`函数来比较这两个字符串,并将比较结果打印出来。
写一函数,实现两个字符串的比较,即自己写一个strcmp函数,函数原型为int strcmp(char*p1,char*p2)
好的,我可以为您写一个strcmp函数实现两个字符串的比较。以下是函数的代码:
```
int strcmp(char *p1, char *p2) {
while (*p1 == *p2) {
if (*p1 == '\0') {
return 0;
}
p1++;
p2++;
}
return (*p1 - *p2);
}
```
这个函数的功能与系统自带的strcmp函数相同,都是比较两个字符串是否相等。如果字符串相等,返回值为0;如果字符串不相等,返回值为它们第一个不同字符的ASCII码差值。
请注意,这个函数可能不是最优的实现方式,但它可以完成您的要求。如果您有更好的实现方式,欢迎分享给我!
阅读全文