我正在从Bjarne Stroustrup的书使用C ++编程原理和实践中进行练习。我正在进行第10章的第一个练习,该练习说要编写一个程序,该程序在空格分隔的整数文件中生成所有数字的和。我下面的代码基于第10.5章的练习2中使用的代码。创建ifstream
对象时出现错误。这是我要运行的代码:
#include "../../std_lib_facilities.h"
int main(int argc, const char * argv[]) {
// insert code here...
cout << "Plese enter the input file name: " << endl;
string iname;
cin >> iname;
ifstream ist {iname};
if (!ist) error("Can't open input file ",iname);
vector<int> numbers;
int sum;
int n;
while(ist>>n) {
numbers.push_back(n);
}
for (int i=0; i<numbers.size(); ++i) {
sum += numbers[i];
}
cout << sum << endl;
return 0;
}
我输入的任何输入都出错。我尝试了myin,myin.txt或其他任何名称。 error("Can't open input file ",iname);
来自作者创建的库。
我知道该文件与main.cpp确实存在于同一目录中,并且使用纯文本格式由Mac的TextEdit创建。
答案 0 :(得分:2)
[...]与main.cpp [...]
在同一目录中
相对于源文件放置输入文件的位置并不重要。 运行程序时,该文件应位于环境的当前工作目录中。
答案 1 :(得分:1)
传递参数时一定要引起混淆。您应该尝试传递输入文件的绝对路径。
下面是修改后的应用程序。这将创建一个测试文件,并使用它代替案例1的文件名。对于案例2,它使用不存在的文件。(如果存在,请删除)
#include <cstdio>
#include <fstream>
#include <iostream>
#include <vector>
using namespace std;
template <typename T> void error(const T &t) { cout << t; }
template <typename T, typename... Args> void error(const T &t, Args... args) {
cout << t << " ";
error(args...);
cout << "\n";
}
int main(int argc, const char *argv[]) {
// insert code here...
// cout << "Plese enter the input file name: " << endl;
string iname = "a.txt";
ofstream ofs{iname};
ofs << 1 << " " << 2 << " " << 3 << " " << 4;
ofs.close();
// cin >> iname;
// part 1
{
cout << "Case1: Reading file a.txt which is just created\n";
ifstream ist{iname};
if (!ist)
error("Can't open input file ", iname);
if (ist.is_open()) {
vector<int> numbers;
int sum = 0;
int n = 0;
while (ist >> n) {
numbers.push_back(n);
}
for (int i = 0; i < numbers.size(); ++i) {
sum += numbers[i];
}
cout << sum << endl;
ist.close();
} else {
error("can't open file to read", iname);
}
}
// part 2
{
cout << "Case2:reading file which is not present\n";
iname = "b.txt";
std::remove(iname.c_str()); // delete if present
ifstream ist{iname};
if (!ist)
error("Can't open input file ", iname);
if (ist.is_open()) {
vector<int> numbers;
int sum = 0;
int n = 0;
while (ist >> n) {
numbers.push_back(n);
}
for (int i = 0; i < numbers.size(); ++i) {
sum += numbers[i];
}
cout << sum << endl;
ist.close();
} else {
error("can't open file to read", iname);
}
}
return 0;
}
注意:std::ifstream
的构造总是创建对象。您需要像以前一样使用它的对象或使用is_open()
方法。