让我们说,我有一个简单的代码:
Main.cpp的
#include "A.h"
// For several reasons this must be a global variable in the project
A a1;
int _tmain(int argc, _TCHAR* argv[])
{
// Another stuff
return 0;
}
A.H
#pragma once
#include <string>
class A
{
private:
// The following works normal if we use simple types like int and etc.
static std::string myString;
public:
A();
};
A.cpp
#include "stdafx.h"
#include "A.h"
// This executes after A::A(), so we are losing all the modifyed content
// If we skip the ="test" part, the string is going to be empty
std::string A::myString = "test";
A::A()
{
// Here myString == ""
myString += "1";
}
问题很明显:在这种情况下,我不能在类A的构造函数中使用静态变量,因为它们不保存更改。虽然我需要它们才能处理一些数据。
请给我一个解决方案。
答案 0 :(得分:2)
听起来你试图在调用构造函数之前强制静态初始化发生 。我最后一次遇到这个问题时,唯一可靠的解决办法是将静态包装在一个函数中。
将声明更改为返回对string的引用的函数。
static std::string& myString();
将定义更改为如下函数:
std::string& A::myString() {
static std::string dummy = "test";
return dummy;
}
将构造函数更改为:
myString() += "1";
我目前没有方便的MSFT编译器,所以你可能需要稍微调整一下,但这基本上会强制按需初始化静态。
这是一个非常简短的测试程序,演示了它是如何工作的:
#include <string>
#include <stdio.h>
std::string& myString() {
static std::string dummy = "test";
return dummy;
}
int main(){
myString() += "1";
printf("%s\n", myString().c_str());
}