我仍然是C ++的新手,并且不知道为什么我在尝试在另一个类中调用这些函数时会遇到这些链接器错误。
错误是:
error LNK2019: unresolved external symbol "public: float __thiscall Star::getMass(void)" (?getMass@Star@@QAEMXZ) referenced in function "public: void __thiscall Projectile::Update(class Star * const,int)" (?Update@Projectile@@QAEXQAVStar@@H@Z)
error LNK2019: unresolved external symbol "public: float __thiscall Star::getX(void)" (?getX@Star@@QAEMXZ) referenced in function "public: void __thiscall Projectile::Update(class Star * const,int)" (?Update@Projectile@@QAEXQAVStar@@H@Z)
error LNK2019: unresolved external symbol "public: float __thiscall Star::getY(void)" (?getY@Star@@QAEMXZ) referenced in function "public: void __thiscall Projectile::Update(class Star * const,int)" (?Update@Projectile@@QAEXQAVStar@@H@Z)
Projectile.cpp:
#include <hge.h>
#include "Projectile.h"
#include "Physics.h"
#include "Star.h"
#include <math.h>
Projectile::Projectile(float xV, float yV, float x, float y, float m, HTEXTURE tex)
{
xVel = xV;
yVel = yV;
xPos = x;
yPos = y;
mass = m;
quad.tex = tex;
}
void Projectile::Update(Star stars[], int length)
{
for(int i = 0; i<length; ++i)
{
float force = Physics::calcGravityForce(mass, stars[i].getMass(), Physics::calcDist(xPos, yPos, stars[i].getX(), stars[i].getY()));
Accelerate(force, stars[i].getX() - xPos, stars[i].getY() - yPos);
}
}
void Projectile::Accelerate(float force, float x, float y)
{
float c = sqrt((x * x) + (y * y));
xVel += x/c;
yVel += y/c;
}
Star在Star.h中定义:
#ifndef STAR_H
#define STAR_H
#include <hge.h>
class Star
{
private:
float mass, radius, x, y;
hgeQuad quad;
public:
Star(float m, float r, float X, float Y, HTEXTURE);
float getMass();
float getRadius();
float getX();
float getY();
Star() {}
};
#endif
答案 0 :(得分:3)
您在Star
类中声明了几个函数:
Star(float m, float r, float X, float Y, HTEXTURE);
float getMass();
float getRadius();
float getX();
float getY();
并且你试图使用其中一些而不提供定义,也就是说,函数的主体,这就是你得到这些链接器错误的原因。
将新的.cpp文件添加到名为Star.cpp
的项目中(名称无关紧要)并添加Star
类的函数定义,就像您为此做的那样Projectile
课程。 (您可以将它们添加到项目中的任何.cpp文件中,例如Projectile.cpp
,但如果您有一个单独的头文件,那么也可以使用单独的.cpp文件。)
或者,如果您不想在项目中使用另一个cpp文件,可以将函数体放在类本身中:
class Star
{
private:
float mass, radius, x, y;
hgeQuad quad;
public:
Star(float m, float r, float X, float Y, HTEXTURE);
float getMass() { return mass; }
float getRadius() { return radius; }
float getX() { return x; }
float getY() { return y; }
Star() {}
};
这种风格对于getMass
,getRadius
等小型“getter”函数很常见,它们只返回一个成员变量。
虽然它与你的问题没有直接关系,但我应该指出一些事情:
通过放置{{1}这个词来制作所有“getter”函数(例如getMass
等)const
(以便可以在const Star
个对象上使用它们)在参数之后(在这种情况下为const
),如下所示:()
因为你在float getMass() const { return mass; }
类中有成员变量,你应该在构造函数中将它们设置为一些合理的默认值,它不带参数,
Star
将Star() : mass(0), radius(0), x(0), y(0) {}
,mass
,radius
和x
设置为y
。 (这种不寻常的语法称为初始化列表。您可以阅读它们here。)
您甚至可以使用默认参数在没有单独构造函数的情况下执行此操作:
0