如何在数组中存储逗号分隔文件的第n列?

时间:2014-08-02 16:37:15

标签: c++ arrays string token delimiter

我有一个以下列格式存储数据的文件(这只是一个小样本):

AD,Andorra,AN,AD,AND,20.00,Andorra la Vella,Europe,Euro,EUR,67627.00
AE,United Arab Emirates,AE,AE,ARE,784.00,Abu Dhabi,Middle East,UAE Dirham,AED,2407460.00
AF,Afghanistan,AF,AF,AFG,4.00,Kabul,Asia,Afghani,AFA,26813057.00
AG,Antigua and Barbuda,AC,AG,ATG,28.00,Saint John's,Central America and the Caribbean,East Caribbean Dollar,XCD,66970.00
AI,Anguilla,AV,AI,AIA,660.00,The Valley,Central America and the Caribbean,East Caribbean Dollar,XCD,12132.00

我想存储每行的第二个字段,以便我的数组只包含国家名称,如下所示:

string countryArray[] = {"Andorra,United Arab Emirates", "Afghanistan", "Antigua and Barbuda", "Anguilla"}

但每次运行代码时,都会发生分段错误。这是我的代码:

countryArray[256];

if (myfile)
{
        while (getline(myfile,line))
        {
            std::string s = line;
            std::string delimiter = ",";

            size_t pos = 0;
            std::string token;
            short loop=0;

            while ((pos = s.find(delimiter)) != std::string::npos) 
            {
                  token = s.substr(0, pos);
                  s.erase(0, pos + delimiter.length());  

                  if (loop < 2)
                  {
                       loop++;
                  }
                  else
                  {
                       loop+=11;
                       countryArray[count] = token;
                       count++;
                  }

             }
        }
    }

2 个答案:

答案 0 :(得分:5)

考虑使用std::istringstream。类似的东西:

while(getline(myfile, line))
{
    std::istringstream iss(line);

    std::string data;
    getline(iss, data, ','); // get first column into data
    getline(iss, data, ','); // get second column into data

    countryArray[count] = data;
    ++count;
}

std::istringstream所做的是允许您将std::string视为输入流,就像常规文件一样。

您可以使用getline(iss, data, ',')从流中读取到下一个逗号&#39;,&#39;并将其存储在std::string data

修改

还要考虑使用std::vector而不是数组。

答案 1 :(得分:2)

您的段错误很可能是未初始化count,然后将该变量用作countryArray数组的索引的结果。因此,您可能很容易超出数组的边界,因为count中的值未定义。