3

我收到了我从未听说过的 std::vector 错误,也找不到任何关于它的信息。

射击管理器.h

#pragma once

#include "VGCVirtualGameConsole.h"
#include "Shot.h"
#include <vector>

using namespace std;

class ShootManager
{
public:
    ShootManager();
    ~ShootManager();

    void Destroy(int ShotNr);
    void Update();
    void Draw();
    void Fire(Shot* shot);

    vector<Shot*> shots;
};

镜头.h

#pragma once

#include "VGCVirtualGameConsole.h"
#include "ShootManager.h"

using namespace std;

class Shot
{
public:
    virtual ~Shot();
    virtual void Update() = 0;
    void Draw();
    void Move();

    enum Alignment
    {
        FRIEND, ENEMY
    };

protected:
    VGCVector position;
    VGCVector speed;
    Alignment alignment;
    bool Destroyed = false;
};

我收到这些错误

Error   3   error C2059: syntax error : '>' 
Error   7   error C2059: syntax error : '>' 
Error   1   error C2061: syntax error : identifier 'Shot'   
Error   5   error C2061: syntax error : identifier 'Shot'   
Error   2   error C2065: 'Shot' : undeclared identifier 
Error   6   error C2065: 'Shot' : undeclared identifier 
Error   4   error C2976: 'std::vector' : too few template arguments 
Error   8   error C2976: 'std::vector' : too few template arguments 

此行的标识符错误

void Fire(Shot* shot);

休息

vector<Shot*> shots;

这两条线在很长一段时间内都运行良好,但我真的不知道是什么原因导致它突然开始出现这些错误。我还没有开始尝试填充向量,目前还没有调用任何函数。

4

2 回答 2

3

您的两个头文件相互引用。但是,Shot.h 对于 ShootManager.h 显然是必需的,因为ShotShootManager.

因此,客户端程序是#includes Shot.h 还是ShootManager.h,以及如果它#include 两者,则顺序不同,这会有所不同。如果 Shot.h 首先是#included,那么一切都会奏效。否则他们不会,因为你不能使用未声明的标识符来模板类。

我会从 中删除#include "ShootManager.h"Shot.h然后修复任何中断(可能是#include "ShootManager.h"客户端代码中的缺失。)

正如@kfsone 在评论中指出的那样,您也可以从 中删除#include "Shot.h"ShootManager.h将其替换为 forward-declaration class Shot;。这样做会强制客户端代码同时包含这两个类ShootManager.hShot.h如果他们同时使用这两个类,那么它可能需要更多的修复,但它肯定是最干净的解决方案。

于 2013-10-24T04:28:35.353 回答
2

错误与std::vector. 这两个头文件之间存在循环依赖关系。我建议ShotShootManager头文件中前向声明。

// ShootManager.h

#include "VGCVirtualGameConsole.h"
#include <vector>
class Shot;

此外,避免将整个std命名空间带到标题中。而是using std::vector;std您使用vector.

于 2013-10-24T04:30:06.590 回答