C语言 为什么我的数组被转置了?



我想声明一个双精度的二维数组(double** data(。我想通过地址将其传递给帮助程序函数;所以我传递了&data,辅助函数有参数double*** d.

以这种方式传递,我在 main 函数中用于 2D 数组的索引不再有效。

测试代码:

#include <stdio.h>
#include <stdlib.h>
void helperfunction(double*** data, int n, int c) {
printf("nIn helper functionn");
for (int i = 0; i < n; i++) {
for (int j = 0; j < c; j++) {
printf("(%i %i %lf) ", i, j, *data[i][j]);
}
printf("n");
}
}
int main(int argc, char **argv) {
int n = 4; //number of rows
int c = 4; //number of columns
double count = 0.0;
double** data = malloc(n * sizeof(double*));
for (int i = 0; i < n; i++) {
double* row = malloc(c * sizeof(double));
for (int j = 0; j < c; j++) {
row[j] = count;
count += 1.2;
}
data[i] = row;
}
printf("In main functionn");
for (int i = 0; i < n; i++) {
for (int j = 0; j < c; j++) {
printf("(%i %i %lf) ", i, j, data[i][j]);
}
printf("n");
}
helperfunction(&data, n, c);
return 0;
}

输出:

In main function
(0 0 0.000000) (0 1 1.200000) (0 2 2.400000) (0 3 3.600000) 
(1 0 4.800000) (1 1 6.000000) (1 2 7.200000) (1 3 8.400000) 
(2 0 9.600000) (2 1 10.800000) (2 2 12.000000) (2 3 13.200000) 
(3 0 14.400000) (3 1 15.600000) (3 2 16.800000) (3 3 18.000000) 
In helper function
(0 0 0.000000) (0 1 4.800000) (0 2 9.600000) (0 3 14.400000) 
Segmentation fault (core dumped)

显然,当我在帮助程序函数中尊重地址(*data[i][j](时,索引有问题。是什么原因造成的?

*data[i][j]不会按照你的想法去做。它相当于*(data[i][j]).您的选择是:

  1. 请改用(*data)[i][j],或

  2. 传递data(而不是&data(并使用data[i][j]因为这里不需要传递三指针。

对不起,刚刚想通了。使用[]的取消引用发生在使用*的引用之前。因此,当 i != 0 时,对*data[i][j]的调用将导致分段错误,因为最高级别的指针只指向一个事物,而指针的两个情人级别指向数组。

解决方案是改用data[0][i][j]

相关内容

  • 没有找到相关文章

最新更新