c ++从文件中读取跳过某些行

时间:2013-10-25 09:59:28

标签: c++ file csv

我有这种格式的文本文件

 wins = 2
 Player
 10,45,23
 90,2,23

我必须将10 45 23存储到一个向量中并将其传递给一个函数,问题是它在第一行后断开

    string csvLine;
int userInput;
ifstream  data("CWoutput.txt");
string line;
string str;
vector<string> listOfScores;
while(getline(data,line))
{
    stringstream  lineStream(line);
    string        cell;
    while(getline(lineStream,cell,'\n'))
    {
        if (cell.at(0) != 'w'  || cell.at(0) != 'P')
        { 
            while(getline(lineStream,cell,','))
            {
                cout<<line<<endl;

                listOfScores.push_back(cell);
            }
        }
    }
    vector<transaction> vectorScores= this->winner(listOfCells);
    bool hasWon= false;
    hasWon= this->validateRule2(vectorScores);
    if(hasWon== true)
    {
        return true;
    }
    else
    {
        return false;
    }
}

2 个答案:

答案 0 :(得分:0)

在此声明中while(getline(lineStream,cell,'\n'))

您的lineStream不包含'\n'字符,因为之前的getline( data, line)功能会将其丢弃。

你的while循环可以简化为:

while(getline(data,line))
{
    data.clear();
    if (line[0] != 'w'  && line[0] != 'P') {
      stringstream  lineStream(line);
      string        cell;
      while(getline(lineStream,cell,','))
      {
        cout<<line<<endl;

        listOfScores.push_back(cell);
      }
      vector<transaction> vectorScores= this->winner(listOfCells);
      bool hasWon= false;
      hasWon= this->validateRule2(vectorScores);
      return hasWon;
   }
}

答案 1 :(得分:0)

为什么在循环中使用linestaream?通过致电getline(data,line),您可以获得全线。

所以你可以做到

while(getline(data,line))
{


        if (line.at(0) != 'w'  || line.at(0) != 'P')
        { 
            std::vector<std::string> x = split(line, ',');
            listOfScores.insert(listOfScores.end(),x.begin(),x.end());
        }
}

您可以使用拆分功能:

std::vector<std::string> &split(const std::string &s, char delim, std::vector<std::string> &elems) {
    std::stringstream ss(s);
    std::string item;
    while (std::getline(ss, item, delim)) {
        elems.push_back(item);
    }
    return elems;
}


std::vector<std::string> split(const std::string &s, char delim) {
    std::vector<std::string> elems;
    split(s, delim, elems);
    return elems;
}