如何确定文本

时间:2018-03-23 15:33:00

标签: c++ string file csv stream

我在std :: string中给出了一个文本,我想用stringstream进行分析。 该文本是csv文件中的一行,格式如下:

  

SPIN; 5; WIN; 10; STOPPOSITIONS; 27; 11; 14

我必须创建一个键值对(在地图中),其中键是来自该行的字符串值(例如:“SPIN”),并且该值是使用该行中的下一个整数值填充的向量(例如:5) )。 (KVP:{“SPIN”,{5}})。

问题是我不知道如何确定该行的最后一个字符串值(在本例中为“STOPPOSITIONS”)。

当我在下一次迭代中得到“STOPPOSITIONS”这个词时,变量词会变为“1”,这是错误的,因为我应该创建以下kvp(KVP:{“STOPPOSITIONS”,{27,1,14}} )。

我应该修复什么才能找到一行的最后一个字符串值?

以下是我正在使用的代码:

std::map<std::string, std::vector<uint64_t>> CsvReader::readAllKvp()
{
    if (!_ifs->is_open())
    {
        _ifs->open(_fileName);
    }

    std::map<std::string, std::vector<uint64_t>> result;

    std::string  line;
    std::string word;
    uint64_t val;

    while(getline(*_ifs,line,'\n') >> std::ws)
    {
        /* do stuff with word */
        std::istringstream ss(line);

        while(getline(ss, word, ';') >> std::ws)
        {
            //no more strings found
            if(word == "")
            {
                //read all integers at the end of the line and put them
                //in the map at the last key added (in our case: STOPPOSITIONS)
                while(ss >> val)
                {
                    result[result.rbegin()->first].push_back(val);
                }
                break;
            }

            if (result.find(word) == result.end()) //word not found in map
            {
                std::vector<uint64_t> newV;
                result.insert(
                        std::pair<std::string, std::vector<uint64_t>>(word, newV));
            }

            ss >> val;
            result[word].push_back(val);

            ss.ignore(std::numeric_limits<std::streamsize>::max(),';');
        }

    }

    _ifs->close();

    return result;
}

1 个答案:

答案 0 :(得分:0)

我举了一个我建议的方法的例子。它只读取一行,但添加另一个外部循环并处理文件的所有行是一项简单的任务。

#include <iostream>
#include <sstream>
#include <fstream>
#include <map>
#include <vector>

using std::cout;
using std::endl;

std::map<std::string, std::vector<uint64_t>> readAllKvp()
{
    std::string str = "SPIN;5;WIN;10;STOPPOSITIONS;27;1;14";
    std::stringstream ss(str); // Emulating input from file

    std::map<std::string, std::vector<uint64_t>> result;

    std::string word;
    std::string last_string;
    uint64_t val;

    while(getline(ss >> std::ws, word, ';') >> std::ws)
    {
        try {
            val = std::stoi(word);

            if(!last_string.empty())
                result[last_string].push_back(val);
        } catch (std::invalid_argument&) {
            last_string = word;
        }
    }

    return result;
}

int main() {
    auto map = readAllKvp();

    for (auto& m : map) {
        cout << m.first << ": ";

        for (auto v : m.second)
            cout << v << ' ';

        cout << endl;
    }
}