我正在制作一个命名空间来帮助我调试一个程序,但是我在弄清楚如何构建所有内容并让它构建时没有问题。
这是我当前的标题:
#ifndef HELPER_H
#define HELPER_H
#include <string>
#include <fstream>
#include <sstream>
namespace Helper
{
enum LOG { ONSCREEN, OFFSCREEN };
extern std::ofstream logfile;
//std::ofstream logfile("log.txt", std::ios_base::out | std::ios_base::app );
void EnableLogging();
void Log(std::string s, LOG type);
template <class T>
std::string ToString(const T& t)
{
std::ostringstream sstr;
sstr << t;
return sstr.str();
}
}
#endif // HELPER_H
这是Helper cpp文件:
#include "Helper.h"
#include <cstdio>
void Helper::EnableLogging()
{
#ifdef WIN32
// To use console on pc
std::ofstream ctt("CON");
freopen("CON", "w", stdout);
freopen("CON", "w", stderr);
#endif
#ifdef GP2X
//To log to text file on the caanoo
logfile.open("log.txt", std::ios_base::out | std::ios_base::app );
#endif
}
void Helper::Log(std::string s, LOG type)
{
if(type == OFFSCREEN)
{
#ifdef GP2X
//log << "L" << __LINE__ << "|T" << SDL_GetTicks() << "| " << s << std::endl;
logfile << s << std::endl;
#endif
#ifdef WIN32
printf("%s",s.c_str());
#endif
}
}
目前我收到一个未定义的Helper :: logfile 错误引用,我完全理解这是因为我使用了extern关键字。
如果没有extern关键字,我会得到一个不同的错误: Helper :: logfile的多重定义。该错误在我尝试include "Helper.h"
的另一个源文件中报告为'首次定义..'。报告错误的行号是所述源文件中的构造函数但是我怀疑这与任何事都没有关系。
我确定我正在构建错误的编译辅助代码,但我无法弄清楚我应该怎么做呢?
答案 0 :(得分:2)
您需要在标题中声明变量,以便在需要的地方使名称可用。
// Helper.h
extern std::ofstream logfile;
您需要在源文件中定义;一个定义规则要求您只有一个定义。
// Helper.cpp
std::ofstream Helper::logfile("log.txt", std::ios_base::out | std::ios_base::app );
没有定义,变量不存在,因此“未定义的引用”错误。
在标题中有一个定义,它在包含标题的每个翻译单元中定义,因此是“多重定义”错误。
在一个源文件中定义一次,它定义一次,链接器很高兴。