我一直在尝试使用 extern 来使用先前定义的变量。
我以前没有使用过 extern,现在我需要使用它来定义变量一次并在多个文件中使用它们
我已经为这个问题编写了最小化版本的代码。我有四个文件
库文件
#ifndef LIB_H
#define LIB_H
#include <iostream>
namespace lib {
extern bool initialized;
bool initialized = false;
static void isInit(char* parent) {
std::cout << "Library for [" << parent << "] initialized? " << (::lib::initialized ? "yes" : "no") << "\n";
}
} // namespace lib
#endif
车辆.h
#ifndef _VEHICLE_H
#define _VEHICLE_H
#include <string>
class Vehicle {
public:
Vehicle(const std::string& manufacturer,
const std::string& model,
int year);
std::string manufacturer;
std::string model;
int year;
};
#endif
以下是名为 vehicle.cpp 的 vehicle.h 文件的实现
#include "vehicle.h"
#include "lib.h"
Vehicle::Vehicle(const std::string& manufacturer,
const std::string& model,
int year) :
manufacturer(manufacturer),
model(model),
year(year) {
::lib::isInit("Vehicle");
}
主文件
#include "vehicle.h"
#include "lib.h"
int main(int argc, char** argv) {
::lib::isInit("main");
::lib::initialized = true;
::lib::isInit("main");
Vehicle vehicle("Toyota", "Corolla", 2013);
return 0;
}
我正在使用 g++
g++ -Wno-write-strings main.cpp vehicle.cpp -o bin/main.cpp.bin
我收到以下错误:
/tmp/cclVpsgT.o:(.bss+0x0): multiple definition of `lib::initialized'
/tmp/ccmJKImL.o:(.bss+0x0): first defined here
collect2: error: ld returned 1 exit status
我检查了以下输出:
g++ -Wno-write-strings main.cpp vehicle.cpp -E
每次包含 lib.h 时都会出现多个定义。
我的问题是:
- 当定义保护存在时,为什么会多次包含 lib.h
- 我将如何定义'extern'变量并在同一个文件中初始化它(因为它稍后在同一个文件中使用)