用c语言编写一个函数,实现将两个字符串连接
时间: 2023-06-27 14:05:33 浏览: 203
c用c语言编写一个函数,连接两个字符串
4星 · 用户满意度95%
以下是一个用 C 语言编写的字符串连接函数:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
char* concat(char* str1, char* str2) {
int len1 = strlen(str1);
int len2 = strlen(str2);
char* result = (char*) malloc(len1 + len2 + 1);
if (result == NULL) {
printf("Error: memory allocation failed.\n");
exit(1);
}
strcpy(result, str1);
strcat(result, str2);
return result;
}
int main() {
char str1[] = "hello, ";
char str2[] = "world!";
char* result = concat(str1, str2);
printf("%s\n", result);
free(result);
return 0;
}
```
这个函数接受两个字符串作为参数,先计算出这两个字符串的长度,然后根据长度动态分配内存空间,将两个字符串拼接在一起后返回结果。在主函数中调用该函数,并打印输出结果后需要释放内存空间。
阅读全文