C语言中strlen,strcpy,strcat,strcmp分别是什么
时间: 2023-03-23 16:01:21 浏览: 187
strlen是C语言中的字符串函数,用于计算字符串的长度。函数的原型为:
```
size_t strlen(const char *s);
```
其中,s是指向要计算长度的字符串的指针。函数返回字符串s的长度,不包括空字符。
strcpy是C语言中的字符串函数,用于复制一个字符串到另一个字符串。函数的原型为:
```
char *strcpy(char *dest, const char *src);
```
其中,dest是目标字符串的指针,src是源字符串的指针。函数返回目标字符串的指针。
strcat是C语言中的字符串函数,用于将一个字符串连接到另一个字符串的末尾。函数的原型为:
```
char *strcat(char *dest, const char *src);
```
其中,dest是目标字符串的指针,src是源字符串的指针。函数返回目标字符串的指针。
strcmp是C语言中的字符串函数,用于比较两个字符串。函数的原型为:
```
int strcmp(const char *s1, const char *s2);
```
其中,s1和s2是要比较的两个字符串的指针。函数返回一个整数,如果s1小于s2,返回一个负数;如果s1大于s2,返回一个正数;如果s1等于s2,返回0。
相关问题
C语言中strlen,strcpy,strcat,strcmp分别举例
好的,我明白了。以下是C语言中字符串函数strlen、strcpy、strcat和strcmp的例子:
1. strlen函数返回字符串的长度,不包括末尾的空字符'\0'。例如:
```
#include <stdio.h>
#include <string.h>
int main() {
char str[] = "hello world";
int len = strlen(str);
printf("Length of string '%s' is %d\n", str, len);
return 0;
}
```
输出:Length of string 'hello world' is 11
2. strcpy函数将一个字符串复制到另一个字符串中。例如:
```
#include <stdio.h>
#include <string.h>
int main() {
char src[] = "hello world";
char dest[20];
strcpy(dest, src);
printf("Source string: '%s'\n", src);
printf("Destination string: '%s'\n", dest);
return 0;
}
```
输出:Source string: 'hello world'
Destination string: 'hello world'
3. strcat函数将一个字符串连接到另一个字符串的末尾。例如:
```
#include <stdio.h>
#include <string.h>
int main() {
char str1[20] = "hello";
char str2[] = " world";
strcat(str1, str2);
printf("Concatenated string: '%s'\n", str1);
return 0;
}
```
输出:Concatenated string: 'hello world'
4. strcmp函数比较两个字符串是否相等。例如:
```
#include <stdio.h>
#include <string.h>
int main() {
char str1[] = "hello";
char str2[] = "world";
int result = strcmp(str1, str2);
if (result == 0) {
printf("Strings are equal\n");
} else {
printf("Strings are not equal\n");
}
return 0;
}
```
输出:Strings are not equal
strlen strcpy strcmp strcat
strlen、strcpy、strcmp和strcat都是C语言中的字符串处理函数。其中strlen是用来计算字符串的长度的函数,其语法为:size_t strlen(const char *str),其中str表示需要计算长度的字符串。该函数的返回值为一个size_t类型的无符号整数,表示字符串的长度,不包括空字符('\0')。例如,若str为"hello",则strlen(str)的结果为5。
strcpy是用于将一个字符串复制到另一个字符串中的函数。其语法为:char *strcpy(char *dest, const char *src),其中dest表示目标字符串的地址,src表示需要复制的源字符串的地址。该函数会将src中的内容复制到dest中,并返回dest的值。例如,若src为"hello",dest为一个长度为10的字符数组,则执行strcpy(dest, src)后,dest数组中就存储了"hello"这个字符串。
strcmp是用于比较两个字符串是否相等的函数。其语法为:int strcmp(const char *s1, const char *s2),其中s1和s2表示需要比较的两个字符串。该函数会先比较s1和s2的第一个字符,若相同则继续比较后面的字符,直到不相等为止。返回值为一个整数,若s1>s2则返回正整数,若s1<s2则返回负整数,若s1=s2则返回0。例如,若s1为"abc",s2为"abd",则执行strcmp(s1, s2)后,返回的值为负整数。
strcat是用于将两个字符串连接起来的函数。其语法为:char *strcat(char *dest, const char *src),其中dest表示目标字符串的地址,src表示需要添加的源字符串的地址。该函数会将src中的内容添加到dest的末尾,并返回dest的值。例如,若dest为"hello",src为"world",则执行strcat(dest, src)后,dest数组中存储了"helloworld"这个字符串。
阅读全文