KEMBAR78
CPP Stream IO FileIO A3 | PDF | Class (Computer Programming) | C++
0% found this document useful (0 votes)
113 views11 pages

CPP Stream IO FileIO A3

C++ provides stream-based input/output (IO) through headers like <iostream> and <fstream>. Streams allow data to flow into and out of a program from devices like keyboards, files and networks. Formatted IO converts data between external and internal formats using operators like << and >>, while unformatted IO leaves data as raw bytes. Key C++ stream classes include istream for input, ostream for output, and iostream for bidirectional IO. These classes are implemented as templates to support different character types.

Uploaded by

semabay
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
113 views11 pages

CPP Stream IO FileIO A3

C++ provides stream-based input/output (IO) through headers like <iostream> and <fstream>. Streams allow data to flow into and out of a program from devices like keyboards, files and networks. Formatted IO converts data between external and internal formats using operators like << and >>, while unformatted IO leaves data as raw bytes. Key C++ stream classes include istream for input, ostream for output, and iostream for bidirectional IO. These classes are implemented as templates to support different character types.

Uploaded by

semabay
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 11

C++ IO Streams and File Input/Output https://www3.ntu.edu.sg/home/ehchua/programming/cpp/cp10_IO.

html

yet another insignificant programming notes... | HOME

TABLE OF CONTENTS (HIDE)


1. Stream IO

C++ Programming Language


1.1 Streams
1.2 C++ IO Headers, Templates and Classes
1.3 Buffered IO

Stream IO and File IO 1.4 The <iostream> Header and the Standard Stream O
1.5 The Stream Inser�on << and Stream Extrac�on
1.6 The ostream Class
1.7 The istream class
1.8 Unforma�ed Input/Output Func�ons
The C language did not build the input/output facili�es into the language. In other words, there is no keyword like
1.9 States of stream
read or write. Instead, it le� the IO to the compiler as external library func�ons (such as printf and scanf
1.10 Forma�ng Input/Output via Manipulators in
in stdio library). The ANSI C standard formalized these IO func�ons into Standard IO package (stdio.h). C++
1.11 The C++ string class Input/Output
con�nues this approach and formalizes IO in libraries such as iostream and fstream.
2. File Input/Output (Header <fstream>
2.1 File Output
Features
2.2 File Input
C++ IO is type safe. IO opera�ons are defined for each of the type. If IO opera�ons are not defined for a
2.3 Example on Simple File IO
par�cular type, compiler will generate an error.
2.4 Binary file, read() and write()
C++ IO opera�ons are based on streams of bytes and are device independent. The same set of opera�ons can 2.5 Random Access File
be applied to different types of IO devices.
3. String Streams

1. Stream IO

1.1 Streams
C/C++ IO are based on streams, which are sequence of bytes flowing in and out of the programs (just like water and oil flowing through a pipe). In input
opera�ons, data bytes flow from an input source (such as keyboard, file, network or another program) into the program. In output opera�ons, data bytes flow
from the program to an output sink (such as console, file, network or another program). Streams acts as an intermediaries between the programs and the actual
IO devices, in such the way that frees the programmers from handling the actual devices, so as to archive device independent IO opera�ons.

C++ provides both the forma�ed and unforma�ed IO func�ons. In forma�ed or high-level IO, bytes are grouped and converted to types such as int, double,
string or user-defined types. In unforma�ed or low-level IO, bytes are treated as raw bytes and unconverted. Forma�ed IO opera�ons are supported via
overloading the stream inser�on (<<) and stream extrac�on (>>) operators, which presents a consistent public IO interface.

To perform input and output, a C++ program:


1. Construct a stream object.
2. Connect (Associate) the stream object to an actual IO device (e.g., keyboard, console, file, network, another program).
3. Perform input/output opera�ons on the stream, via the func�ons defined in the stream's pubic interface in a device independent manner. Some func�ons
convert the data between the external format and internal format (forma�ed IO); while other does not (unforma�ed or binary IO).
4. Disconnect (Dissociate) the stream to the actual IO device (e.g., close the file).
5. Free the stream object.

1.2 C++ IO Headers, Templates and Classes

1 of 11 22/03/2020, 19:50
C++ IO Streams and File Input/Output https://www3.ntu.edu.sg/home/ehchua/programming/cpp/cp10_IO.html

Headers
C++ IO is provided in headers <iostream> (which included <ios>, <istream>, <ostream> and <streambuf>), <fstream> (for file IO), and
<sstream> (for string IO). Furthermore, the header <iomanip> provided manipulators such as setw(), setprecision()setfill() and
setbase() for forma�ng.

Template Classes
In order to support various character sets (char and wchar_t in C++98/03; and char16_t, char32_t introduced in C++11), the stream classes are wri�en
as template classes, which could be instan�ated with an actual character type. Most of the template classes take two type parameters. For example,

template <class charT, class traits = char_traits<charT> >


class basic_istream;

template <class charT, class traits = char_traits<charT> >


class basic_ostream;

where:
charT is the character type, such as char or wchar_t;
traits, of another template class char_traits<charT>, defined the proper�es of the character opera�ons such as the colla�ng sequence (sor�ng
order) of character set.

Template Instantiations and typedef


As men�on, the basic_xxx template classes can be instan�ated with a character type, such as char and wchar_t. C++ further provides typedef
statements to name these classes:

typedef basic_ios<char> ios;


typedef basic_ios<wchar_t> wios;
typedef basic_istream<char> istream;
typedef basic_istream<wchar_t> wistream;
typedef basic_ostream<char> ostream;
typedef basic_ostream<wchar_t> wostream;
typedef basic_iostream<char> iostream;
typedef basic_iostream<wchar_t> wiostream;
typedef basic_streambuf<char> streambuf;
typedef basic_streambuf<wchar_t> wstreambuf;

Specialization Classes for char type


We shall focus on the specializa�on classes for char type:

2 of 11 22/03/2020, 19:50
C++ IO Streams and File Input/Output https://www3.ntu.edu.sg/home/ehchua/programming/cpp/cp10_IO.html

ios_base and ios: superclasses to maintain common stream proper�es such as format flag, field width, precision and locale. The superclass ios_base
(which is not a template class) maintains data that is independent of the template parameters; whereas the subclass ios (instan�a�on of template
basic_ios<char>) maintains data which is dependent of the template parameters.
istream (basic_istream<char>), ostream (basic_ostream<char>): provide the input and output public interfaces.
iostream (basic_iostream<char>): subclass of both istream and ostream, which supports bidirec�onal input and output opera�ons. Take
note that istream and ostream are unidirec�onal streams; whereas iostream is bidirec�onal. basic_iostream template and iostream class is
declared in the <istream> header, not <iostream> header.
ifstream, ofstream and fstream: for file input, output and bidirec�onal input/output.
istringstream, ostringstream and stringstream: for string buffer input, output and bidirec�onal input/output.
streambuf, filebuf and stringbuf: provide memory buffer for the stream, file-stream and string-stream, and the public interface for accessing and
managing the buffer.

1.3 Buffered IO
[TODO]

1.4 The <iostream> Header and the Standard Stream Objects: cin, cout, cerr and clog
The <iostream> header also included the these headers: <ios>, <istream>, <ostream> and <streambuf>. Hence, your program needs to include
only the <iostream> header for IO opera�ons.

The <iostream> header declares these standard stream objects:


1. cin (of istream class, basic_istream<char> specializa�on), wcin (of wistream class, basic_istream<wchar_t> specializa�on):
corresponding to the standard input stream, defaulted to keyword.
2. cout (of ostream class), wcout (of wostream class): corresponding to the standard output stream, defaulted to the display console.
3. cerr (of ostream class), wcerr (of wostream class): corresponding to the standard error stream, defaulted to the display console.
4. clog (of ostream class), wclog (of wostream class): corresponding to the standard log stream, defaulted to the display console.

1.5 The Stream Insertion << and Stream Extraction >> Operators
Forma�ed output is carried out on streams via the stream inser�on << and stream extrac�on >> operators. For example,

cout << value;


cin >> variable;

Take note that cin/cout shall be the le� operand and the data flow in the direc�on of the arrows.

The << and >> operators are overloaded to handle fundamental types (such as int and double), and classes (such as string). You can also overload these
operators for your own user-defined types.

The cin << and cout >> return a reference to cin and cout, and thus, support cascading opera�ons. For example,

cout << value1 << value2 << .... ;


cin >> variable1 << variable2 << .... ;

1.6 The ostream Class


The ostream class is a typedef to basic_ostream<char>. It contains two set of output func�ons: forma�ed output and unforma�ed output.
The forma�ed output func�ons (via overloaded stream inser�on operator <<) convert numeric values (such as int, double) from their internal
representa�ons (e.g., 16-/32-bit int, 64-bit double) to a stream of characters that represen�ng the numeric values in text form.
The unforma�ed output func�ons (e.g., put(), write()) outputs the bytes as they are, without format conversion.

Formatting Output via the Overloaded Stream Insertion << Operator


The ostream class overloads the stream inser�on << operator for each of the C++ fundamental types (char, unsigned char, signed char, short,
unsigned short, int, unsigned int, long, unsigned long, long long (C++11), unsigned long long (C++11), float, double and
long double. It converts a numeric value from its internal representa�on to the text form.

ostream & operator<< (type) // type of int, double etc

The << operator returns a reference to the invoking ostream object. Hence, you can concatenate << opera�ons, e.g., cout << 123 << 1.13 <<
endl;.

The << operator is also overloaded for the following pointer types:
const char *, const signed char *, const unsigned char *: for outpu�ng C-strings and literals. It uses the termina�ng null character
to decide the end of the char array.
void *: can be used to print an address.

For example,

3 of 11 22/03/2020, 19:50
C++ IO Streams and File Input/Output https://www3.ntu.edu.sg/home/ehchua/programming/cpp/cp10_IO.html

char str1[] = "apple";


const char * str2 = "orange";

cout << str1 << endl; // with char *, print C-string


cout << str2 << endl; // with char *, print C-string
cout << (void *) str1 << endl; // with void *, print address (regular cast)
cout << static_cast<void *>(str2) << endl; // with void *, print address

Flushing the Output Buffer


You can flush the output buffer via:
1. flush member func�on or manipulator:

// Member function of ostream class - std::ostream::flush


ostream & flush ();
// Example
cout << "hello";
cout.flush();

// Manipulator - std::flush
ostream & flush (ostream & os);
// Example
cout << "hello" << flush;

2. endl manipulator, which inserts a newline and flush the buffer. Outpu�ng a newline character '\n' may not flush the output buffer; but endl does.

// Manipulator - std::endl
ostream & endl (ostream & os)

3. cin: output buffer is flushed when input is pending, e.g.,

cout << "Enter a number: ";


int number;
cin << number; // flush output buffer so as to show the prompting message

1.7 The istream class


Similar to the ostream class, the istream class is a typedef to basic_istream<char>. It also supports forma�ed input and unforma�ed input.
In forma�ng input, via overloading the >> extrac�on operator, it converts the text form (a stream of character) into internal representa�on (such as
16-/32-bit int, 64-byte double).
In unforma�ng input, such as get(), getlin(), read(), it reads the characters as they are, without conversion.

Formatting Input via the Overloaded Stream Extraction >> Operator


The istream class overloads the extrac�on >> operator for each of the C++ fundamental types (char, unsigned char, signed char, short,
unsigned short, int, unsigned int, long, unsigned long, long long (C++11), unsigned long long (C++11), float, double and
long double. It performs forma�ng by conver�ng the input texts into the internal representa�on of the respec�ve types.

istream & operator<< (type &) // type of int, double etc.

The >> operator returns a reference to the invokind istream object. Hence, you can concatenate >> opera�ons, e.g., cin >> number1 << number2
<<....

The >> operator is also overloaded for the following pointer types:
const char *, const signed char *, const unsigned char *: for inpu�ng C-strings. It uses whitespace as delimiter and adds a
termina�ng null character to the C-string.

[TODO] Read "C-string input".

Flushing the Input Buffer - ignore()


You can use the ignore() to discard characters in the input buffer:

istream & ignore (int n = 1, int delim = EOF);


// Read and discard up to n characters or delim, whichever comes first

// Examples
cin.ignore(numeric_limits<streamsize>::max()); // Ignore to the end-of-file
cin.ignore(numeric_limits<streamsize>::max(), '\n'); // Ignore to the end-of-line

1.8 Unformatted Input/Output Functions

put(), get() and getline()


The ostream's member func�on put() can be used to put out a char. put() returns the invoking ostream reference, and thus, can be cascaded. For
example,

4 of 11 22/03/2020, 19:50
C++ IO Streams and File Input/Output https://www3.ntu.edu.sg/home/ehchua/programming/cpp/cp10_IO.html

// ostream class
ostream & put (char c); // put char c to ostream

// Examples
cout.put('A');
cout.put('A').put('p').put('p').put('\n');
cout.put(65);

// istream class
// Single character input
int get ();
// Get a char and return as int. It returns EOF at end-of-file
istream & get (char & c);
// Get a char, store in c and return the invoking istream reference

// C-string input
istream & get (char * cstr, streamsize n, char delim = '\n');
// Get n-1 chars or until delimiter and store in C-string array cstr.
// Append null char to terminate C-string
// Keep the delim char in the input stream.
istream & getline (char * cstr, streamsize n, char delim = '\n');
// Same as get(), but extract and discard delim char from the
// input stream.

// Examples
int inChar;
while ((inChar = cin.get()) != EOF) { // Read till End-of-file
cout.put(inchar);
}

[TODO] Example

read(), write() and gcount()


// istream class
istream & read (char * buf, streamsize n);
// Read n characters from istream and keep in char array buf.
// Unlike get()/getline(), it does not append null char at the end of input.
// It is used for binary input, instead of C-string.
streamsize gcount() const;
// Return the number of character extracted by the last unformatted input operation
// get(), getline(), ignore() or read().

// ostream class
ostream & write (const char * buf, streamsize n)
// Write n character from char array.

// Example
[TODO]

Other istream functions - peek() and putback()


char peek ();
//returns the next character in the input buffer without extracting it.

istream & putback (char c);


// insert the character back to the input buffer.

1.9 States of stream


The steam superclass ios_base maintains a data member to describe the states of the stream, which is a bitmask of the type iostate. The flags are:
eofbit: set when an input opera�on reaches end-of-file.
failbit: The last input opera�on failed to read the expected characters or output opera�on failed to write the expected characters, e.g., getline()
reads n characters without reaching delimiter character.
badbit: serious error due to failure of an IO opera�on (e.g. file read/write error) or stream buffer.
goodbit: Absence of above error with value of 0.

These flags are defined as public sta�c members in ios_base. They can be accessed directly via ios_base::failbit or via subclasses such as
cin::failbit, ios::failbit. However, it is more convenience to use these public member func�ons of ios class:
good(): returns true if goodbit is set (i.e., no error).
eof(): returns true if eofbit is set.
fail(): returns true if failbit or badbit is set.
bad(): returns true if badbit is set.
clear(): clear eofbit, failbit and badbit.

5 of 11 22/03/2020, 19:50
C++ IO Streams and File Input/Output https://www3.ntu.edu.sg/home/ehchua/programming/cpp/cp10_IO.html

1.10 Formatting Input/Output via Manipulators in <iomanip> and <iostream>


C++ provides a set of manipulators to perform input and output forma�ng:
1. <iomanip> header: setw(), setprecision(), setbas(), setfill().
2. <iostream> header: fixed|scientific, left|right|internal, boolalpha|noboolalpha, etc.

Default Output Formatting


The ostream's << stream inser�on operator is overloaded to convert a numeric value from its internal representa�on (e.g., 16-/32-bit int, 64-bit double)
to the text form.
By default, the values are displayed with a field-width just enough to hold the text, without addi�onal leading or trailing spaces. You need to provide spaces
between the values, if desired.
For integers, all digits will be displayed, by default. For example,

cout << "|" << 1 << "|" << endl; // |1|


cout << "|" << -1 << "|" << endl; // |-1|
cout << "|" << 123456789 << "|" << endl; // |123456789|
cout << "|" << -123456789 << "|" << endl; // |-123456789|

For floa�ng-point numbers, the default precison is 6 digits, except that the trailing zeros will not be shown. This default precision (of 6 digits) include all
digits before and a�er the decimal point, but exclude the leading zeros. Scien�fic nota�on (E-nota�on) will be used if the exponent is 6 or more or -5 or
less. In scien�fic nota�on, the default precision is also 6 digits; the exponent is displayed in 3 digits with plus/minus sign (e.g., +006, -005). For example,

cout << "|" << 1.20000 << "|" << endl; // |1.2| (trailing zeros not displayed)
cout << "|" << 1.23456 << "|" << endl; // |1.23456| (default precision is 6 digits)
cout << "|" << -1.23456 << "|" << endl; // |-1.23456|
cout << "|" << 1.234567 << "|" << endl; // |1.23457|
cout << "|" << 123456.7 << "|" << endl; // |123457|
cout << "|" << 1234567.89 << "|" << endl; // |1.23457e+006| (scientific-notation for e>=6)
cout << "|" << 0.0001234567 << "|" << endl; // |0.000123457| (leading zeros not counted towards precision)
cout << "|" << 0.00001234567 << "|" << endl; // |1.23457e-005| (scientific-notation for e<=-5)

bool values are displayed as 0 or 1 by default, instead of true or false.

Field Width (setw), Fill Character (setfill) and Alignment (left|right|internal)


The ios_base superclass (included in <iostream> header) maintains data members for field-width (width) and forma�ng flags (fmtflags); and
provides member func�ons (such as width(), setf()) for manipula�ng them.

However, it is more convenience to use the so-called IO manipulators, which returns a reference to the invoking stream object and thus can be concatenated in
<< operator (e.g., cout << setfill(':') << left << setw(5) <<...). They are:
setw() manipulator (in <iomanip> header) to set the field width.
setfill() manipulator (in <iomanip> header) to set the fill character
left|right|internal manipulator (in <iostream> header) to set the text alignment.

The default field-width is 0, i.e., just enough space to display the value. C++ never truncates data, and will expand the field to display the en�re value if the field-
width is too small. The setw() opera�on is non-s�cky. That is, it is applicable only to the next IO opera�on, and reset back to 0 a�er the opera�on. The field-
width property is applicable to both output and input opera�ons.

Except setw(), all the other IO manipulators are s�cky, i.e., they take effect un�l a new value is set.

// Test setw() - need <iomanip>


cout << "|" << setw(5) << 123 << "|" << 123 << endl; // | 123|123
// setw() is non-sticky. "|" and 123 displayed with default width
cout << "|" << setw(5) << -123 << "|" << endl; // | -123|123
// minus sign is included in field width
cout << "|" << setw(5) << 1234567 << "|" << endl; // |1234567|
// no truncation of data

// Test setfill() and alignment (left|right|internal)


cout << setfill('_'); // Set the fill character (sticky)
cout << setw(6) << 123 << setw(4) << 12 << endl; // ___123__12
cout << left; // left align (sticky)
cout << setw(6) << 123 << setw(4) << 12 << endl; // 123___12__

Example: Alignment

cout << showpos; // show positive sign


cout << '|' << setw(6) << 123 << '|' << endl; // | +123| (default alignment)
cout << left << '|' << setw(6) << 123 << '|' << endl; // |+123 |
cout << right << '|' << setw(6) << 123 << '|' << endl; // | +123|
cout << internal << '|' << setw(6) << 123 << '|' << endl; // |+ 123|

The internal alignment le�-align the sign, but right-align the number, as illustrated.

[TODO] Example of field-width for input opera�ons

6 of 11 22/03/2020, 19:50
C++ IO Streams and File Input/Output https://www3.ntu.edu.sg/home/ehchua/programming/cpp/cp10_IO.html

You can also use ostream's member func�on width() (e.g. cout.width(n)) to set the field width, but width() cannot be used with cout <<
operator.

Floating-point Format (fixed|scientific) and Precision (setprecision)


The IO stream superclass ios_base also maintains data member for the floa�ng-point precision and display format; and provides member func�ons (such as
precision()) for manipula�ng them.

Again, it is more convenience to use IO manipulators, which can be concatenated in <<. They are:
setprecision() manipulator (in <iomanip> header) to set the precision of floa�ng-point number.
fixed|scientific manipulators (in <iostream> header) to set the floa�ng-point display format.

Floa�ng point number can be display in 3 forma�ng modes: default|fixed|scientific. The precision is interpreted differently in default and non-
default modes (due to legacy).
In default mode (neither fixed nor scientific used), a floa�ng-point number is displayed in fixed-point nota�on (e.g., 12.34) for exponent in the
range of [-4, 5]; and scien�fic nota�on (e.g., 1.2e+006) otherwise. The precision in default mode includes digits before and a�er the decimal point
but exclude the leading zeros. Fewer digits might be shown as the trailing zeros are not displayed. The default precision is 6. See the earlier examples for
default mode with default precision of 6.
As men�oned, the trailing zeros are not displayed in default mode, you can use manipulator showpoint|noshowpoint to show or hide the trailing
zeros.
In both fixed (e.g., 12.34) and scientific (e.g., 1.2e+006), the precision sets the number of digits a�er decimal point. The default precision is
also 6.

For examples,

// default floating-point format


cout << "|" << 123.456789 << "|" << endl; // |123.457| (fixed-point format)
// default precision is 6, i.e., 6 digits before and after the decimal point
cout << "|" << 1234567.89 << "|" << endl; // |1.23457e+006| (scientific-notation for e>=6)
// default precision is 6, i.e., 6 digits before and after the decimal point

// showpoint - show trailing zeros in default mode


cout << showpoint << 123. << "," << 123.4 << endl; // 123.000,123.400
cout << noshowpoint << 123. << endl; // 123

// fixed-point formatting
cout << fixed;
cout << "|" << 1234567.89 << "|" << endl; // |1234567.890000|
// default precision is 6, i.e., 6 digits after the decimal point

// scientific formatting
cout << scientific;
cout << "|" << 1234567.89 << "|" << endl; // |1.234568e+006|
// default precision is 6, i.e., 6 digits after the decimal point

// Test precision
cout << fixed << setprecision(2); // sticky
cout << "|" << 123.456789 << "|" << endl; // |123.46|
cout << "|" << 123. << "|" << endl; // |123.00|

cout << setprecision(0);


cout << "|" << 123.456789 << "|" << endl; // |123|

You can also use ostream's member func�on precision(n) (e.g. cout.precision(n)) to set the floa�ng-point precision, but precision() cannot
be used with cout << operator.

Integral Number Base (dec|oct|hex, setbase)


C++ support number bases (radixes) of decimal, hexadecimal and octal. You can use the following manipulators (defined in ios_base class, included in
<iostream> header) to manipulate the integral number base:
hex|dec|oct: Set the integral number base. Nega�ve hex and oct are displayed in 2's complement format. Alterna�vely, you can use
setbase(8|10|16) (in header <iomanip>).
showbase|noshowbase: write hex values with 0x prefix; and oct values with 0 prefix.
showpos|noshowpos: write posi�ve dec value with + sign.
uppercase|nouppercase: write uppercase in certain inser�on opera�ons, e.g., hex digits. It does not convert characters or strings to uppercase!

These manipulators are s�cky.

For examples,

cout << 1234 << endl; // 1234 (default is dec)


cout << hex << 1234 << endl; // 4d2
cout << 1234 << "," << -1234 << endl; // 4d2,fffffb2e
// (hex is sticky, negative number in 2's complement)
cout << oct << 1234 << endl; // 2322
cout << 1234 << "," << -1234 << endl; // 2322,37777775456

7 of 11 22/03/2020, 19:50
C++ IO Streams and File Input/Output https://www3.ntu.edu.sg/home/ehchua/programming/cpp/cp10_IO.html

cout << setbase(10) << 1234 << endl; // 1234 (setbase requires <iomanip> header)

// showbase - show hex with 0x prefix; oct with 0 prefix


cout << showbase << 123 << "," << hex << 123 << "," << oct << 123 << endl; // 123,0x7b,0173
cout << noshowbase << dec;

// showpos - show dec's plus (+) sign


cout << showpos << 123 << endl; // +123

// uppercase - display in uppercase (e.g., hex digits)


cout << uppercase << hex << 123 << endl; // 7B

bool values (boolalpha|noboolalpha)


boolalpha|noboolalpha: read/write bool value as alphabe�c string true or false.

// boolalpha - display bool as true/false


cout << boolalpha << false << "," << true << endl; // false,true
cout << noboolalpha << false << "," << true << endl; // 0,1

Other manipulators
skipws|noskipws: skip leading white spaces for certain input opera�ons.
unitbuf|nounibuf: flush output a�er each inser�on opera�on.

Notes
You need to include the <iomanip> header for setw(), setprecision(), setfill(), and setbase().
You can use ios_base's (in <iostream> header) member func�ons setf() and unsetf() to set the individual forma�ng flags. However, they are
not as user-friendly as using manipulators as discussed above. Furthermore, they cannot be used with cout << operator.

1.11 The C++ string class Input/Output


[TODO]

2. File Input/Output (Header <fstream>)


C++ handles file IO similar to standard IO. In header <fstream>, the class ofstream is a subclass of ostream; ifstream is a subclass of istream; and
fstream is a subclass of iostream for bi-direc�onal IO. You need to include both <iostream> and <fstream> headers in your program for file IO.

To write to a file, you construct a ofsteam object connec�ng to the output file, and use the ostream func�ons such as stream inser�on <<, put() and
write(). Similarly, to read from an input file, construct an ifstream object connec�ng to the input file, and use the istream func�ons such as stream
extrac�on >>, get(), getline() and read().

File IO requires an addi�onal step to connect the file to the stream (i.e., file open) and disconnect from the stream (i.e., file close).

2.1 File Output


The steps are:
1. Construct an ostream object.
2. Connect it to a file (i.e., file open) and set the mode of file opera�on (e.g, truncate, append).
3. Perform output opera�on via inser�on >> operator or write(), put() func�ons.
4. Disconnect (close the file which flushes the output buffer) and free the ostream object.

#include <fstream>
.......
ofstream fout;
fout.open(filename, mode);
......
fout.close();

// OR combine declaration and open()


ofstream fout(filename, mode);

By default, opening an output file creates a new file if the filename does not exist; or truncates it (clear its content) and starts wri�ng as an empty file.

open(), close() and is_open()


void open (const char* filename,
ios::openmode mode = ios::in | ios::out);
// open() accepts only C-string. For string object, need to use c_str() to get the C-string

void close (); // Closes the file, flush the buffer and disconnect from stream object

8 of 11 22/03/2020, 19:50
C++ IO Streams and File Input/Output https://www3.ntu.edu.sg/home/ehchua/programming/cpp/cp10_IO.html

bool is_open (); // Returns true if the file is successfully opened

File Modes
File modes are defined as sta�c public member in ios_base superclass. They can be referenced from ios_base or its subclasses - we typically use subclass
ios. The available file mode flags are:
1. ios::in - open file for input opera�on
2. ios::out - open file for output opera�on
3. ios::app - output appends at the end of the file.
4. ios::trunc - truncate the file and discard old contents.
5. ios::binary - for binary (raw byte) IO opera�on, instead of character-based.
6. ios::ate - posi�on the file pointer "at the end" for input/output.

You can set mul�ple flags via bit-or (|) operator, e.g., ios::out | ios::app to append output at the end of the file.

For output, the default is ios::out | ios::trunc. For input, the default is ios::in.

2.2 File Input


The steps are:
1. Construct an istream object.
2. Connect it to a file (i.e., file open) and set the mode of file opera�on.
3. Perform output opera�on via extrac�on << operator or read(), get(), getline() func�ons.
4. Disconnect (close the file) and free the istream object.

#include <fstream>
.......
ifstream fin;
fin.open(filename, mode);
......
fin.close();

// OR combine declaration and open()


ifstream fin(filename, mode);

By default, opening an input file ....

2.3 Example on Simple File IO


1 /* Testing Simple File IO (TestSimpleFileIO.cpp) */
2 #include <iostream>
3 #include <fstream>
4 #include <cstdlib>
5 #include <string>
6 using namespace std;
7
8 int main() {
9 string filename = "test.txt";
10
11 // Write to File
12 ofstream fout(filename.c_str()); // default mode is ios::out | ios::trunc
13 if (!fout) {
14 cerr << "error: open file for output failed!" << endl;
15 abort(); // in <cstdlib> header
16 }
17 fout << "apple" << endl;
18 fout << "orange" << endl;
19 fout << "banana" << endl;
20 fout.close();
21
22 // Read from file
23 ifstream fin(filename.c_str()); // default mode ios::in
24 if (!fin) {
25 cerr << "error: open file for input failed!" << endl;
26 abort();
27 }
28 char ch;
29 while (fin.get(ch)) { // till end-of-file
30 cout << ch;
31 }
32 fin.close();
33 return 0;

9 of 11 22/03/2020, 19:50
C++ IO Streams and File Input/Output https://www3.ntu.edu.sg/home/ehchua/programming/cpp/cp10_IO.html

34 }

Program Notes:
Most of the <fstream> func�ons (such as constructors, open()) supports filename in C-string only. You may need to extract the C-string from string
object via the c_str() member func�on.
You could use is_open() to check if the file is opened successfully.
The get(char &) func�on returns a null pointer (converted to false) when it reaches end-of-file.

2.4 Binary file, read() and write()


We need to use read() and write() member func�ons for binary file (file mode of ios::binary), which read/write raw bytes without interpre�ng the
bytes.

1 /* Testing Binary File IO (TestBinaryFileIO.cpp) */


2 #include <iostream>
3 #include <fstream>
4 #include <cstdlib>
5 #include <string>
6 using namespace std;
7
8 int main() {
9 string filename = "test.bin";
10
11 // Write to File
12 ofstream fout(filename.c_str(), ios::out | ios::binary);
13 if (!fout.is_open()) {
14 cerr << "error: open file for output failed!" << endl;
15 abort();
16 }
17 int i = 1234;
18 double d = 12.34;
19 fout.write((char *)&i, sizeof(int));
20 fout.write((char *)&d, sizeof(double));
21 fout.close();
22
23 // Read from file
24 ifstream fin(filename.c_str(), ios::in | ios::binary);
25 if (!fin.is_open()) {
26 cerr << "error: open file for input failed!" << endl;
27 abort();
28 }
29 int i_in;
30 double d_in;
31 fin.read((char *)&i_in, sizeof(int));
32 cout << i_in << endl;
33 fin.read((char *)&d_in, sizeof(double));
34 cout << d_in << endl;
35 fin.close();
36 return 0;
37 }

2.5 Random Access File


Random access file is associated with a file pointer, which can be moved directly to any loca�on in the file. Random access is crucial in certain applica�ons such
as databases and indexes.

You can posi�on the input pointer via seekg() and output pointer via seekp(). Each of them has two versions: absolute and rela�ve posi�oning.

// Input file pointer (g for get)


istream & seekg (streampos pos); // absolute position relative to beginning
istream & seekg (streamoff offset, ios::seekdir way);
// with offset (positive or negative) relative to seekdir:
// ios::beg (beginning), ios::cur (current), ios::end (end)
streampos tellg (); // Returns the position of input pointer

// Output file pointer (p for put)


ostream & seekp (streampos pos); // absolute
ostream & seekp (streamoff offset, ios::seekdir way); // relative
streampos tellp (); // Returns the position of output pointer

Random access file is typically process as binary file, in both input and output modes.

[TODO] Example

10 of 11 22/03/2020, 19:50
C++ IO Streams and File Input/Output https://www3.ntu.edu.sg/home/ehchua/programming/cpp/cp10_IO.html

3. String Streams
C++ provides a <sstream> header, which uses the same public interface to support IO between a program and string object (buffer).

The string streams is based on ostringstream (subclass of ostream), istringstream (subclass of istream) and bi-direc�onal stringstream
(subclass of iostream).

typedef basic_istringstream<char> istringstream;


typedef basic_ostringstream<char> ostringstream;

Stream input can be used to validate input data; stream output can be used to format the output.

ostringstream
explicit ostringstream (ios::openmode mode = ios::out); // default with empty string
explicit ostringstream (const string & buf,
ios::openmode mode = ios::out); // with initial str

string str () const; // Get contents


void str (const string & str); // Set contents

For example,

// construct output string stream (buffer) - need <sstream> header


ostringstream sout;

// Write into string buffer


sout << "apple" << endl;
sout << "orange" << endl;
sout << "banana" << endl;

// Get contents
cout << sout.str() << endl;

The ostringstream is responsible for dynamic memory alloca�on and management.

istringstream
explicit istringstream (ios::openmode mode = ios::in); // default with empty string
explicit istringstream (const string & buf,
ios::openmode mode = ios::in); // with initial string

For example,

// construct input string stream (buffer) - need <sstream> header


istringstream sin("123 12.34 hello");

// Read from buffer


int i;
double d;
string s;
sin >> i >> d >> s;
cout << i << "," << d << "," << s << endl;

Link to "C++ Language References & Resources"

Latest version tested: GNU GCC 4.6.2


Last modified: May, 2013

Feedback, comments, corrections, and errata can be sent to Chua Hock-Chuan (ehchua@ntu.edu.sg) | HOME

11 of 11 22/03/2020, 19:50

You might also like