写一个c语言代码 实现将s2字符串连接到s1字符串末尾,形一个新的字符串。
时间: 2025-01-02 19:44:59 浏览: 6
在C语言中,你可以使用`strcat()`函数来实现两个字符串的连接。这里是一个简单的示例:
```c
#include <stdio.h>
#include <string.h>
// 函数声明
void concatenate(char *s1, char *s2);
int main() {
char s1[50] = "Hello, "; // 存放第一个字符串
char s2[] = "World!"; // 存放第二个字符串
// 调用concatenate函数并传递指针
concatenate(s1, s2);
// 输出结果
printf("Concatenated string: %s\n", s1);
return 0;
}
// 定义concatenate函数,将s2追加到s1之后
void concatenate(char *s1, char *s2) {
strcat(s1, s2);
}
```
在这个例子中,`strcat()`函数会将`s2`的内容添加到`s1`的末尾,并在结果字符串结束处自动添加`\0`终止符。
相关问题
用C语言来设计用 gets 函数输入字将字符串s1和字符串s2,要求将s2字符串反向连接到s1字符串末端组成一个新字符串s1,使用 puts 输出字符串s1。要求用指针书写程序
好的,下面是代码:
```c
#include <stdio.h>
#include <string.h>
int main() {
char s1[100], s2[100];
printf("请输入字符串s1:");
gets(s1);
printf("请输入字符串s2:");
gets(s2);
char *p1 = s1 + strlen(s1); //指向s1的末尾位置
char *p2 = s2; //指向s2的开头位置
while (*p2 != '\0') { //将s2字符串逆序连接到s1的末尾
*(p1++) = *(p2++);
}
*p1 = '\0'; //在s1末尾添加字符串结束标志
printf("新的字符串s1为:");
puts(s1);
return 0;
}
```
代码解释:
1. 首先声明两个字符数组 s1 和 s2,分别用于存储输入的两个字符串。
2. 使用 gets 函数分别输入 s1 和 s2。
3. 声明两个指针变量 p1 和 p2,分别指向字符串 s1 的末尾位置和字符串 s2 的开头位置。
4. 使用 while 循环将 s2 字符串逆序连接到 s1 的末尾。
5. 在 s1 的末尾添加字符串结束标志 '\0'。
6. 最后使用 puts 函数输出新的字符串 s1。
注意:由于使用 gets 函数存在安全隐患,因此建议使用 fgets 函数代替。具体实现方法可以参考下面的代码:
```c
#include <stdio.h>
#include <string.h>
int main() {
char s1[100], s2[100];
printf("请输入字符串s1:");
fgets(s1, 100, stdin);
printf("请输入字符串s2:");
fgets(s2, 100, stdin);
char *p1 = s1 + strlen(s1) - 1; //指向s1的末尾位置
char *p2 = s2; //指向s2的开头位置
while (*p2 != '\n') { //将s2字符串逆序连接到s1的末尾
*(p1++) = *(p2++);
}
*p1 = '\0'; //在s1末尾添加字符串结束标志
printf("新的字符串s1为:");
puts(s1);
return 0;
}
```
这里需要注意的是 fgets 函数会将输入的换行符 '\n' 也一并读入,因此需要在 while 循环中判断 p2 指向的字符是否为 '\n'。同时,由于 fgets 函数会将输入的字符串末尾添加一个换行符 '\n',因此需要将指针 p1 指向 s1 的末尾位置减 1。
在c语言中,用gets函数输入字符串s1和s2,要求将s2字符串反向连接到s1字符串末端组成一个新字符串s1,使用puts输出字符串s1。要求用指针书写程序
好的,以下是用指针书写的程序:
```c
#include <stdio.h>
#include <string.h>
int main() {
char s1[100], s2[100];
char *p1, *p2;
printf("请输入字符串s1:");
gets(s1);
printf("请输入字符串s2:");
gets(s2);
p1 = s1 + strlen(s1); // 指向s1末尾的指针
p2 = s2 + strlen(s2) - 1; // 指向s2末尾的指针
while (p2 >= s2) { // 将s2字符串反向连接到s1字符串末端
*p1++ = *p2--;
}
*p1 = '\0'; // 字符串末尾加上'\0'
puts(s1); // 输出字符串s1
return 0;
}
```
程序运行示例:
```
请输入字符串s1:hello
请输入字符串s2:world
helloworld
```
阅读全文