数组复制函数c语言 c语言数组复制到新数组

C语言中如何复制数组的内容在C语言当中,对于数组复制要分两种 。
1)字符数组 。
字符数组相当于字符串,可以用标准函数strcpy()和strncpy()直接进行字符串复制 。
2)其他数组 。
由于C语言的原始性,它并不具备操作符重载 。所以对于数组复制,都需要对数组进行遍历,然后每个元素每个元素的一一复制 。根据数组的大小和维数 , 可选择不同的循环或者递归进行复制 。
C语言 编写3个整数数组复制函数 第1个是复制出顺序相同的数组 第2个是复制出顺序相反的数组gcc 编译测试通过
#include stdlib.h
【数组复制函数c语言 c语言数组复制到新数组】#include stdio.h
#define N 10
int * copyArray(int *source, int n)
{
int *dest;
int i;
// 分配空间
dest = (int*)malloc(n * sizeof(int));
// 顺序复制
for(i = 0;in;i)
dest[i] = source[i];
return dest;
}
int *copyReverse(int *source, int n)
{
int *dest;
int i;
// 分配空间
dest = (int*)malloc(n * sizeof(int));
// 逆序复制
for(i = 0;in;i)
dest[n - i - 1] = source[i];
return dest;
}
int *copyOrder(int *source, int n)
{
int *dest;
int i,j,minIndex;
// 分配空间
dest = (int*)malloc(n * sizeof(int));
// 顺序复制
for(i = 0;in;i)
dest[i] = source[i];
// 对数组选择排序
for(i = 0;in - 1;i)
{
minIndex = i;
for(j = i;jn;j)
{
// 选择本次最小下标(如果需要降序数组复制函数c语言,将改为,重新编译)
if(dest[j]dest[minIndex])
minIndex = j;
// 交换元素
if(minIndex != i)
{
dest[i] = dest[i] ^ dest[minIndex];
dest[minIndex] = dest[i] ^ dest[minIndex];
dest[i] = dest[i] ^ dest[minIndex];
}
}
}
return dest;
}
int main()
{
int test[N] = {2,4,1,0,9,5,6,8,7,3};
int *origin,*reverse,*order;
int i;
origin = copyArray(test,N);
reverse = copyReverse(test,N);
order = copyOrder(test,N);
for(i = 0; iN; i)
printf("%d ",origin[i]);
printf("\n");
for(i = 0; iN; i)
printf("%d ",reverse[i]);
printf("\n");
for(i = 0; iN; i)
printf("%d ",order[i]);
printf("\n");
free(origin);
free(reverse);
free(order);
return 0;
}
c语言如何实现多维整型数组的复制有两种常用的方法 。
1 对数组各个维循环,遍历每个元素,并将其赋值到目标数组的对应位置上 。
缺点:代码相对复杂 。
优点:可以不不同大小和形式的数组进行交叉复制 。
2 利用C语言中多维数组元素存储连续性,使用memcpy函数整体复制 。
缺点:仅使用源数组要复制的数据是连续的 , 同时在目标数组中以同样顺序连续复制的情况 。
优点:代码简单,一个函数调用即可完成赋值 。相对第一种,执行效率略高 。
数组复制函数c语言的介绍就聊到这里吧,感谢你花时间阅读本站内容,更多关于c语言数组复制到新数组、数组复制函数c语言的信息别忘了在本站进行查找喔 。

    推荐阅读