如何编写一个可以同时使用 dynamic/statically 分配的二维数组的 c 函数?

how to write a c function that can take both dynamic/statically allocated 2D array?

我有一个函数应该将二维数组作为参数,我的代码如下所示 --

#include <stdio.h>
#include <stdlib.h>

void func(double**, int);

int main()
{
    double m[3][3] = {{1, 1, 1}, {2, 2, 2}, {3, 3, 3}};
    func(m, 3);
}

void func(double **m, int dim)
{
    int i, j ;
    for(i = 0 ; i < dim ; i++)
    {
        for(j = 0 ; j < dim ; j++)
            printf("%0.2f ", m[i][j]);
        printf("\n");
    }
}

然后编译器说--

test.c: In function ‘main’:
test.c:9:2: warning: passing argument 1 of ‘func’ from incompatible pointer type [enabled by default]
  func(m, 3);
  ^
test.c:4:6: note: expected ‘double **’ but argument is of type ‘double (*)[3]’
 void func(double**, int);
      ^

但是当我说--

int main()
{
    int i, j;
    double m[3][3] = {{1, 1, 1}, {2, 2, 2}, {3, 3, 3}};
    double **m1 ;
    m1 = (double**)malloc(sizeof(double*) * 3);
    for(i = 0 ; i < 3 ; i++)
    {
        m1[i] = (double*)malloc(sizeof(double) * 3);
        for(j = 0 ; j < 3 ; j++)
            m1[i][j] = m[i][j] ;
    }
    func(m1, 3);
    for(i = 0 ; i < 3 ; i++) free(m1[i]);
    free(m1);
}

它编译并运行。

有什么方法可以让 func() 获取两个 statically/dynamically 定义的二维数组?我很困惑,因为我正在传递指针 m,为什么第一种情况不正确?

这是否意味着我需要为两种不同类型的参数编写两个单独的函数?

您对二维数组的动态分配不正确。用作:

double (*m1)[3] = malloc(sizeof(double[3][3]));

然后就可以了。

此外将函数原型更改为:

void func(double m[][3], int dim)

另一种方法是使用大小为 w * h 的一维数组而不是二维数组。

Working example


从@TheParamagneticCroissant c99 的评论开始,您还可以使用 VLA 并使两个尺寸都可变。 (不过你需要正确分配二维数组)

将函数签名更改为:

void func(int dim, double[dim][dim]);  /* Second arg is VLA whose dimension is first arg */
/* dim argument must come before the array argument */

Working example