-1

我有一个存储在void**指针中的动态二维数组,我只是想知道我应该如何转换/取消引用这些值以便可以打印它们?

这是我正在尝试做的一个例子:

/* Assume that I have a data structure called graph with some 
 * element "void** graph" in it and some element "int order" */

void foo(graph_t *graph)
{
    int **matrix;

    /*safe malloc works fine, it uses calloc to initialise it all to zeroes*/
    matrix = safe_malloc(graph->order * sizeof(int*)); 

    for (i = 0; i < graph->order; i++)
        matrix[i] = safe_malloc(graph->order * sizeof(int));

    /* storing matrix in the data structure */
    matrix = (int**)graph->graph;

    printf("%d\n", (int)graph->graph[2][2]);
}

当我尝试编译它时,编译器给了我警告:“取消引用'void *'指针”和错误:“无效使用无效表达式”。

我应该怎么做才能转换void**指针以便我可以从中打印元素graph->graph

编辑:

感谢大家的帮助;我无法制作 int** 类型的 graph->graph,因为它需要保存多种类型的数据,我唯一在实现时遇到问题的是 int** 数组。

我将 matrix = (int* )graph->graph 更改为 graph->graph = (void *)matrix 并且效果很好,我可以打印数组的元素,但是现在如果我实现一个单独的函数:

void print_foo(graph_t *graph)
{
    int i,j;

    for (i = 0; i < graph->order; i++)
    {
        for(j = 0; j < graph->order; j++)
        {
            printf("%d ", ((int**)graph->graph)[i][j]);
        }
        putchar('\n');
    }
}

它只是给了我一个分段错误,但是如果我在原始 foo(graph_t *graph) 中运行该代码块,它会很好地打印二维数组。

有人可以解释一下 graph->graph 发生了什么,这样如果我从不同的函数调用它就不会打印

4

1 回答 1

1

鉴于:

typedef struct graph_t
{
    int order;
    void **graph;
} graph_t;

并假设您分配graph->graph为一个数组int *和一系列数组int,那么您可以(如果必须)编写:

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

typedef struct graph_t
{
    int order;
    void **graph;
} graph_t;

extern void *safe_malloc(size_t n);
extern void foo(graph_t *graph);

void foo(graph_t *graph)
{
    int **matrix;

    /*safe malloc works fine, it uses calloc to initialise it all to zeroes*/
    matrix = safe_malloc(graph->order * sizeof(int*)); 

    for (int i = 0; i < graph->order; i++)
        matrix[i] = safe_malloc(graph->order * sizeof(int));

    /* storing matrix in the data structure */
    graph->graph = (void **)matrix; // Reverse order of assignment
    // C compiler complains without the cast - the cast is nasty!

    printf("%d\n", ((int **)graph->graph)[2][2]);
}

代码应检查graph->order >= 3以避免溢出问题。

但是,结构非常讨厌,printf()语句中必要的强制转换足以让您意识到它为什么讨厌。在结构中使用 a 会好得多int **graph;

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

typedef struct graph_t
{
    int order;
    int **graph;
} graph_t;

extern void *safe_malloc(size_t n);
extern void foo(graph_t *graph);

void foo(graph_t *graph)
{
    int **matrix;

    matrix = safe_malloc(graph->order * sizeof(int*)); 

    for (int i = 0; i < graph->order; i++)
        matrix[i] = safe_malloc(graph->order * sizeof(int));

    graph->graph = matrix;

    printf("%d\n", graph->graph[2][2]);
}

即使在严格的警告级别下,这两种方法都可以在没有警告的情况下编译。main()两者都没有通过创建一个函数来进行正式测试。当然,您还需要有一个函数bar(graph_t *graph)来释放分配的内存。

于 2013-08-27T04:48:51.250 回答