c语言写一个函数实现两字符串比较
时间: 2023-09-12 18:08:52 浏览: 88
好的,这是 C 语言实现字符串比较的函数:
```c
#include <stdio.h>
#include <string.h>
int strcmp(const char *s1, const char *s2) {
int i = 0;
// 遍历两个字符串,直到出现不同字符或者到达字符串末尾
while (s1[i] == s2[i]) {
if (s1[i] == '\0')
return 0;
i++;
}
// 比较不同字符的 ASCII 码值,返回比较结果
if (s1[i] < s2[i])
return -1;
else
return 1;
}
int main() {
char str1[20] = "hello";
char str2[20] = "world";
int result = strcmp(str1, str2);
if (result == 0) {
printf("The two strings are the same.\n");
} else if (result < 0) {
printf("The first string is smaller than the second.\n");
} else {
printf("The first string is larger than the second.\n");
}
return 0;
}
```
这个函数通过比较两个字符串中每个字符的 ASCII 码值来判断它们的大小关系,并返回比较结果。如果两个字符串相同,则返回 0;如果第一个字符串小于第二个字符串,则返回负整数;如果第一个字符串大于第二个字符串,则返回正整数。
阅读全文