如何将char **中的数据值复制到新的char **中?

时间:2017-02-09 02:04:55

标签: c++ string struct

我在做什么:
你好。我目前有一个char**变量,它是一个指向字符串数组的指针。我有一个循环,在这个循环中,char**需要备份到结构的向量。所以struct里面有一个变量类型的char ** 不幸的是,对于这篇文章,我必须使用char**类型。我无法使用char* vName[]类型。

我的问题是什么:
我目前面临的问题是,当我添加一个新结构时,char**指向所有结构中可用的最新数据,而不是最新结构。

我尝试了什么:
我尝试过使用strcpymemcpy,并使用普通的旧值,但它们似乎不起作用。我尝试过使用newItem.storedVars[i] = newVars,但这似乎也不起作用。

如何获取或复制新char**数组中的数据并将其存储到结构中,而不会被循环再次修改?

#include <iostream>
#include <string>
#include <vector>

using namespace std;

struct StringHolder{
    char** storedVars;                              //stored char** variable
};

int main(int argc, char *argv[]){
    char** newVars;                                 //stores current char** values
    int counter = 100;                              //counter
    vector<StringHolder> vectorOfStructs;

    while(counter!=0){                              //while counter is going downward
        StringHolder newItem;                       //create a new string
        char** storedVarsToAdd;                     //stored variables that I will be adding

        newVars = externalVarsFetcher();            //get the new char** variable from the external function

        storedVarsToAdd = newVars;                  //this statement doesn't work

        //neither does this statement
        for(int i = 0; i < 10; i++){
            storedVarsToAdd[i] = newVars[i];
        }
        newItem.storedVars = storedVarsToAdd;       //take the new item I created, update it's char** value with a new one
        vectorOfStructs.push_back(newItem);         //push the struct onto the vector
        counter--;                                  //continue through the array
    }
}

2 个答案:

答案 0 :(得分:2)

以下是如何存储命令行参数,这与您尝试执行的操作相同:

std::vector<std::string> args;
for (int i=0; i<argc; i++)
   args.push_back(argv[i]);

答案 1 :(得分:2)

你的问题是你只是在玩弄指针,你不是在复制字符串。您应该使用std::string,但这听起来像是家庭作业,所以您可能被告知不要这样做。如果不是这种情况,请使用 std::string

如果您必须使用char**等:

for(int i = 0; i < 10; i++){
    storedVarsToAdd[i] = strdup(newVars[i]);
}

strdup将为您分配内存并复制字符串。

现在你有一个潜在的内存泄漏,但这是一个不同的问题(提示 - 使用std::string)。