文章目录
1. memcpy函数的使用和模拟实现
1.1 memcpy函数的使用
- memcpy函数的原形
void* memcpy ( void* destination, const void* source,size_t num );
- strcpy函数是用来复制字符串的,而memcpy函数是用来复制任何数据的
- 当然我们也可以随意复制source里面的数据
- memcpy函数复制结构体数据
1.2 模拟实现memcpy函数
- 由于memcpy函数是一个字节一个字节进行拷贝的,因此需要无符号指针类型接收数据
- my_memcpy函数中,如果source和destination有任何重叠,结果就可能出错
- 假如现在创建一个整型数组 int arr[10] = { 1,2,3,4,5,6,7,8,9,10 };
- 如果想把5个元素(1,2,3,4,5)放到(3,4,5,6,7)里面去,my_memcpy能帮我们实现吗?
- 那么memcpy函数能不能帮助我们实现呢?
通常我们使用memcpy函数来处理源空间和目标空间无重叠的情况,而重叠的情况通常使用memmove函数来实现
2. memmove函数的使用和模拟实现
2.1 memmove函数的使用
- memmove函数的原形是
void * memmove ( void * destination, const void * source, size_t num );
- 与memcpy函数的参数一致,也是将源空间的内容按照num个字节的方式复制到目标空间里
- memmove函数就是用来处理源空间和目标空间有重叠的情况的,用来拷贝内存块
2.2 memmove函数的模拟实现
- 给定一个整型数组arr,里面放10个元素
- int arr[10] = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
- 如何将1,2,3,4,5放入3,4,5,6,7里呢?
- 源空间地址sour < 目标空间地址dest时
- 源空间地址sour > 目标空间地址dest时
- ( char*)dest + 19个字节就指向了第20个字节,此时刚好num = 19,sour也一样
//memmove函数的模拟实现
#include <stdio.h>
#include <string.h>
void* my_memmove(void* dest, const void* sour, size_t num)
{
//从后向前
if (sour < dest)
{
while (num--)
{
*((char*)dest + num) = *((char*)sour + num);
}
}
//从前向后
else
{
while (num--)
{
*(char*)dest = *(char*)sour;
dest = (char*)dest + 1;
sour = (char*)sour + 1;
}
}
}
int main()
{
int arr1[10] = { 1,2,3,4,5,6,7,8,9,10 };
int arr2[10] = { 1,2,3,4,5,6,7,8,9,10 };
int arr[10] = { 0 };
memcpy(arr, arr1, 10 * sizeof(int));
my_memmove(arr1 + 2, arr1, 5 * sizeof(int));
my_memmove(arr2, arr2 + 2, 5 * sizeof(int));
for (int j = 0; j < 10; j++)
{
printf("%d ", arr[j]);
}
printf("\n");
for (int i = 0; i < 10; i++)
{
printf("%d ", arr1[i]);
}
printf("\n----------------------\n");
for (int j = 0; j < 10; j++)
{
printf("%d ", arr[j]);
}
printf("\n");
for (int i = 0; i < 10; i++)
{
printf("%d ", arr2[i]);
}
return 0;
}
3. memset函数
- **
void * memset ( void * ptr, int value, size_t num );
- memset函数是用来设置内存的,将内存中的值以字节为单位设置成想要的内容,不过一般都设置为0
4. memcmp函数
int memcmp ( const void* ptr1, const void* ptr2, size_t num );
- memcmp函数是用来比较内存空间里的内容的,返回一个整数
- ptr1和ptr2指向了要比较的内存空间