strcpy(inter->data,Lp->data);
时间: 2023-12-18 13:02:27 浏览: 101
`strcpy` 是 C 语言中的一个字符串处理函数,用于将一个字符串复制到另一个字符串中,包括空字符 '\0'。
函数原型如下:
```c
char *strcpy(char *dest, const char *src);
```
其中,`dest` 是目标字符串,`src` 是源字符串。该函数会将 `src` 中的字符依次复制到 `dest` 中,直到遇到 null 字符 '\0',表示字符串的结束。最后,该函数会在 `dest` 的末尾添加一个 null 字符 '\0',以保证 `dest` 是一个合法的 C 字符串。
需要注意的是,`dest` 必须有足够的空间来存储复制后的字符串,否则可能会导致缓冲区溢出的问题。
举个例子,下面的代码演示了如何使用 `strcpy` 函数将一个字符串复制到另一个字符串中:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str1[20] = "hello";
char str2[10];
strcpy(str2, str1); // 将 str1 复制到 str2 中
printf("str2 = %s\n", str2); // 输出复制后的字符串
return 0;
}
```
输出结果为:
```
str2 = hello
```
在这个例子中,`strcpy` 函数将 `str1` 中的字符串复制到 `str2` 中,包括 null 字符 '\0'。最后,`printf` 函数输出复制后的字符串。
另外,`strcpy` 函数也可以用于结构体、数组等数据类型的复制。例如,下面的代码演示了如何使用 `strcpy` 函数将一个结构体中的字符串成员复制到另一个结构体中:
```c
#include <stdio.h>
#include <string.h>
struct student {
char name[20];
int age;
};
int main() {
struct student s1 = {"Tom", 18};
struct student s2;
strcpy(s2.name, s1.name); // 复制 s1 中的 name 字符串到 s2 中
printf("s2.name = %s\n", s2.name); // 输出复制后的字符串
return 0;
}
```
输出结果为:
```
s2.name = Tom
```
在这个例子中,`strcpy` 函数将 `s1` 中的 name 字符串复制到 `s2` 中的 name 字符串中,包括 null 字符 '\0'。最后,`printf` 函数输出复制后的字符串。
阅读全文