我正在编写一个需要读取文本文件的程序,并检查文本文件的第一行是否有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)
{}
答案 0 :(得分:1)
我可能会阅读std::getline
行,然后使用Boost lexical_cast转换为int。除非输入字符串的 whole 可以转换为目标类型,否则它将抛出异常 - 正是您想要的。
当然,您还需要检查转换后的结果是否在正确的范围内,如果它超出范围,也会抛出异常。
答案 1 :(得分: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;
}
}