23

我知道我的问题很常见,但我一直在搜索并尝试找到的所有解决方案,但仍然无法正常工作。所以任何帮助将不胜感激!=)

提前致谢!

我在编译时遇到此错误:

g++ -ISFML/include -Iclasses/ -W -Wall -Werror   -c -o classes/Object.o classes/Object.cpp
In file included from classes/Core.hh:18:0,
         from classes/Object.hh:4,
         from classes/Object.cpp:1:
classes/MapLink.hh:9:1: error: invalid use of incomplete type ‘struct Object’
classes/MapLink.hh:6:7: error: forward declaration of ‘struct Object’
In file included from classes/Core.hh:19:0,
         from classes/Object.hh:4,
         from classes/Object.cpp:1:
classes/Player.hh:9:1: error: invalid use of incomplete type ‘struct Object’
classes/MapLink.hh:6:7: error: forward declaration of ‘struct Object’
make: *** [classes/Object.o] Error 1

所以基本上,我有一个主要包含(main.cpp)

#include "Core.hh"

int        main(void)
{
  ...
}

这是包含我所有包含的头文件(Core.hh)

#ifndef __CORE_HH__
# define __CORE_HH__

#include ...
#include "Object.hh"
#include "MapLink.hh"
#include "Player.hh"

class Core
{
  ...
};

#endif /* __CORE_HH__ */

然后是给我带来麻烦的文件(Object.hh)

#ifndef __OBJECT_HH__
# define __OBJECT_HH__

#include "Core.hh"

class Object
{
  ...
};

#endif /* __OBJECT_HH__ */

(MapLink.hh)

#ifndef __MAPLINK_H__
# define __MAPLINK_H__

#include "Core.hh"

class Object;

class MapLink : public Object
{
  ...
};

#endif /* __MAPLINK_H__ */

(播放器.hh)

#ifndef __PLAYER_H__
# define __PLAYER_H__

#include "Core.hh"

class Object;

class Player : public Object
{
  ...
};

#endif /* __PLAYER_H__ */
4

3 回答 3

15

问题 #1:
您必须仅从完全声明的类派生,否则编译器将不知道该做什么。
删除前向声明class Object;

问题#2:
你有一个循环依赖:

  • 在“Core.hh”中包含“Object.hh”、“MapLink.hh”和“Player.hh”。
  • 在“Object.hh”、“MapLink.hh”和“Player.hh”中包含“Core.hh”。

您需要确保每个类都完全包含它所继承的类。
我不确定这些类如何相互交互,您应该在问题中提供该详细信息。
我的猜测是你需要修改你的包含如下:

  • 修改“MapLink.hh”和“PlayerLink.hh”,使其包含“Object.hh”,而不是“Core.hh”
  • 修改“Object.hh”,使其不包含“Core.hh”。
于 2012-06-27T12:53:14.943 回答
3

编译器必须知道类的完整接口才能继承。在这种情况下,编译器看不到您的对象。必须object.hh在其他文件中包含文件

于 2012-06-27T12:53:33.840 回答
0

遵循包括:

  1. Object.hh-__OBJECT_H__被定义
  2. Core.hh-__CORE_H__被定义
  3. MapLink.hh- 包含Core.hh,但由于步骤 2 和#ifndef.
  4. Player.hh- 与第 3 步相同。

所以在你尝试继承它之前不要看到它的定义,你MapLink.hh不能Player.hh一个没有完全定义的类继承。Object

修复:特别包括您继承的类的标题。
也就是说,添加#include "Object.hh"MapLink.hhPlayer.hh

于 2012-06-27T14:57:47.983 回答