我试图创建在头文件中定义的自定义对象的 vector ,然后在实际的cpp文件中对其进行初始化。我在Visual Studio中遇到以下错误:

error C2976: 'std::vector' : too few template arguments
error C2065: 'Particle' : undeclared identifier
error C2059: syntax error : '>'

在下面的代码中, vector 在Explosion.h中定义。

粒子.h:
#pragma once
class Particle : public sf::CircleShape {
public:
    float speed;
    bool alive;
    float vx;
    float vy;
    Particle(float x, float y, float vx, float vy, sf::Color color);
    ~Particle();
};

Particle.cpp:
#include <SFML/Graphics.hpp>
#include "Particle.h"

Particle::Particle(float x, float y, float vx, float vy, sf::Color color) {
    // Inherited
    this->setPosition(x, y);
    this->setRadius(5);
    this->setFillColor(color);

    // Player Defined Variables
    this->speed = (float).05;
    this->alive = true;
    this->vx = vx;
    this->vy = vy;
}

Particle::~Particle() {
}

爆炸h:
static const int NUM_PARTICLES = 6;

#pragma once
class Explosion {
public:
    std::vector<Particle*> particles;
    bool alive;
    Explosion();
    ~Explosion();
};

Explosion.cpp:
#include <SFML/Graphics.hpp>
#include "Particle.h"
#include "Explosion.h"

Explosion::Explosion() {
    this->alive = true;

    // Add Particles to vector
    for (int i = 0; i < NUM_PARTICLES; i++) {
        this->particles.push_back(new Particle(0, 0, 0, 0, sf::Color::Red));
    }
}

Explosion::~Explosion() {
}

我确信这里确实存在一些根本性的错误,因为C++对我来说还很新。

最佳答案

您需要告诉Explosion.h什么是Particle

在这种情况下,Explosion.h使用Particle*,因此前向声明就足够了。

Explosion.h

class Particle; // forward declaration of Particle

class Explosion {
// ...
};

您也可以简单地使用#include "Particle.h,但是随着项目的增加,使用前向声明(而不是直接包含)可以显着减少构建时间。

10-01 11:36