用c语言的自定义函数来实现一个字符串的复制,不使用StrCpy
时间: 2024-03-05 08:50:55 浏览: 72
C语言程序设计-用函数实现字符串的复制, 不允许用strcpy()函数.c
5星 · 资源好评率100%
好的,以下是一个用 C 语言自定义函数实现字符串复制的例子:
```c
#include <stdio.h>
void copyString(char *source, char *destination);
int main()
{
char source[] = "Hello, world!";
char destination[50];
copyString(source, destination);
printf("Source string: %s\n", source);
printf("Destination string: %s\n", destination);
return 0;
}
void copyString(char *source, char *destination)
{
while (*source != '\0') {
*destination = *source;
source++;
destination++;
}
*destination = '\0';
}
```
这个函数接受两个指向字符数组的指针作为参数,将一个字符串复制到另一个字符串中。它使用一个 while 循环来迭代 source 字符串并将每个字符复制到 destination 字符串中,直到遇到源字符串的结束符 '\0'。最后,它将目标字符串的末尾设置为 '\0',以确保它是一个有效的 C 字符串。
阅读全文