这个循环用于计算有多少 env。您收到的 vars 是一个无限循环。envp
不会从一次迭代更改为另一次迭代。
for (char** env = envp; *envp != nullptr; ++env)
++d_size;
由于envp
不是nullptr
在开始时,您永远不会达到退出条件,这使您相信您的内存已用完,但不是:您的 CPU 已用完 :)
另一个错误:主要是您应该构建一个对象,而不是尝试“投射”到Stringstore
:
int main(int argc, char **argv, char **envp)
{
Stringstore the_string_store(envp);
}
请注意,使用向量(auto-realloc,no new
,类的普通复制构造函数)可能会避免该错误。让我提出一个固定代码(最后打印 env 以证明它有效)
#include <string>
#include <vector>
#include <iostream>
using namespace std;
class Stringstore
{
std::vector<string> d_str;
public:
Stringstore(int argc, char **argv1);
Stringstore(char **envp);
};
Stringstore::Stringstore(char ** envp)
{
// store each env. string
for (; *envp != nullptr; ++envp)
d_str.push_back(*envp);
// debug: print the contents of the vector
for (auto it : d_str)
{
cout << it << endl;
}
}
int main(int argc, char **argv, char **envp)
{
Stringstore s(envp);
}
运行这个我得到这个:
ALLUSERSPROFILE=C:\ProgramData
APPDATA=D:\Users\xxxxxxx\AppData\Roaming
CommonProgramFiles=C:\Program Files (x86)\Common Files
CommonProgramFiles(x86)=C:\Program Files (x86)\Common Files
CommonProgramW6432=C:\Program Files\Common Files
COMPUTERNAME=xxxxxx
...
最后编辑:如果您不允许使用vector
,那真是太可惜了,但是您的方法的这个固定版本可以正常工作:
Stringstore::Stringstore(char ** envp)
{
// make a copy so we can count and preserve the original pointer
// for the second pass: the string copy
char **envp_copy = envp;
d_size = 0; // you forgot to initialize it too :)
for (; *envp_copy != nullptr; ++envp_copy)
d_size++; // count
// the rest is your code, unchanged
d_str = new string[d_size];
for (int index=0; index != d_size; ++index)
d_str[index] = envp[index];
// debug: print env
for (int index=0; index != d_size; ++index)
{
cout << d_str[index] << endl;
}
}