我正在使用Qt,但这是一个通用的C ++问题。我的情况很简单,我有一个类Constants
,它有一个常量静态成员,我希望在进行某些函数调用后对其进行初始化。
Constants.h
#ifndef CONSTANTS_H
#define CONSTANTS_H
class Constants
{
public:
static const char* const FILE_NAME;
};
#endif // CONSTANTS_H
Constants.cpp
#include "constants.h"
#include <QApplication>
const char* const Constants::FILE_NAME = QApplication::applicationFilePath().toStdString().c_str();
的main.cpp
#include <QtGui/QApplication>
#include "mainwindow.h"
#include "constants.h"
#include <QDebug>
int main(int argc, char *argv[])
{
QApplication a(argc, argv);
qDebug()<< "name: "<<Constants::FILE_NAME;
//for those who are unfamiliar with Qt, qDebug just prints out
return a.exec();
}
编译时我得到了:
QCoreApplication :: applicationFilePath:请先实例化QApplication对象
这里的问题很明显。当在Constants.cpp中调用QApplication的静态函数时,Qt尚未安装QApplication。我需要等到在main.cpp中传递QApplication a(argc, argv);
行
是否有可能,如果没有,你能提出什么建议来克服这个问题?
感谢
答案 0 :(得分:11)
典型解决方案:
#ifndef CONSTANTS_H
#define CONSTANTS_H
class Constants
{
public:
static const char* const getFILE_NAME();
};
#endif // CONSTANTS_H
并在cpp
#include "constants.h"
#include <QApplication>
const char* const Constants::getFILE_NAME()
{
static const char* const s_FILE_NAME = QApplication::applicationFilePath().toStdString().c_str();
return s_FILE_NAME;
}
答案 1 :(得分:7)
一种选择是从函数返回它,将其保存在静态变量中。这将在首次调用函数时初始化。
char const * const file_name()
{
// Store the string, NOT the pointer to a temporary string's contents
static std::string const file_name =
QApplication::applicationFilePath().toStdString();
return file_name.c_str();
}