目录
听说看到日落金山的人,接下来的日子会顺顺利利,万事胜意,生活明朗-----------林辞忧
在了解各种各样的字符串函数之后,那么如果对于整型数组,浮点型数组或结构体数组该如何实现数组的复制,比较等操作呢,这就涉及到接下来的内存函数相关知识
?1.函数memcpy从source的位置开始向后复制num个字节的数据到destination的内存位置。
?2.这个函数在遇到 '\0' 的时候并不会停下来。
?3.如果source和destination有任何的重叠,复制的结果将会出错
?4.num的单位为字节
#include <stdio.h>
#include <string.h>
int main()
{
int a[10] = { 1,2,3,4,5,6,7,8,9 };
int b[20] = { 0 };
memcpy(b, a,40 );
int i = 0;
for (; i < 10; i++)
{
printf("%d ",b[i]);
}
return 0;
}
#include <stdio.h>
#include <string.h>
#include <assert.h>
//拷贝结束后返回目标空间的起始地址
void* my_memcpy(void* dest, const void* src, size_t num)
{
void* ret = dest;
assert(dest && src);
while (num--)
{
*(char*)dest = *(char*)src;
dest = (char*)dest+1;
src = (char*)src + 1;
}
return ret;
}
int main()
{
int a[10] = { 1,2,3,4,5,6,7,8,9 };
int b[20] = { 0 };
my_memcpy(b, a, 40);
int i = 0;
for (i = 0; i < 10; i++)
{
printf("%d ",b[i]);
}
return 0;
}
1.和memcpy的差别就是memmove函数处理的源内存块和目标内存块是可以重叠的。
2.如果源空间和目标空间出现重叠,就得使用memmove函数处理。
int main()
{
int a[10] = { 1,2,3,4,5,6,7,8,9 };
// 如果要变成 1 2 1 2 3 4 5 8 9
memmove(a+2, a,20);
int i = 0;
for (i = 0; i < 10; i++)
{
printf("%d ",a[i]);
}
return 0;
}
在正式的模拟实现之前,我们需了解下可能会出现的问题
#define _CRT_SECURE_NO_WARNINGS
#include <stdio.h>
#include <string.h>
void* my_memmove(void* dest, const void* src, size_t num)
{
void* ret = dest;
if (dest < src)//前->后
{
while (num--)
{
*(char*)dest = *(char*)src;
dest = *(char*)dest + 1;
src = *(char*)src + 1;
}
}
else//后->前
{
while (num--)
{
*((char*)dest + num) == *((char*)src + num);
}
}
return ret;
}
int main()
{
int a[] = { 1,2,3,4,5,6,7,8,9,10 };
//如果要求变成 1 2 1 2 3 4 5 8 9 10
my_memmove(a + 2, a, 20);
int i = 0;
for ( i = 0; i < 10; i++)
{
printf("%d ", a[i]);
}
return 0;
}
这个函数和字符串比较函数strcmp的返回值这些基本一致,不同的是比较的是内存中的数据,num来限制比较的字节数,也就是一个一个的字节来比较的