(C ++)从文本文件中读取数字

时间:2012-06-20 12:20:49

标签: c++ file digit

我有一个文本文件,如下所示:

  

73167176531330624919225119674426574742355349194934   96983520312774506326239578318016984801869478851843   85861560789112949495459501737958331952853208805511

等共20行。 我想要做的是从文本文件中读取每个数字并将它们放入一个整数数组(一个元素=一个数字)。如何从该文本文件中只读取一个数字,而不是整行?

2 个答案:

答案 0 :(得分:9)

有几种方法可以完成你想要的东西,在这篇文章中我将描述三种不同的方法。他们三个都假设您使用std::ifstream ifs ("filename.txt")打开文件,并且“数组”实际上是一个声明为std::vector<int> v的向量。

在这篇文章的最后,还有一些关于如何加速插入载体的建议。


我想保持简单..

最简单的方法是使用char一次读取一个operator>>,然后从返回的值中减去'0'

'0''9'的标准保证是连续的,并且因为char只是一个打印在不同事物中的数值,它可以隐式地转换为{{1} }。

int

我喜欢STL,讨厌写循环..

这将被许多人视为“ c ++方式来实现它”,特别是如果你正在与STL-fanboys交谈,尽管它需要更多代码来编写..

char c;

while (ifs >> c)
  v.push_back (c - '0');

我不想写循环,但为什么不使用lambda?

#include <algorithm>
#include <functional>
#include <iterator>

...

std::transform (
  std::istream_iterator<char> (ifs),
  std::istream_iterator<char> (), 
  std::back_inserter (v),
  std::bind2nd (std::minus<int> (), '0')
);

我的#include <algorithm> #include <functional> #include <iterator> ... std::transform ( std::istream_iterator<char> (iss), std::istream_iterator<char> (), std::back_inserter (v), [](char c){return c - '0';} ); 会在每次插入时重新分配存储空间吗?

是的,可能。为了加快速度,您可以在开始进行任何插入之前在矢量中保留存储空间,如下所示。

std::vector

答案 1 :(得分:4)

char digit;
std::ifstream file("digits.txt");
std::vector<int> digits;
// if you want the ASCII value of the digit.
1- while(file >> digit) digits.push_back(digit);
// if you want the numeric value of the digit.
2- while(file >> digit) digits.push_back(digit - '0');