用c语言编写程序: 输入两个字符串(小于 40 个字符),连接后输出(不得使用系统串连接函数)。
时间: 2023-07-16 09:12:08 浏览: 82
可以使用以下代码实现:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str1[41], str2[41], result[81];
int i, j;
printf("Enter the first string: ");
scanf("%s", str1);
printf("Enter the second string: ");
scanf("%s", str2);
// 将第一个字符串复制到结果字符串中
strcpy(result, str1);
// 将第二个字符串连接到结果字符串的末尾
for (i = strlen(str1), j = 0; j < strlen(str2); i++, j++) {
result[i] = str2[j];
}
// 添加字符串结束符
result[i] = '\0';
printf("The concatenated string is: %s\n", result);
return 0;
}
```
该程序首先通过 `scanf()` 函数获取用户输入的两个字符串。然后,使用 `strcpy()` 函数将第一个字符串复制到结果字符串中。最后,使用循环将第二个字符串连接到结果字符串的末尾,并在末尾添加字符串结束符。最终,程序输出连接后的字符串。
阅读全文