假设我有一个文件
100 text
如果我尝试使用 ifstream 读取 2 个数字,它会失败,因为text
它不是一个数字。使用 fscanf 我会通过检查它的返回码知道它失败了:
if (2 != fscanf(f, "%d %d", &a, &b))
printf("failed");
但是当使用 iostream 而不是 stdio 时,我怎么知道它失败了?
它实际上(如果不是更多)简单:
ifstream ifs(filename);
int a, b;
if (!(ifs >> a >> b))
cerr << "failed";
顺便说一下,习惯这种格式。因为它非常方便(对于通过循环继续积极进展更是如此)。
如果一个人使用 GCC-std=c++11
或-std=c++14
她可能会遇到:
error: cannot convert ‘std::istream {aka std::basic_istream<char>}’ to ‘bool’
为什么?
C++11 标准使bool
运算符调用显式(ref)。因此有必要使用:
std::ifstream ifs(filename);
int a, b;
if (!std::static_cast<bool>(ifs >> a >> b))
cerr << "failed";
我个人更喜欢以下fail
功能的使用:
std::ifstream ifs(filename);
int a, b;
ifs >> a >> b
if (ifs.fail())
cerr << "failed";