Multiple Definition (LNK2005) errors(多重定义 (LNK2005) 错误)
问题描述
我最近尝试创建一个全局头文件,其中包含错误代码的所有定义(即 NO_ERROR、SDL_SCREEN_FLIP_ERROR 等),这些只是我将在此处定义的整数.
I recently tried to create a global header file which would have all definitions of error codes (i.e. NO_ERROR, SDL_SCREEN_FLIP_ERROR, etc.) these would just be integers which I would define here.
我在我的两个 .cpp 文件中都包含了这些,但是我收到一个错误,指出我定义了两次.
I included these in both of my .cpp files, however I am getting an error where it is stated that I am defining then twice.
globals.h:
#pragma once
// error related globals
int SCREEN_LOAD_ERROR = 1;
int NO_ERROR = 0;
main.cpp:
#include "globals.h"
#include "cTile.h"
/* rest of the code */
cTile.h:
#pragma once
#include "globals.h"
class cTile {
};
它抱怨 SCREEN_LOAD_ERROR 和 NO_ERROR 被定义了两次,但据我所知,#pragma once 应该可以防止这种情况(我也尝试过 #ifndef,但这也不起作用).
It is complaining that SCREEN_LOAD_ERROR and NO_ERROR are defined twice, but as far as I know #pragma once should prevent this (I also tried #ifndef, but this also did not work).
编译器输出:
1>main.obj : error LNK2005: "int SCREEN_LOAD_ERROR" (?SCREEN_LOAD_ERROR@@3HA) 已经在 cTile.obj 中定义1>main.obj : error LNK2005: "int NO_ERROR" (?NO_ERROR@@3HA) 已经在 cTile.obj 中定义
1>main.obj : error LNK2005: "int SCREEN_LOAD_ERROR" (?SCREEN_LOAD_ERROR@@3HA) already defined in cTile.obj 1>main.obj : error LNK2005: "int NO_ERROR" (?NO_ERROR@@3HA) already defined in cTile.obj
我错过了什么吗?
推荐答案
不要在头文件中声明变量.
当您在头文件中声明变量时,会在包含头文件的每个翻译单元中创建该变量的副本.
Do not declare variables inside your header file.
When you declare a variable in header file a copy of the variable gets created in each translation unit where you include the header file.
解决方案是:
在您的头文件之一中声明它们 extern
并在您的 cpp 文件中定义它们.
Solution is:
Declare them extern
inside one of your header file and define them in exactly one of your cpp file.
globals.h:
extern int SCREEN_LOAD_ERROR;
extern int NO_ERROR;
globals.cpp:
#include "globals.h"
int SCREEN_LOAD_ERROR = 0;
int NO_ERROR = 0;
main.cpp:
#include "globals.h"
cTile.h:
#include "globals.h"
这篇关于多重定义 (LNK2005) 错误的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持编程学习网!
本文标题为:多重定义 (LNK2005) 错误
- Stroustrup 的 Simple_window.h 2022-01-01
- C++ 协变模板 2021-01-01
- 使用/clr 时出现 LNK2022 错误 2022-01-01
- 一起使用 MPI 和 OpenCV 时出现分段错误 2022-01-01
- 与 int by int 相比,为什么执行 float by float 矩阵乘法更快? 2021-01-01
- 近似搜索的工作原理 2021-01-01
- 如何对自定义类的向量使用std::find()? 2022-11-07
- STL 中有 dereference_iterator 吗? 2022-01-01
- 静态初始化顺序失败 2022-01-01
- 从python回调到c++的选项 2022-11-16