我正在使用SFML库开发一个简单的游戏C ++游戏。这是我最初使用C ++的努力之一,我遇到了在头文件中定义结构的一些问题。
这是bullet.h:
#pragma once
#include <SFML\Graphics.hpp>
struct BulletTransform {
sf::RectangleShape shape;
//details
BulletTransform(float, float);
};
class Bullet {
//class definition stuff, no problems here
然后我尝试在bullet.cpp文件中创建一个实现:
#include "Bullet.h"
struct BulletTransform {
sf::RectangleShape shape;
BulletTransform::BulletTransform(float mX, float mY)
{
//constructor for shape stuff
}
};
现在当我尝试编译它时抛出一个错误,说bullet.cpp中的struct是一个类型重新定义。我知道我不能两次定义一个具有相同名称的结构,但我也不确定如何解决这个问题。我是否需要在标题中获得对定义的引用?或者我的实施完全错了?提前致谢!
在头文件中,您可以进行声明。在源文件中定义 - 这是一般的经验法则。以你的情况为例:
在bullet.h中:
struct BulletTransform {
sf::RectangleShape shape;
// cntr
BulletTransform(float mX, float mY) ;
// other methods
void Function1(float x, float y, float z);
};
在bullet.cpp中:
BulletTransform::BulletTransform(float mX, float mY) {
// here goes the constructor stuff
}
void BulletTransform::Function1(float x, float y, float z) {
// ... implementation details
}
通常,您不会在构造函数中执行一些繁重的操作 - 只需将数据成员初始化为某些默认值。希望这可以帮助。
您已在实现文件中重复了结构定义。不要那样做。相反,为各个成员提供定义,如下所示:
#include "Bullet.h"
BulletTransform::BulletTransform(float mX, float mY)
{
//constructor for shape stuff
}