在C中将多个数组拼到一起
时间: 2024-11-05 15:32:18 浏览: 2
在C语言中,将多个数组拼接在一起通常不是直接的操作,因为数组在内存中是连续存储的,并且一旦初始化就不能动态地改变其大小。但是,你可以通过以下几个步骤模拟这种效果:
1. **静态分配**:如果你知道所有数组的总大小,可以先预定义一个足够大的数组,然后逐个复制各个数组的内容。
```c
#include <stdio.h>
void merge_arrays(int arr1[], int len1, int arr2[], int len2, int result[]) {
int i = 0, j = 0, k = 0;
while (i < len1 && j < len2) {
result[k++] = arr1[i++];
result[k++] = arr2[j++];
}
// 处理剩余部分(如果有的话)
while (i < len1) {
result[k++] = arr1[i++];
}
while (j < len2) {
result[k++] = arr2[j++];
}
}
int main() {
int a[] = {1, 2, 3};
int b[] = {4, 5, 6};
int c[6]; // 总长度假设为6
merge_arrays(a, sizeof(a)/sizeof(a[0]), b, sizeof(b)/sizeof(b[0]), c);
printf("Merged array: ");
for (int i = 0; i < sizeof(c)/sizeof(c[0]); i++) {
printf("%d ", c[i]);
}
return 0;
}
```
阅读全文