clear()做什么?

时间:2011-11-10 12:13:11

标签: c++ g++

如果我的代码中没有istring.clear。(),则输出为“nan%”。一切运作良好,如果它在那里输出是60%。它到底有什么用?为什么会有所作为? (p.s我的输入是“y y y y y”)

#include <iostream>
#include <fstream>
#include <sstream>
#include <string>
using namespace std;
//inline function
inline ifstream& read(ifstream& is, string f_name);
//main function
int main ()
{
    string f_name=("dcl");
    ifstream readfile;
    read(readfile, f_name);
    string temp, word;
    istringstream istring;
    double counter=0.0, total=0.0;
    while(getline(readfile,temp))
    {
        istring.str(temp);
        while(istring>>word)
        {
            if(word=="y")
                ++counter;
            if(word=="n" || word=="y")
                ++total;
        }
        istring.clear();
    }
    double factor=counter/total*100;
    cout<<factor<<"%"<<endl;
    return 0;   
}

inline ifstream& read(ifstream& is, string f_name)
{
    is.close();
    is.clear();
    is.open(f_name.c_str());
    return is;
}

1 个答案:

答案 0 :(得分:4)

clear()重置流上的错误标志(您可以在documentation中阅读)。如果使用格式化提取,则在提取失败时将设置错误标志“fail”(例如,如果您尝试读取整数并且没有任何可解析的内容)。因此,如果您使用错误状态来终止循环,则必须在进入下一个循环之前再次使用该流。

在您的特定情况下,您的代码编写得很糟糕并违反了“最大位置原则”。一个更健全的版本,作为奖金不需要clear(),将是这样的:

std::string temp;
while (std::getline(readfile, temp))
{
  std::istringstream iss(temp);
  std::string word;

  while (iss >> word)
  {
      std::cout << word << "_" << std::endl;
      if (word == "y") ++counter;
      if (word == "y") ++total;
  }
}

有些人甚至会将外圈写为for (std::string temp; std::getline(readfile, temp); ) { /* ... */ },但其他人会认为这种滥用行为。