【C语言】实现memcopy、memmove函数

memmove用于从src拷贝count个字符到dest,如果目标区域和源区域有重叠的话,
memmove能够保证源串在被覆盖之前将重叠区域的字节拷贝到目标区域中。但复制后src内容会被更改。

但是当目标区域与源区域没有重叠则和memcpy函数功能相同。

#include <stdio.h>
#include <stdlib.h>
#include <assert.h>

void *my_memmove(void *dst, const void *src, size_t n)
{
	assert(dst);
	assert(src);
	char *pdst = (char *)dst;
	char *psrc = (char *)src;
	if ((pdst >= psrc) && (pdst <= psrc + n))//重叠
	{
		while (n--)
		{
			*(pdst+n) = *(psrc+n);
		}
	}
	else//不重叠
	{
		while (n--)
		{
			*pdst++ = *psrc++;
		}
	}
	return dst;
}
int main()
{
	int i = 0;
	int arr[10] = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
	my_memmove(&arr[2], &arr, 20);
	for (i = 0; i < 10; i++)
	{
		printf("%d ", arr[i]);
	}
	printf("\n");
	system("pause");
	return 0;
}


【C语言】实现memcopy、memmove函数_第1张图片

你可能感兴趣的:(C语言,memcpy,memmove)