使用C ++将值从文件输入到数组中

时间:2018-09-24 04:55:17

标签: c++ arrays file input

文件确实打开,我收到消息“文件已成功打开”。但是,我无法将文件“ random.csv”中的数组数据输入到inputFile对象中。

random.csv中的数据是:

Boston,94,-15,65

Chicago,92,-21,72

Atlanta,101,10,80

Austin,107,19,81

Phoenix,112,23,88

Washington,88,-10,68

这是我的代码:

#include "main.h"

int main() {

    string item; //To hold file input
    int i = 0;
    char array[6];
    ifstream inputFile;
    inputFile.open ("random.csv",ios::in);

    //Check for error
    if (inputFile.fail()) {
        cout << "There was an error opening your file" << endl;
        exit(1);
    } else {
        cout << "File opened successfully!" << endl;
    }

    while (i < 6) {
        inputFile >> array[i];
        i++;
    }

    for (int y = 0; y < 6; y++) {
        cout << array[y] << endl;
    }


    inputFile.close();

    return 0;
}

1 个答案:

答案 0 :(得分:0)

您好,欢迎来到Stack Overflow(SO)。您可以使用std::getline()从文件中读取每一行,然后使用boost::split()将每一行拆分为单词。每行都有一个字符串数组之后,您可以使用自己喜欢的容器来存储数据。

在下面的示例中,我使用了std::map来存储字符串和一个整数向量。使用地图还将使用键值对入口进行排序,这意味着最终容器将按字母顺序排列。实现是非常基本的。

#include <iostream>
#include <vector>
#include <map>
#include <string>
#include <fstream>
#include <boost/algorithm/string.hpp>
#include <boost/algorithm/string/split.hpp>
#include <ctype.h>

typedef std::map<std::string,std::vector<int>> ContainerType;

void extract(ContainerType &map_, const std::string &line_)
{
    std::vector<std::string> data;

    boost::split(data, line_, boost::is_any_of(","));

    // This is not the best way - but it works for this demo.
    map_[data[0]] = {std::stoi(data[1]),std::stoi(data[2]),std::stoi(data[3])};
}

int main()
{
    ContainerType map;

    std::ifstream inputFile;
    inputFile.open("random.csv");

    if(inputFile.is_open())
    {
        std::string line;
        while( std::getline(inputFile,line))
        {
            if (line.empty())
                continue;
            else
                extract(map,line);
        }
        inputFile.close();
    }

    for (auto &&i : map)
    {
        std::cout<< i.first << " : ";
        for (auto &&j : i.second)
            std::cout<< j << " ";
        std::cout<<std::endl;
    }
}

希望这会有所帮助。