Stream Objects
Input Objects
Output Objects
A stream is a sequence of items with no clear boundary
In C++, a stream is a sequence of bytes
Input streams receive bytes from a source and store it in the application memory
Output streams forward bytes from the application memory into a destination
The iostream
library defines a number of objects and functions to deal with command line inputs and outputs
The fstream
library defines a number of objects and functions to deal with reading/writing from/to files
std::cin
is an object of the class istream
std::cout
is an object of the class ostream
Both initiated when compiling the iostream
library
std::cin
is frequently used with the overloaded extraction operator: >>
(which can be chained)
std::cin >> var
takes a user input and stores in the variable var
The application will try to match the type of the input to the type of var
std::cin
uses whitespaces as separators
#include <iostream>
int main()
{
int i;
char c;
double x;
char s[4];
std::cout << "Enter an integer, a character,"
<< " a double and a string : " << std::endl;
//std::cin >> i;
//std::cin >> c;
//std::cin >> x;
//std::cin >> s;
// or, equivalently
std::cin >> i >> c >> x >> s;
std::cout << "Entered " << i << ' ' << c
<< ' ' << x << ' ' << s << std::endl;
return 0;
}
There can be overflown when reading into a char array
Use std::cin.get(c)
to capture a single character
Use std::cin.get(s, size + 1)
to capture a character array with a specific size
Use std::cin.getline()
to capture strings with spaces
Flush the buffer with std::cin.ignore()
if not sure!