I have an assignment for my computer science class which asks me to do this:
Write a main( ) routine in which the program open a data file with a name: “in.dat”. You can download this file from VLT. Then, your program calls a function that has the following interface:
int sumIntElement( ifstream &y)
{
…..
}
Inside sumElement( ), the code should calculate the sum of all the integers in “in.dat” file and return the sum of integers stored in that file. You may design a while loop with a test condition: x.eof( ), where eof( ) represents the end of a file. It is a member function of fstream class.
#include <iostream>
#include <fstream>
usingnamespace std;
int sumInElement (ifstream & x)
{
int num = 0;
while (!x.eof())
{
x >> num;
cout << num << endl;
}
return 0;
}
int main()
{
ifstream x;
x.open("in.dat"); // open in.dat
cout << sumInElement(x) << endl;
x.close(); // close the file
system ("pause");
return 0;
}
By the way, despite what you may have been told, this is not a good way to code the loop: while (!x.eof())
Depending on the content of the file, the above may give incorrect results.
It is much more better and more dependable to do it like this:
1 2 3 4 5
while (x >> num)
{
cout << num << endl;
total += num;
}
#include <iostream>
#include <fstream>
usingnamespace std;
int sumInElement (ifstream & x)
{
int sum = 0;
int num = 0;
while (!x.eof())
{
x >> num;
if (x.good())
sum += num;
cout << num << endl;
}
return sum;
}
int main()
{
ifstream x;
x.open("in.dat"); // open in.dat
cout << sumInElement(x) << endl;
x.close(); // close the file
system ("pause");
return 0;
}
Thank you so much for your code, it's working perfectly as I want it but little thing, I want the code to open the file in.dat which is in my c++ project directory, plus, the file is not .txt, and not all the files are, so normal user probably won't recognize that he/she has to write it only in .txt.. if you know what I mean.
So, I want to get rid of the if() and I want to use the I/O to open the file.. which what my assignment is all about.
Edit: Ok I got what I wanted. Thanks everyone for the help.