1

我正在使用 GLUT 和 OpenGL 用 xcode 和 c++ 制作游戏。我想在我的游戏中放置一个 3D 模型,这是头文件的一般外观:

unsigned int GunNumVerts = 37812;

float GunVerts [] = {
// f 1/1/1 1582/2/1 4733/3/1
 0.266494348503772, 0.0252334302709736, -0.000725898139236535,
0.265592372987502, 0.0157389511523397, -0.000725898139236535,
0.264890836474847, 0.0182004476109518, -0.00775888079925833,}
float GunNormals [] = {
// f 1/1/1 1582/2/1 4733/3/1
0.986904930120225, -0.0937549933614904, -0.131257990706016,
0.986904930120225, -0.0937549933614904, -0.131257990706016,
0.986904930120225, -0.0937549933614904, -0.131257990706016,}
float GunTexCoords [] = {
// f 1/1/1 1582/2/1 4733/3/1
0.110088, 0.229552,
0.108891, 0.243519,
0.119508, 0.240861,}

我收到了这个错误:

duplicate symbol _GunNumVerts in: /blah/blah/blah/Mouse.o
/blah/blah/blah/ViewPort.o
ld: 8 duplicate symbols for architecture x86_64
clang: error: linker command failed with exit code 1 (use -v to see invocation)

我试图在我的视口中的显示方法中显示它,如下所示:

glVertexPointer(3, GL_FLOAT, 0, GunVerts);
glNormalPointer(GL_FLOAT, 0, GunNormals);
glTexCoordPointer(2, GL_FLOAT, 0, GunTexCoords);
glDrawArrays(GL_TRIANGLES, 0, GunNumVerts);

我有 7 个其他重复的符号小短语,但只有一个实际错误。

4

1 回答 1

4

您在标题中定义了变量。这样每个变量都存在于每 (8) 个编译单元中。而是在标头中声明变量并在 .cpp 文件中定义它们。

例如:

// Gun.h:
extern unsigned int GunNumVerts;
extern float GunVerts[9];


// Gun.cpp:
unsigned int GunNumVerts;
float GunVerts[9] = {
    // f 1/1/1 1582/2/1 4733/3/1
    0.266494348503772, 0.0252334302709736, -0.000725898139236535,
    0.265592372987502, 0.0157389511523397, -0.000725898139236535,
    0.264890836474847, 0.0182004476109518, -0.00775888079925833};

extern告诉编译器变量的地址稍后解析(由链接器)。此外,如果您从不打算在运行时更改这些值,则应将它们声明为const.

/Edit:由于您使用的是具有非常好的 C++11 支持的 clang,因此您也可以使用constexpr这些值。然后它们只驻留在标题中。但是,了解链接器对于 C++ 开发人员来说很重要,因此原始建议得以保留。

于 2013-10-24T20:49:55.817 回答