将读入的字符串s1复制给字符串s2
时间: 2023-10-06 10:05:28 浏览: 27
可以使用 strcpy 函数将字符串 s1 复制给字符串 s2。
示例代码如下:
```c
#include <stdio.h>
#include <string.h>
int main() {
char s1[] = "Hello, world!";
char s2[20];
strcpy(s2, s1);
printf("s1: %s\n", s1);
printf("s2: %s\n", s2);
return 0;
}
```
输出结果为:
```
s1: Hello, world!
s2: Hello, world!
```
相关问题
用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。
输入字符串s1,s2,将字符串s2复制到s1中(strcpy( ) 函数)
好的,这是一个关于字符串操作的问题。要使用 strcpy() 函数将字符串 s2 复制到字符串 s1 中,可以这样写代码:
```
#include <stdio.h>
#include <string.h>
int main() {
char s1[100], s2[50];
printf("请输入字符串 s2:\n");
scanf("%s", s2);
strcpy(s1, s2);
printf("复制后的字符串 s1 为:%s\n", s1);
return 0;
}
```
在这段代码中,我们首先声明了两个字符数组 s1 和 s2。然后,使用 scanf() 函数读入字符串 s2。最后,使用 strcpy() 函数将字符串 s2 复制到 s1 中,并输出复制后的结果。需要注意的是,strcpy() 函数需要包含头文件 string.h。
阅读全文