2

我有多维 arr[3][4]。

然后我为 newArr[4][3] 分配内存并将 arr 的行更改为列,将列更改为行,将其保存到 newArr。

是否可以用 newArr 动态替换 arr?一个小例子来说明情况:

#include <stdio.h>

void change(int[][4], int, int);

int main()
{
    int arr[][4] = {
        {1, 3, 2, 4},
        {3, 2, 4, 5},
        {9, 3, 2, 1},
    };
    change(arr, 4, 3);
    // now, there should be arr[4][3] = newArr

    getchar();
}

void change(int arr[][4], int cols, int rows)
{
    // create newArr array.
}
4

2 回答 2

2

不可以。您不能更改真实数组的大小。

您需要在整个过程中使用动态分配才能完成这项工作。如果您不清楚如何动态分配多维数组,请参阅例如http://c-faq.com/aryptr/dynmuldimary.html

于 2013-01-19T13:29:27.677 回答
0

当然你可以做到这一点,但方式略有不同。使用固定大小的数组,您无法做到这一点。您必须进行动态内存分配,然后您可以根据需要使用下标。您只需要跟踪当前使用的下标以避免错误。

#include <stdio.h>
#include<string.h>

void change(int **, int, int);

int main()
{
    int **arr = (int **)malloc(sizeof(int)*3*4);

    // Fill this memory in whatever way you like. I'm using your previous array
    // to fill arr.
    // Note that initial_arr is not your working arr. Its just for initialization
    int initial_arr[][4] = {
        {1, 3, 2, 4},
        {3, 2, 4, 5},
        {9, 3, 2, 1},
    };

    memcpy(arr, initial_arr, sizeof(int)*3*4);

    // You can access arr in the same way as you do previously. for example 
    // to print arr[1][2] you can write
    // printf("%d", arr[1][2]);


    change(arr, 4, 3);

    // now, simply copy newArr in arr. and you can subscript arr as arr[4][3]
    memcpy(arr, newArr, sizeof(int)*3*4);

    getchar();
}

void change(int **arr, int cols, int rows)
{
    // create newArr array.
}
于 2013-01-20T03:02:47.943 回答