我正在实现一个简单的线程应用程序,其中我有一个服务器线程和一个gui线程。所以,事情有点像这样:
int main(int argc, char *argv[]) {
appMain app(argc, argv);
return app.exec();
}
appMain::appMain(int c, char **v) : argc(c), argv(v) {
this->Configuration();
}
int appMain::exec() {
appServer Server;
try {
ServerThread = boost::thread(Server);
ServerThread.join();
} catch (...) {
return EXIT_FAILURE;
}
return 0;
}
appMain::Configuration
方法只需获取配置文件并将其加载到struct appConfig
。问题是,我需要这个结构可以从任何可以使用的地方修改,这意味着我必须使用互斥锁以避免内存损坏。
希望避免任何可能的指针问题和线程参数传递(这看起来有点痛苦),我决定使用全局变量,我在appConfig.h中声明:
struct appConfig config;
boost::mutex configMutex;
因此我在我使用它们的地方添加了extern
声明:
appMain.cpp
extern struct appConfig config;
extern boost::mutex configMutex;
appServer.cpp
extern struct appConfig config;
extern boost::mutex configMutex;
appServer::appServer() {
return;
}
void appServer::operator()() {
configMutex.lock();
cout << "appServer thread." << endl;
configMutex.unlock();
}
appServer::~appServer() {
return;
}
在我看来,在编译时不应该有任何问题,但我得到了这个很好的礼物:
appServer.o: In function `~appServer':
/usr/include/boost/exception/detail/exception_ptr.hpp:74: multiple definition of `configMutex'
appMain.o:/home/eax/CCITP/src/appMain.cpp:163: first defined here
appServer.o: In function `appServer':
/usr/include/boost/exception/exception.hpp:200: multiple definition of `config'
appMain.o:/usr/include/c++/4.6/bits/stl_construct.h:94: first defined here
collect2: ld returned 1 exit status
任何有关如何解决这个问题的见解都将受到赞赏......
儒略。
答案 0 :(得分:4)
这本身并不是一个提升问题:你已经在一个标题中声明了一个全局变量,因此在两个编译单元中都在全局范围内定义,导致多个定义。
在标题中声明extern
,并在一个.cpp文件中定义它应该有效。