编写一个函数,将两个字符串连接。只能用c语言
时间: 2023-06-24 16:03:06 浏览: 136
可以使用C语言中的字符串拼接函数`strcat()`来实现两个字符串的连接。
示例代码如下:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str1[100] = "Hello, ";
char str2[] = "world!";
strcat(str1, str2); // 将str2连接到str1后面
printf("连接后的字符串为:%s\n", str1);
return 0;
}
```
输出结果为:
```
连接后的字符串为:Hello, world!
```
可以看到,通过`strcat()`函数,我们把`str2`字符串连接到了`str1`字符串的末尾。注意,`strcat()`函数会改变原来的字符串,因此在使用时需要注意字符串的长度,以避免发生内存溢出等错误。
相关问题
编写C语言函数将两个字符串连接起来,要求在主函数里进行输入输出字符串。
可以使用C语言中的字符串函数strcat来实现字符串的连接。示例代码如下:
#include <stdio.h>
#include <string.h>
#define MAXLEN 100
int main() {
char str1[MAXLEN], str2[MAXLEN];
printf("请输入第一个字符串:\n");
gets(str1);
printf("请输入第二个字符串:\n");
gets(str2);
strcat(str1, str2);
printf("连接后的字符串为:%s\n", str1);
return 0;
}
注意:使用gets函数输入字符串时,需要指定字符串的长度,并且要确保输入的字符串长度不超过给定的长度。在实际开发中,推荐使用更加安全的fgets函数来输入字符串。
用C语言程序写一个函数,将两个字符串连接
以下是一个用C语言编写的字符串连接函数:
```c
#include <stdio.h>
#include <string.h>
void string_concat(char s1[], char s2[]) {
strcat(s1, s2);
}
int main() {
char str1[100] = "Hello, ";
char str2[] = "world!";
string_concat(str1, str2);
printf("%s\n", str1);
return 0;
}
```
该函数使用了C标准库中的`strcat`函数,将`s2`字符串连接到`s1`字符串的末尾。注意,在调用该函数之前,需要确保`s1`数组足够大,能够容纳下连接后的新字符串。
阅读全文