函数
<cstring>

memcpy

void * memcpy ( void * destination, const void * source, size_t num );
复制内存块
source 指向的位置的 num 个字节的值直接复制到 destination 指向的内存块。

对于此函数,sourcedestination 指针所指向的对象的底层类型是无关紧要的;结果是数据的二进制复制。

该函数不检查 source 中的任何终止空字符——它总是精确复制 num 个字节。

为避免溢出,destinationsource 参数所指向的数组的大小应至少为 num 个字节,并且不应重叠(对于重叠的内存块,memmove 是更安全的方法)。

参数

destination
指向目标数组的指针,内容将被复制到此处,类型转换为void*.
source
指向要复制的数据源的指针,类型转换为const void*.
num
要复制的字节数。
size_t 是一个无符号整数类型。

返回值

返回 destination

示例

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
/* memcpy example */
#include <stdio.h>
#include <string.h>

struct {
  char name[40];
  int age;
} person, person_copy;

int main ()
{
  char myname[] = "Pierre de Fermat";

  /* using memcpy to copy string: */
  memcpy ( person.name, myname, strlen(myname)+1 );
  person.age = 46;

  /* using memcpy to copy structure: */
  memcpy ( &person_copy, &person, sizeof(person) );

  printf ("person_copy: %s, %d \n", person_copy.name, person_copy.age );

  return 0;
}

输出

person_copy: Pierre de Fermat, 46 


另见