C语言编程 编一程序,将两个字符串连接起来,不要用strcat函数
时间: 2023-12-15 08:25:48 浏览: 83
好的,以下是C语言编程实现将两个字符串连接起来的代码:
```c
#include <stdio.h>
#include <string.h>
int main() {
char s1[100], s2[100];
int i, j, len1, len2;
// 输入字符串
printf("请输入第一个字符串:");
scanf("%s", s1);
printf("请输入第二个字符串:");
scanf("%s", s2);
// 计算字符串长度
len1 = strlen(s1);
len2 = strlen(s2);
// 将第二个字符串连接到第一个字符串的末尾
for(i = len1, j = 0; i < len1+len2; i++, j++) {
s1[i] = s2[j];
}
s1[i] = '\0'; // 添加字符串结束符
// 输出连接后的字符串
printf("连接后的字符串为:%s\n", s1);
return 0;
}
```
这段代码使用了一个for循环来完成将两个字符串连接起来的功能。在输入字符串后,我们使用strlen函数计算字符串长度,并将第二个字符串连接到第一个字符串的末尾。最后,我们添加字符串结束符,并输出连接后的字符串。
相关问题
用c语言编一程序,将两个字符串连接起来,不要用strcat函数
以下是使用C语言将两个字符串连接起来的程序,不使用strcat函数:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str1[100], str2[100];
int len1, len2;
printf("Enter string 1: ");
gets(str1);
printf("Enter string 2: ");
gets(str2);
len1 = strlen(str1);
len2 = strlen(str2);
for(int i = 0; i < len2; i++) {
str1[len1 + i] = str2[i];
}
printf("Concatenated string: %s\n", str1);
return 0;
}
```
这个程序首先使用gets函数从标准输入中读取两个字符串,然后使用strlen函数计算出两个字符串的长度。接下来使用一个循环将第二个字符串中的每个字符拼接到第一个字符串的末尾。最后输出拼接后的字符串。
需要注意的是,由于使用gets函数存在安全隐患,因此在实际的开发中应该使用更为安全的函数,如fgets。
编写一个程序,将两个字符串连接起来,不要用strcat函数。用C语言代码编写
好的,以下是用C语言代码编写一个将两个字符串连接起来的程序,不使用strcat函数:
```c
#include <stdio.h>
void my_strcat(char *str1, char *str2){
while(*str1){
str1++;
}
while(*str2){
*str1 = *str2;
str1++;
str2++;
}
*str1 = '\0';
}
int main()
{
char str1[50] = "Hello";
char str2[50] = " world!";
my_strcat(str1, str2);
printf("%s", str1);
return 0;
}
```
这个程序通过指针来实现字符串的连接。首先找到第一个字符串的结尾,然后遍历第二个字符串的每一个字符,并将其逐一拼接到第一个字符串的结尾,最后加上一个终止符。运行该程序将输出"Hello world!"。
阅读全文