This question already has answers here:
static variable link error [duplicate]
(2 个回答)
6年前关闭。
记录器.h:
记录器.cpp:
编译时,我收到此错误:
为什么? 这是因为在 C++ 中,与 C 类似,您必须“告诉”编译器在哪个编译单元中放置实际变量。头文件中的声明只是一个声明(与函数声明相同)。
另请注意,如果将实际变量放在头文件中,则会出现不同的链接错误。 (因为此变量的多个拷贝将放置在包括该头文件在内的任何编译单元中)
(2 个回答)
6年前关闭。
记录器.h:
class Logger {
private:
Logger();
static void log(const string& tag, const string& msg, int level);
static Mutex mutex;
public:
static void fatal(const string&, const string&);
static void error(const string&, const string&);
static void warn(const string&, const string&);
static void debug(const string&, const string&);
static void info(const string&, const string&);
};
记录器.cpp:
#include "Logger.h"
#include <sstream>
ofstream Logger::archivoLog;
void Logger::warn(const string& tag, const string& msg){
Logger::mutex.lock();
log(tag, msg, LOG_WARN);
Logger::mutex.unlock();
}
编译时,我收到此错误:
other/Logger.o: In function `Logger::warn(std::basic_string<char, std::char_traits<char>, std::allocator<char> > const&, std::basic_string<char, std::char_traits<char>, std::allocator<char> > const&)':
Logger.cpp:(.text+0x9): undefined reference to `Logger::mutex'
Logger.cpp:(.text+0x3b): undefined reference to `Logger::mutex'
最佳答案
当您在 C++ 的类声明中使用静态成员时,您还需要在源文件中定义它,因此在您的情况下,您需要添加 logger.cpp
:
Mutex Logger::mutex; // explicit intiialization might be needed
为什么? 这是因为在 C++ 中,与 C 类似,您必须“告诉”编译器在哪个编译单元中放置实际变量。头文件中的声明只是一个声明(与函数声明相同)。
另请注意,如果将实际变量放在头文件中,则会出现不同的链接错误。 (因为此变量的多个拷贝将放置在包括该头文件在内的任何编译单元中)
关于C++ undefined reference (静态成员),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13549345/
10-10 10:17