我有一个指向结构的动态分配的2d数组。我正在尝试用数字0填充数组的NULL值。没有错误或警告,只是打印一些随机值。
这是代码的简化版本:
#include <stdio.h>
#include <stdlib.h>
int rows = 2, cols=3 ;
struct Data
{
int trail;
};
struct Data** WritingData()
{
//initializing 2d array
struct Data **arr = (struct Data**)malloc(rows * sizeof(struct Data*));
for (int i=0; i<cols; i++)
arr[i] = (struct Data*)malloc(cols * sizeof(struct Data));
//giving some values as an example
(*(arr+0)+0)->trail = 1;
(*(arr+1)+0)->trail = 1;
(*(arr+0)+1)->trail = 1;
//checking if value is NULL to replace with 0
for (int i = 0; i < rows ; i++) {
for (int j = 0; j < cols; j++){
if (!((*(arr+i)+j)->trail))
(*(arr+i)+j)->trail = 0;
else continue;
}
}
return(arr);
}
int main()
{
struct Data **arr = WritingData();
//printing result
for (int i = 0; i < rows; i++) {
for (int j = 0; j < cols; j++)
{
printf(" %d ", (*(arr+i)+j)->trail);
}
printf("n");
}
free(arr);
}
对于启动器,此循环
for (int i=0; i<cols; i++)
^^^^^^^
arr[i] = (struct Data*)malloc(cols * sizeof(struct Data));
不正确。你的意思似乎是
for (int i=0; i<rows; i++)
^^^^^^^
arr[i] = (struct Data*)malloc(cols * sizeof(struct Data));
此if语句
if (!((*(arr+i)+j)->trail))
没有意义,因为未初始化的对象具有不确定的值,并且函数malloc不会初始化分配的内存。
例如,您可以在这个循环中使用calloc
而不是malloc
for (int i=0; i<rows; i++)
arr[i] = (struct Data*)calloc(cols, sizeof( struct Data ));
请注意,除了这个免费的呼吁
free(arr);
您还需要在循环中释放所有分配的子数组。