基本上我有一个文本文件,数字用新行分隔。我想将每个数字输入到一个数组中,当一个新行带有一个新数字时,该新数字应插入到数组的下一个插槽中
答案 0 :(得分:1)
所以文件就像:
10
20
36
以这样的方式阅读本文将起作用:
std::ifstream file {"file_name"};
int t;
std::vector<int> nums;
while(file >> t)
numes.push_back(t);
或者如果你对std lib感到满意:
std::ifstream file {"file_name"};
std::vector<int> nums {
std::istream_iterator<int> { file },
std::istream_iterator<int> { }
};
之后:
for(int n : nums)
std::cout << n ", ";
将打印
10, 20, 36,
到stdout。