我正在使用GBDK C为原版Game Boy创建游戏,我遇到了一个小问题。我的游戏中的每个房间都需要有不同的portals
,但每个portal
都需要引用一个房间。这是代码的缩减版本:
typedef struct {
Portal portals[10];
} Room;
typedef struct {
Room *destinationRoom;
} Portal;
有关如何实现这一目标的任何建议?我尝试在文件顶部添加struct Portal;
的前向声明,但它没有帮助。
使用以下代码:
typedef struct Room Room;
typedef struct Portal Portal;
struct Room {
Portal portals[10];
};
struct Portal {
Room *destinationRoom;
};
给我这个错误:
parse error: token -> 'Room' ; column 11
*** Error in `/opt/gbdk/bin/sdcc': munmap_chunk(): invalid pointer: 0xbfe3b651 ***
答案 0 :(得分:5)
重新排序定义并为Room
和Portal
类型编写前瞻性声明:
typedef struct Room Room;
typedef struct Portal Portal;
struct Portal {
Room *destinationRoom;
};
struct Room {
Portal portals[10];
};
请注意,我将typedef Portal
与实际struct Portal
定义分开以保持一致性,即使这不是绝对必要的。
另请注意,此样式与C ++兼容,其中typedef是隐式的,但可以通过这种方式显式编写,或者使用简单的前向声明,如struct Room;
如果出于某种原因,您无法对struct
标记和typedef
使用相同的标识符,则应以这种方式声明结构:
typedef struct Room_s Room;
typedef struct Portal_s Portal;
struct Portal_s {
Room *destinationRoom;
};
struct Room_s {
Portal portals[10];
};