6

我在C中遇到了循环依赖的问题,我查看了有关此主题的其他问题,但确实找不到答案。

我有第一个名为 vertex 的结构:

#ifndef MapTest_vertex_h
#define MapTest_vertex_h

#include "edgelist.h" //includes edgelist because it's needed

typedef struct 
{
    char* name;
    float x, y;
    edgelist* edges;
} vertex;

#endif

第二个结构是由顶点包含的边缘列表。

#ifndef edgelist_h
#define edgelist_h

#include "edge.h" //include edge, because its needed

typedef struct _edgelist
{
    edge** edges; 
    int capacity, size;
} edgelist;

//...

#endif

然后是最后一个结构,即问题出现的结构,边缘结构被上面的边缘列表包含。

#ifndef MapTest_edge_h
#define MapTest_edge_h

#include "vertex.h" //needs to be included because it will be unkown otherwise

typedef struct 
{
    float weight;
    vertex* destination;
    int found; 
} edge;

#endif

我尽我所能,转发声明,使用#ifndef等,#define但找不到答案。

如何解决这个循环依赖问题?

4

3 回答 3

12

似乎您不需要在任何文件中包含任何内容。相关类型的前向声明就足够了:

#ifndef MapTest_vertex_h
#define MapTest_vertex_h

struct edgelist;

typedef struct
{
    char* name;
    float x, y;
    edgelist* edges;    // C++ only - not C
} vertex;

#endif

等等。在 C 编码中,您必须编写:

struct edgelist;

typedef struct
{
    char* name;
    float x, y;
    struct edgelist* edges;
} vertex;
于 2012-04-12T11:31:54.827 回答
2

使用前向声明可以打破这种依赖关系。除了包含具有结构完整定义的文件之外,还有两种选择:

1.

typedef struct 
{
    char* name;
    float x, y;
    struct _edgelist* edges; /* add "struct" here (elaborated type specifier) */
} vertex;

2.

struct __edgelist; /* better form: forward declaration */

typedef struct 
{
    char* name;
    float x, y;
    struct _edgelist* edges; /* still need to add "struct" here */
} vertex;
于 2012-04-12T11:52:00.937 回答
1

我假设一个顶点需要知道哪些边连接到它,而一条边需要知道它连接到哪些顶点。

如果由我决定,我会创建单独的数据类型来关联顶点和边:

struct vertex {
  char *name;
  float x, y;
};

// edgelist as before

struct edge {
  float weight;
  int found;
};

// New struct to map edges and vertices

struct vertexEdge { // you can probably come up with a better name
  struct vertex *v;
  struct edgelist *edges;
};

// New struct to map vertices and edges

struct edgeVertext {
{
  struct edge *e;
  struct vertex *vertices;
};

我这周的睡眠时间比我晚了大约 10-12 小时,所以我很确定有更好的方法来设计映射类型(可能不需要超过一种类型),但这是我会采取的一般方法。

于 2012-04-12T11:40:40.817 回答