使用multimap

时间:2016-07-28 05:00:09

标签: c++ multimap

我是c ++的初学者,需要编写一个c ++程序来读取和打印像这样的csv文件。

DateTime,value1,value2
12/07/16 13:00,3.60,50000
14/07/16 20:00,4.55,3000

我可以知道如何进行编程吗? 我设法只通过简单的多地图代码获取日期。

2 个答案:

答案 0 :(得分:1)

我花了一些时间为你做了几乎(最后阅读通知)的确切解决方案。

我假设您的程序是一个控制台应用程序,它接收原始csv文件名作为命令行参数。

如果您愿意,请参阅以下代码并进行必要的更改:

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

std::vector<std::string> getLineFromCSV(std::istream& str, std::map<int, int>& widthMap)
{
    std::vector<std::string> result;
    std::string line;
    std::getline(str, line);

    std::stringstream lineStream(line);
    std::string cell;

    int cellCnt = 0;

    while (std::getline(lineStream, cell, ','))
    {
        result.push_back(cell);
        int width = cell.length();
        if (width > widthMap[cellCnt])
            widthMap[cellCnt] = width;
        cellCnt++;
    }
    return result;
}

int main(int argc, char * argv[]) 
{
    std::vector<std::vector<std::string>> result; // table with data
    std::map<int, int> columnWidths; // map to store maximum length (value) of a string in the column (key)
    std::ifstream inpfile;
    // check file name in the argv[1]
    if (argc > 1)
    {
        inpfile.open(argv[1]);
        if (!inpfile.is_open())
        {
            std::cout << "File " << argv[1] << " cannot be read!" << std::endl;
            return 1;
        }
    }
    else
    {
        std::cout << "Run progran as: " << argv[0] << " input_file.csv" << std::endl;
        return 2;
    }
    // read from file stream line by line
    while (inpfile.good())
    {
        result.push_back(getLineFromCSV(inpfile, columnWidths));
    }
    // close the file
    inpfile.close();
    // output the results
    std::cout << "Content of the file:" << std::endl;
    for (std::vector<std::vector<std::string>>::iterator i = result.begin(); i != result.end(); i++)
    {
        int rawLen = i->size();
        for (int j = 0; j < rawLen; j++)
        {
            std::cout.width(columnWidths[j]);
            std::cout << (*i)[j] << " | ";
        }
        std::cout << std::endl;
    }
    return 0;
}

注意:您的任务只是将向量矢量(用于std::vector<std::vector<std::string>>的类型result)替换为多图(我希望您了解应该是什么)解决方案中的一个关键)

答案 1 :(得分:0)

当然,该任务有很多可能的解决方案(如果您打开this问题并查看答案,您将理解这一点。)

首先,我建议考虑以下示例,并尝试以最简单的方式完成任务:

#include <iostream>
#include <sstream>
#include <vector>
#include <string>
using namespace std;

int main()
{
    string str = "12/07/16 13:00,3.60,50000";
    stringstream ss(str);
    vector<string> singleRow;
    char ch;
    string s = "";
    while (ss >> ch)
    {
        s += ch;
        if (ss.peek() == ',' || ss.peek() == EOF )
        {
            ss.ignore();
            singleRow.push_back(s);
            s.clear();
        }
    }
    for (vector<string>::iterator i = singleRow.begin(); i != singleRow.end(); i++)
        cout << *i << endl;
    return 0;
}

我认为它对你有用。