c语言怎么创建两个动态数组
时间: 2024-05-01 21:23:22 浏览: 60
用C语言创建动态数组
在C语言中,可以通过以下方式创建两个动态数组:
```
#include <stdio.h>
#include <stdlib.h>
int main() {
int *arr1, *arr2;
int size1, size2;
printf("Enter the size of first array: ");
scanf("%d", &size1);
arr1 = (int*) malloc(size1 * sizeof(int));
printf("Enter the size of second array: ");
scanf("%d", &size2);
arr2 = (int*) malloc(size2 * sizeof(int));
// use the arrays here
// free the memory allocated for the arrays
free(arr1);
free(arr2);
return 0;
}
```
在上面的代码中,我们首先声明了两个指针变量 `arr1` 和 `arr2`,分别用来指向两个动态数组。然后,我们通过 `malloc()` 函数为这两个数组分配内存空间。在这里,我们使用了 `sizeof()` 运算符来确定每个元素的大小,以确保正确地分配内存空间。
然后,我们可以使用这两个数组进行所需的操作。最后,我们释放了为这两个数组分配的内存空间,以避免内存泄漏。
阅读全文