我在我的应用程序类中使用extern变量,因此我可以将类函数转发给glutDisplayFunction(funcPtr)。
main.cpp中:
#include "main.hpp"
int main(int argc, char** argv)
{
gApp = new GameApp();
return 0;
}
main.hpp:
#ifndef MAIN_HPP
#define MAIN_HPP
#include "GameApp.hpp"
#endif
GameApp.hpp:
#include <GL/gl.h>
#include <GL/freeglut.h>
class GameApp
{
public:
int running;
GameApp();
virtual ~GameApp();
void resize(int width, int height);
void init(int argc, char** argv, int width, int height);
void draw();
void update();
void key_input(unsigned char key, int x, int y);
};
extern GameApp *gApp;
void display_clb()
{
if (!gApp)
{
return;
}
gApp->draw();
}
这是输出:
g++ -o dist/Debug/GNU-Linux-x86/gravity build/Debug/GNU-Linux-x86/main.o build/Debug/GNU-Linux-x86/GBody.o build/Debug/GNU-Linux-x86/GameApp.o build/Debug/GNU-Linux-x86/GBodyList.o -lm -lGL -lglfw -lGLU -lglut
build/Debug/GNU-Linux-x86/main.o: In function `main':
/home/viktor/Documents/cpp/Gravity/main.cpp:6: undefined reference to `gApp'
/home/viktor/Documents/cpp/Gravity/main.cpp:7: undefined reference to `gApp'
/home/viktor/Documents/cpp/Gravity/GameApp.cpp:13: undefined reference to `gApp'
/home/viktor/Documents/cpp/Gravity/GameApp.cpp:18: undefined reference to `gApp'
build/Debug/GNU-Linux-x86/GameApp.o: In function `display_clb()':
/home/viktor/Documents/cpp/Gravity/GameApp.cpp:23: undefined reference to `gApp'
build/Debug/GNU-Linux-x86/GameApp.o:/home/viktor/Documents/cpp/Gravity/GameApp.cpp:28: more undefined references to `gApp' follow
collect2: ld returned 1 exit status
make[2]: *** [dist/Debug/GNU-Linux-x86/gravity] Error 1
make[2]: Leaving directory `/home/viktor/Documents/cpp/Gravity'
make[1]: *** [.build-conf] Error 2
make[1]: Leaving directory `/home/viktor/Documents/cpp/Gravity'
make: *** [.build-impl] Error 2
我希望gApp在我的main.cpp和GameApp类中可见。
答案 0 :(得分:8)
这不是编译错误,而是链接错误。变量声明在main.cpp
中可以正常显示,但你没有在任何地方定义 - 即你没有在任何地方为该变量分配空间。 / p>
您需要一个(且恰好一个)C ++文件来定义该变量。可能是您的main.cpp
:
GameApp *gApp;
(你可以在那里初始化它,但在这种情况下没有必要。)
答案 1 :(得分:4)
这告诉编译器有一个名为gApp
的变量,但它在其他地方定义:
extern GameApp *gApp;
因为该定义不存在,链接器会失败。
将以下内容添加到另一个(也是唯一一个)源文件中:
GameApp *gApp;
答案 2 :(得分:2)
使用extern
,您告诉编译器该变量存在,但它位于其他位置。编译器认为变量存在,
您所要做的就是在源中的某处创建实际变量。您只需在某处添加GameApp *gApp;
之类的内容即可完成此操作。例如,在您的cpp文件中。
答案 3 :(得分:0)
与之前其他人的答案相同,您宣布存在gApp,但实际上并没有提供它。
再补充一句话:我建议你将gApp的定义放在“GameApp.cpp”文件(不是GameApp.hpp)中,并将其声明放在“GameApp.h”文件中。