0

我正在编写一个程序,它需要读取文本文件并检查文本文件的第一行是否有 0 到 10 之间的数字。我想出了几个解决方案,但仍然存在问题:

我如何阅读文件:

const string FileName= argv[1];
ifstream fin(argv[1]);
if(!fin.good()){
    cout<<"File does not exist ->> No File for reading";
    exit(1);
}
getline(fin,tmp);
if(fin.eof()){
    cout<<"file is empty"<<endl;
}
stringstream ss(tmp);

首先我使用了atoi:

const int filenum = atoi(tmp.c_str());
    if(filenum<1 || filenum>10){
        cout<<"number of files is incorrect"<<endl;
        //exit(1);
    }

如果第一行是字符,则将其更改为零但是我想调用异常并终止程序。

然后我使用isdigit了,但我的条目是一个字符串,它不适用于字符串。最后我使用了字符串中的每个字符,但仍然不起作用。

   stringstream ss(tmp);
   int i;
   ss>>i;
   if(isdigit(tmp[0])||isdigit(tmp[1])||tmp.length()<3)
   {}
4

2 回答 2

1

我可能会阅读带有 的行std::getline,然后使用 Boost lexical_cast转换为 int。除非可以将整个输入字符串转换为目标类型,否则它将引发异常——这正是您想要的。

当然,您还需要检查转换后的结果是否在正确的范围内,如果超出范围也抛出异常。

于 2013-08-13T03:00:45.540 回答
1
#include <iostream>
#include <fstream>
#include <cstdio>
#include <cstdlib>
using namespace std;

bool isValidNumber (string str)
{
  if (str.length() > 2 || str.length() == 0)
    return false;
  else if (str.length() == 2 && str != "10")
    return false;
  else if (str.length() == 1 && (str[0] < '0' || str[0] > '9'))
    return false;
  return true;
}

int main()
{
  ifstream fin(argv[1]);
  if(!fin.good())
  {
    cout<<"File does not exist ->> No File for reading";
    exit(1);
  }

  //To check file is empty http://stackoverflow.com/a/2390938/1903116
  if(fin.peek() == std::ifstream::traits_type::eof())
  {
    cout<<"file is empty"<<endl;
    exit(1);
  }
  string tmp;
  getline(fin,tmp);
  if (isValidNumber(tmp) == false)
  {
    cerr << "Invalid number : " + tmp << endl;
  }
  else
  {
    cout << "Valid Number : " + tmp << endl;
  }
}
于 2013-08-13T03:57:27.900 回答