brightkoder.github.io

Basic Input/Output

Here we will learn to use the cin object to take input from the user, and the cout object to display output to the user with the help of examples.

C++ Output

In C++, cout sends formatted output to standard output devices, such as the screen. We use the cout object along with the << operator for displaying output.


>> is insertion operator.


Example 1: String Output
#include <iostream>
using namespace std;

int main() {
    // prints the string enclosed in double quotes
    cout << "This is C++ Programming";
    return 0;
}

Output
This is C++ Programming
How does this program work?

Note: If we don’t include the using namespace std; statement, we need to use std::cout instead of cout.

This is the preferred method as using the std namespace can create potential problems.

However, we have used the std namespace in our tutorials in order to make the codes more readable.

Example
#include <iostream>

int main() {
 // prints the string enclosed in double quotes
   std::cout << "This is C++ Programming";
  return 0;
}
Output

This is C++ Programming


Example 2: Numbers and Characters Output

To print the numbers and character variables, we use the same cout object but without using quotation marks.

#include <iostream>
using namespace std;

int main() {
    int num1 = 70;
    double num2 = 256.783;
    char ch = 'A';

    cout << num1 << endl;    // print integer
    cout << num2 << endl;    // print double
    cout << "character: " << ch << endl;    // print char
    return 0;
}
Output
70
256.783
character: A

Notes:

For example:

cout << "character: " << ch << endl;

C++ Input

In C++, cin takes formatted input from standard input devices such as the keyboard. We use the cin object along with the >> operator for taking input.


<< is extraction operator.


Example 3: Integer Input/Output
#include <iostream>
using namespace std;

int main() {
    int num;
    cout << "Enter an integer: ";
    cin >> num;   // Taking input
    cout << "The number is: " << num;
    return 0;
}
Output
Enter an integer: 70
The number is: 70
In the program, we used

In the program, we used cin >> num; to take input from the user. The input is stored in the variable num. We use the >> operator with cin to take input.


Note: If we don’t include the using namespace std; statement, we need to use std::cin instead of cin.


C++ Taking Multiple Inputs

Example
#include <iostream>
using namespace std;

int main() {
    char a;
    int num;

    cout << "Enter a character and an integer: ";
    cin >> a >> num;

    cout << "Character: " << a << endl;
    cout << "Number: " << num;

    return 0;
}
Output
Enter a character and an integer: F 23
Character: F
Number: 23