KEMBAR78
C++ Getting Started | PDF | Control Flow | Data Type
0% found this document useful (0 votes)
82 views31 pages

C++ Getting Started

The document provides an overview of getting started with C++ programming including: 1) C++ compilers convert source code into executable object files by preprocessing, compiling, and linking the code. 2) A simple "Hello World" program is presented to demonstrate the basic structure and components of a C++ program including comments, headers, functions, and output statements. 3) Variables are introduced as symbolic names that allocate memory locations to store data, allowing programs to perform calculations on input values and display output. 4) Key elements of C++ like identifiers, keywords, and character sets are defined to establish the basic building blocks of the language.

Uploaded by

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

C++ Getting Started

The document provides an overview of getting started with C++ programming including: 1) C++ compilers convert source code into executable object files by preprocessing, compiling, and linking the code. 2) A simple "Hello World" program is presented to demonstrate the basic structure and components of a C++ program including comments, headers, functions, and output statements. 3) Variables are introduced as symbolic names that allocate memory locations to store data, allowing programs to perform calculations on input values and display output. 4) Key elements of C++ like identifiers, keywords, and character sets are defined to establish the basic building blocks of the language.

Uploaded by

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

Getting Started

A computer cannot understand our language that we use in our day to day conversations,
and likewise, we cannot understand the binary language that the computer uses to do it’s
tasks. It is therefore necessary for us to write instructions in some specially defined
language like C++ which is like natural language and after converting with the help of
compiler the computer can understand it.

C++ Compiler

A C++ compiler is itself a computer program which’s only job is to convert the C++ program
from our form to a form the computer can read and execute. The original C++ program is
called the “source code”, and the resulting compiled code produced by the compiler is
usually called an “object file”.

Before compilation the preprocessor performs preliminary operations on C++ source files.
Preprocessed form of the source code is sent to compiler.

After compilation stage object files are combined with predefined libraries by a linker,
sometimes called a binder, to produce the final complete file that can be executed by the
computer. A library is a collection of pre-compiled “object code” that provides operations
that are done repeatedly by many computer programs.

1
First program is C++

// This is my first program is C++


/* this program will illustrate different components of
a simple program in C++ */

#include <iostream>
using namespace std;

int main()
{
cout << "Hello World!";
return 0;
}

When the above program is compiled, linked and executed, the following output is displayed
on the VDU screen.

Hello World!

Various components of this program are discussed below:

Comments

First three lines of the above program are comments and are ignored by the compiler.
Comments are included in a program to make it more readable. If a comment is short and
can be accommodated in a single line, then it is started with double slash sequence in the
first line of the program. However, if there are multiple lines in a comment, it is enclosed
between the two symbols /* and */

#include <iostream>

The line in the above program that start with # symbol are called directives and are
instructions to the compiler. The word include with '#' tells the compiler to include the file
iostream into the file of the above program. File iostream is a header file needed for input/
output requirements of the program. Therefore, this file has been included at the top of the
program.

using namespace std;

All the elements of the standard C++ library are declared within std. This line is very
frequent in C++ programs that use the standard library.

int main ( )

The word main is a function name. The brackets ( ) with main tells that main ( ) is a
function. The word int before main ( ) indicates that integer value is being returned by the
function main (). When program is loaded in the memory, the control is handed over to
function main ( ) and it is the first function to be executed.
2
Curly bracket and body of the function main ( )

A C++ program starts with function called main(). The body of the function is enclosed
between curly braces. The program statements are written within the brackets. Each
statement must end by a semicolon, without which an error message in generated.

cout<<"Hello World!";

This statement prints our "Hello World!" message on the screen. cout understands that
anything sent to it via the << operator should be printed on the screen.

return 0;

This is a new type of statement, called a return statement. When a program finishes
running, it sends a value to the operating system. This particular return statement returns
the value of 0 to the operating system, which means “everything went okay!”.

Printing Multiple Lines of Text with a Single Statement

/* This program illustrates how to print multiple lines of text


with a single statement */

#include <iostream>
using namespace std;

int main()
{
cout << "Welcome\nto\nC++";
return 0;
}

Output:

Welcome
to
C++

The characters print exactly as they appear between the double quotes. However, if we type
\n, the characters \n are not printed on the screen. The backslash (\) is called an escape
character. It indicates that a "special" character is to be output. When a backslash is
encountered in a string of characters, the next character is combined with the backslash to
form an escape sequence. The escape sequence \n means newline. It causes the cursor
to move to the beginning of the next line on the screen.

3
The following table gives a listing of common escape sequences.

Escape Sequence Description


\n Newline
\t Horizontal tab
\a Bell (beep)
\\ Backslash
\' Single quote
\'' Double quote

Variable: Memory Concept

Programs shown in the previous section print text on the screen. This section will introduce
the concept of variable so that our program can perform calculation on data.

Program : Adding two numbers

We'll solve this problem in C++ with the following steps:

STEP 1 : Allocate memory for storing three numbers.


STEP 2 : Store first number in computer memory.
STEP 3 : Store second number in computer memory.
STEP 4 : Add these two numbers together and store the result of the addition in a third
memory location.
STEP 5 : Print the result.

STEP 1 : Now first we'll allocate memory for storing numbers.

Location of the computer memory which is used to store data and is given a symbolic name
for reference is known as variable. We need three variables, two for storing input and third
for storing result. Before a variable is used in a program, we must declare it. This activity
enables the compiler to make available the appropriate type of location in the memory.
Following statements declare three variables of type integer to store whole numbers.

int x;
int y;
int z;

You can declare more than one variable of same type in a single statement like : int x, y, z;

STEP 2: Following statement stores value in first variable.


4
x = 25;

STEP 3: Following statement stores value in second variable.

y = 10;

STEP 4: Now, add these two numbers together and store the result of the addition in third
variable.

z = x + y;

STEP 5: Print the result.

cout << "The sum is ";


cout << sum;

You can combine above two statements in one statement.


cout << "The sum is " << sum;

here, is the complete program.

#include <iostream>
using namespace std;

int main()
{
//declare variables of integer type
int x;
int y;
int z;

//storing value in variables


x = 25;
y = 10;

//adding numbers and store the result in sum


z = x + y;

//print the result


cout << "The sum is ";
cout << z;

return 0;
}

Output : The sum is 35

Identifiers

Symbolic names can be used in C++ for various data items used by a programmer in his
program. A symbolic name is generally known as an identifier. The identifier is a sequence

5
of characters taken from C++ character set. In previous program x, y and z are identifiers
of variables. The rules for the formation of an identifier are:

 An identifier can consist of alphabets, digits and/or underscores.


 It must not start with a digit
 C++ is case sensitive that is upper case and lower case letters are considered
different from each other.
 It should not be a reserved word.

Keywords

There are some reserved words in C++ which have predefined meaning to compiler called
keywords. These words may not be used as identifiers. Some commonly used Keywords are
given below:

asm auto bool break case


catch char class const const_cast
continue default delete do double
dynamic_cast else enum explicit export
extern false float for friend
goto if inline int long
mutable namespace new operator private
protected public register reinterpret_cast return
short signed sizeof static static_cast
struct switch template this throw
true try typedef typeid typename
union unsigned using virtual void
volatile wchar_t while

C++ Basic Elements

Programming language is a set of rules, symbols, and special words used to construct
programs. There are certain elements that are common to all programming languages. Now,
we will discuss these elements in brief:

C++ Character Set

Character set is a set of valid characters that a language can recognize.

6
Letters A-Z, a-z

Digits 0-9

Space + - * / ^ \ () [] {} = != <>
Special Characters
‘ “ $ , ; : % ! & ? _ # <= >= @
backspace, horizontal tab, vertical
Formatting characters
tab, form feed, and carriage return

Tokens

A token is a group of characters that logically belong together. The programmer can write a
program by using tokens. C++ uses the following types of tokens. Keywords, Identifiers,
Literals, Punctuators, Operators.

1. Keywords

These are some reserved words in C++ which have predefined meaning to compiler called
keywords. It is discussed in previous section.

2. Identifiers

Symbolic names can be used in C++ for various data items used by a programmer in his
program. A symbolic name is generally known as an identifier. The identifier is a sequence
of characters taken from C++ character set. The rule for the formation of an identifier are:

 An identifier can consist of alphabets, digits and/or underscores.


 It must not start with a digit
 C++ is case sensitive that is upper case and lower case letters are considered
different from each other.
 It should not be a reserved word.

3. Literals

Literals (often referred to as constants) are data items that never change their value during
the execution of the program. The following types of literals are available in C++.

 Integer-Constants
 Character-constants
 Floating-constants
 Strings-constants

Integer Constants

Integer constants are whole number without any fractional part. C++ allows three types of
integer constants.
7
Decimal integer constants : It consists of sequence of digits and should not begin with 0
(zero). For example 124, - 179, +108.
Octal integer constants: It consists of sequence of digits starting with 0 (zero). For
example. 014, 012.
Hexadecimal integer constant: It consists of sequence of digits preceded by ox or OX.

Character constants

A character constant in C++ must contain one or more characters and must be enclosed in
single quotation marks. For example 'A', '9', etc. C++ allows nongraphic characters which
cannot be typed directly from keyboard, e.g., backspace, tab, carriage return etc. These
characters can be represented by using an escape sequence. An escape sequence
represents a single character.

Floating constants

They are also called real constants. They are numbers having fractional parts. They may be
written in fractional form or exponent form. A real constant in fractional form consists of
signed or unsigned digits including a decimal point between digits. For example 3.0, -17.0, -
0.627 etc.

String Literals

A sequence of character enclosed within double quotes is called a string literal. String literal
is by default (automatically) added with a special character ‘\0' which denotes the end of the
string. Therefore the size of the string is increased by one character. For example
"COMPUTER" will re represented as "COMPUTER\0" in the memory and its size is 9
characters.

4. Punctuators

The following characters are used as Opening and closing brackets indicate
punctuators in C++. Brackets [ ] single and multidimensional array subscript.
Opening and closing brackets indicate
Parentheses ( ) functions calls,; function parameters for
grouping expressions etc.
Opening and closing braces indicate the
Braces { }
start and end of a compound statement.

It is used as a separator in a function


Comma ,
argument list.

Semicolon ; It is used as a statement terminator.

It indicates a labeled statement or


Colon :
conditional operator symbol.

8
It is used in pointer declaration or as
Asterisk *
multiplication operator.

Equal sign = It is used as an assignment operator.

Pound sign # It is used as pre-processor directive.

5. Operators

Operators are special symbols used for specific purposes. C++ provides six types of
operators.

Arithmetical operators, Relational operators, Logical operators, Unary operators, Assignment


operators, Conditional operators, Comma operator.

Arithmetical operators

Arithmetical operators +, -, *, /, and % are used to performs an arithmetic (numeric)


operation. You can use the operators +, -, *, and / with both integral and floating-point data
types. Modulus or remainder % operator is used only with the integral data type. Operators
that have two operands are called binary operators.

Relational operators

The relational operators are used to test the relation between two values. All relational
operators are binary operators and therefore require two operands. A relational expression
returns zero when the relation is false and a non-zero when it is true. The following table
shows the relational operators.

Relational Operators Meaning

< Less than

<= Less than or equal to

== Equal to

> Greater than

>= Greater than or equal to

!= Not equal to

Logical operators

9
The logical operators are used to combine one or more relational expression. The logical
operators are:

Operators Meaning
|| OR
&& AND
! NOT
Unary operators

C++ provides two unary operators for which only one variable is required.

For Example:

a = - 50;
a = + 50;

Here plus sign (+) and minus sign (-) are unary because they are not used between two
variables.

Assignment operator

The assignment operator '=' is used for assigning a variable to a value. This operator takes
the expression on its right-hand-side and places it into the variable on its left-hand-side. For
example:

m = 5;

The operator takes the expression on the right, 5, and stores it in the variable on the left,
m.

x = y = z = 32;

This code stores the value 32 in each of the three variables x, y, and z.

In addition to standard assignment operator shown above, C++ also support compound
assignment operators.

Compound Assignment Operators

Operator Example Equivalent to


+= A+=2 A=A+2
-= A-=2 A=A-2
%= A%=2 A=A%2

10
/= A/ = 2 A=A/2
*= A*=2 A=A*2

Increment and Decrement Operators

C++ provides two special operators viz '++' and '--' for incrementing and decrementing the
value of a variable by 1. The increment/decrement operator can be used with any type of
variable but it cannot be used with any constant. Increment and decrement operators each
have two forms, pre and post.

The syntax of the increment operator is:

Pre-increment: ++variable
Post-increment: variable++

The syntax of the decrement operator is:

Pre-decrement: ––variable
Post-decrement: variable––

In Prefix form first variable is first incremented/decremented, then evaluated In Postfix form
first variable is first evaluated, then incremented/decremented

int x, y;
int i = 10, j = 10;
x = ++i; //add one to i, store the result back in x
y = j++; //store the value of j to y then add one to j
cout << x; //11
cout << y; //10

Conditional operator

The conditional operator ?: is called ternary operator as it requires three operands.


The format of the conditional operator is:

Conditional_ expression ? expression1 : expression2;

If the value of conditional expression is true then the expression1 is evaluated, otherwise
expression2 is evaluated.

int a = 5, b = 6;
big = (a > b) ? a : b;

The condition evaluates to false, therefore big gets the value from b and it becomes 6.

11
The comma operator

The comma operator gives left to right evaluation of expressions. When the set of
expressions has to be evaluated for a value, only the rightmost expression is considered.

int a = 1, b = 2, c = 3, i; // comma acts as separator, not as an operator


i = (a, b); // stores b into i

Would first assign the value of a to i, and then assign value of b to variable i. So, at the end,
variable i would contain the value 2.

The sizeof operator

As we know that different types of Variables, constant, etc. require different amounts of
memory to store them The sizeof operator can be used to find how many bytes are required
for an object to store in memory. For example:

sizeof (char) returns 1


sizeof (float) returns 4

the sizeof operator determines the amount of memory required for an object at compile time
rather than at run time.

The order of Precedence

The order in which the Arithmetic operators (+,-,*,/,%) are used in a. given expression is
called the order of precedence. The following table shows the order of precedence.

Order Operators
First ()
Second *, /, %
Third +, -

The following table shows the precedence of operators.

++, --(post increment/decrement) Highest


++ (Pre increment) -- (Pre decrement),
sizeof ( ), !(not), -(unary), +(unary) To
*,/, %

12
+, - Lowest

<, <=, >, >=


==,!=
&&
?:
=
Comma operator

Data Handling

Basic Data Types

C++ supports a large number of data types. The built in or basic data types supported by
C++ are integer, floating point and character. C++ also provides the data type bool for
variables that can hold only the values true and false.

Some commonly used data types are summarized in table along with description.

Type Description
int Small integer number

long int Large integer number

float Small real number


Double precision real
double
number
Long double precision
long double
real number
char A Single Character

The exact sizes and ranges of values for the fundamental types are implementation
dependent. The header files <climits> (for the integral types) and <cfloat> (for the floating-
point types) specify the ranges of values supported on your system.

C++ string Class

Because a char variable can store only one character in its memory location, another data
type is needed for a variable able to hold an entire string. While C++ does not have a builtin
data type able to do this, Standard C++ provides string class that allows the programmer to
create a string type variable.

13
in order to declare and use objects (variables) of this type we need to include an additional
header file in our source code: <string>

// This program demonstrates the string class.

#include <iostream>
#include <string> // Required for the string class.
using namespace std;

int main ()
{
string mystring = "This is a string";
cout << mystring;
return 0;
}

Variable Initialization

Variable is a location in the computer memory which can store data and is given a symbolic
name for easy reference. The variables can be used to hold different values at different
times during the execution of a program.

Declaration of a variable

Before a variable is used in a program, we must declare it. This activity enables the compiler
to make available the appropriate type of location in the memory.

float total;

You can declare more than one variable of same type in a single statement.

int x, y;

Initialization of variable

When we declare a variable it's default value is undetermined. We can declare a variable
with some initial value.

int a = 20;
The other way to initialize variables, known as constructor initialization, is done by enclosing
the initial value between parentheses () : For example:

int a (0);

Both ways of initializing variables are equivalent in C++.


Constants

A variable which does not change its value during execution of a program is known as a
constant variable. Any attempt to change the value of a constant will result in an error

14
message. A constant in C++ can be of any of the basic data types, const qualifier can be
used to declare constant as shown below:

const float PI = 3.1415;

The above declaration means that PI is a constant of float types having a value 3.1415.
Examples of valid constant declarations are:

const int RATE = 50;


const float PI = 3.1415;
const char CH = 'A';

Type Conversion

The process in which one pre-defined type of expression is converted into another type is
called conversion. There are two types of conversion in C++.
1. Implicit conversion
2. Explicit conversion
Implicit conversion Data type can be mixed in the expression. For example:

double a;
int b = 5;
float c = 8.5;
a = b * c;
When two operands of different type are encountered in the same expression, the lower
type variable is converted to the higher type variable. The following table shows the order of
data types.

Order of data types

Data type order

long Double (highest)


double
To
float
(lowest)
long
int
char

15
The int value of b is converted to type float and stored in a temporary variable before being
multiplied by the float variable c. The result is then converted to double so that it can be
assigned to the double variable a.

Explicit conversion

It is also called type casting. It temporarily changes a variable data type from its declared
data type to a new one. It may be noted here that type casting can only be done on the
right hand side the assignment statement.

totalPay = static_cast<double>(salary) + bonus;

Initially variable salary is defined as float but for the above calculation it is first converted to
double data type and then added to the variable bonus.

Input/Output (I/O)

The standard C++ library includes the header file iostream, which can be used to feed new
data into the computer or obtain output on an output device such as: VDU, printer etc. The
following C++ stream objects can be used for the input/output purpose.

cout console output


cin console input.

cout object

cout is used to print message on screen in conjunction with the insertion operator <<

cout << "Hello World"; // prints Hello world on screen


cout << 250; // prints number 250 on screen
cout << sum; // prints the content of variable sum on screen

To print constant strings of characters we must enclose them between double quotes ("). If
we want to print out a combination of variables and constants, the insertion operator (<<)
may be used more than once in a single statement.

cout << "Area of rectangle is " << area << " square meter" ;

If we assume the area variable to contain the value 24 the output of the previous statement
would be: Area of rectangle is 24 square meters.

cin object

16
cin can be used to input a value entered by the user from the keyboard. However, the
extraction operator >> is also required to get the typed value from cin and store it in the
memory location. Let us consider the following program segment:

int marks;
cin >> marks;

In the above segment, the user has defined a variable mark of integer type in the first
statement and in the second statement he is trying to read a value from the keyboard.

// input output example


#include <iostream>
using namespace std;
int main ()
{
int length;
int breadth;
int area;
cout << "Please enter length of rectangle: ";
cin >> length;
cout << "Please enter breadth of rectangle: ";
cin >> breadth;
area = length * breadth;
cout << "Area of rectangle is " << area;
return 0;
}
Output :

Please enter length of rectangle: 6


Please enter breadth of rectangle: 4
Area of rectangle is 24
You can also use cin to request more than one input from the user:

cin >> length >> breadth;


is equivalent to:
cin >> length;
cin >> breadth;

cin and strings

We can use cin to get strings with the extraction operator (>>) as we do with fundamental
data type variables:

cin >> mystring;

However, cin extraction stops reading as soon as if finds any blank space character, so in
this case we will be able to get just one word for each extraction. For example if we want to
get a sentence from the user, this extraction operation would not be useful. In order to get
entire lines, we can use the function getline, which is the more recommendable way to get
user input with cin:
17
// cin and strings
#include <iostream>
#include <string>
using namespace std;
int main ()
{
string name;
cout << "Enter your name";
getline (cin, name);
cout << "Hello " << name << "!\n";
return 0;
}

Output

Enter your name : Aniket Rajput


Hello Aniket Rajput!

Flow of Control

Statements

Statements are the instructions given to the computer to perform any kind of action. Action
may be in the form of data movement, decision making etc. Statements form the smallest
executable unit within a C++ program. Statements are always terminated by semicolon.

Compound Statement

A compound statement is a grouping of statements in which each individual statement ends


with a semi-colon. The group of statements is called block. Compound statements are
enclosed between the pair of braces ({}.). The opening brace ({) signifies the beginning and
closing brace (}) signifies the end of the block.

Null Statement

Writing only a semicolon indicates a null statement. Thus ';' is a null or empty statement.
This is quite useful when the syntax of the language needs to specify a statement but the
logic of the program does not need any statement. This statement is generally used in for
and while looping statements.

Conditional Statements

Sometimes the program needs to be executed depending upon a particular condition. C++
provides the following statements for implementing the selection control structure.

 if statement
18
 if else statement
 nested if statement
 switch statement

if statement

syntax of the if statement

if (condition) { statement(s); }

From the flowchart it is clear that if the if condition is true, statement is executed; otherwise it is
skipped. The statement may either be a single or compound statement.

if else statement

syntax of the if - else statement

if (condition)
statement1;
else
statement2;

From the above flowchart it is clear that the given condition is evaluated first. If the condition is
true, statement1 is executed. If the condition is false, statement2 is executed. It should be kept
in mind that statement and statement2 can be single or compound statement.

if example if else example


if (x == 100) if (x == 100)
cout << "x is 100"; cout << "x is 100";
else
cout << "x is not 100";

Nested if statement
The if block may be nested in another if or else block. This is called nesting of if or else
block.

syntax of the nested if statement

if(condition 1)
{
if(condition 2)
{
statement(s);

19
}
}

if(condition 1)
statement 1;
else if (condition 2)
statement2;
else
statement3;

if-else-if example

if(percentage>=60)
cout<<"Ist division";
else if(percentage>=50)
cout<<"IInd division";
else if(percentage>=40)
cout<<"IIIrd division";
else
cout<<"Fail" ;

switch statement

The if and if-else statements permit two way branching whereas switch statement permits
multiple branching. The syntax of switch statement is:

switch (var / expression)


{
case constant1 : statement 1; break;
case constant2 : statement2; break;
.
.
default: statement3; break;
}

The execution of switch statement begins with the evaluation of expression. If the value of
expression matches with the constant then the statements following this statement execute
sequentially till it executes break. The break statement transfers control to the end of the
switch statement. If the value of expression does not match with any constant, the
statement with default is executed.

Some important points about switch statement:

 The expression of switch statement must be of type integer or character type.


 The default case need not to be used at last case. It can be placed at any place.
 The case values need not to be in specific order.

Flow of Control
20
Looping statement

It is also called a Repetitive control structure. Sometimes we require a set of statements to be


executed a number of times by changing the value of one or more variables each time to obtain
a different result. This type of program execution is called looping. C++ provides the following
construct:

 while loop
 do-while loop
 for loop
While loop

Syntax of while loop

while(condition)
{
statement(s);
}

The flow diagram indicates that a condition is first evaluated. If the condition is true, the loop
body is executed and the condition is re-evaluated. Hence, the loop body is executed repeatedly
as long as the condition remains true. As soon as the condition becomes false, it comes out of
the loop and goes to the statement next to the ‘while’ loop.

do-while loop

Syntax of do-while loop

do
{
statements;
} while (condition);

Note: That the loop body is always executed at least once. One important difference
between the while-loop and the do-while loop the relative ordering of the conditional test
21
and loop body execution. In the while loop, the loop repetition test is performed before each
execution the loop body; the loop body is not executed at all if the initial test fail. In the do-
while loop, the loop termination test is performed after each execution of the loop body.
Hence, the loop body is always executed least once.

for loop

It is a count controlled loop in the sense that the program knows in advance how many
times the loop is to be executed.

syntax of for loop

for (initialization; decision; increment/decrement)


{
statement(s);
}

The flow diagram indicates that in for loop three operations take place:
 Initialization of loop control variable
 Testing of loop control variable
 Update the loop control variable either by incrementing or decrementing.

Operation (i) is used to initialize the value. On the other hand, operation (ii) is used to test
whether the condition is true or false. If the condition is true, the program executes the
body of the loop and then the value of loop control variable is updated. Again it checks the
condition and so on. If the condition is false, it gets out of the loop.

Jump Statements

The jump statements unconditionally transfer program control within a function.

 goto statement
 break statement
 continue statement

22
The goto statement

goto allows to make jump to another point in the program.


goto pqr;
pqr: pqr is known as label. It is a user defined identifier. After the execution of goto

statement, the control transfers to the line after label pqr.

The break statement

The break statement, when executed in a switch structure, provides an immediate exit from
the switch structure. Similarly, you can use the break statement in any of the loop. When
the break statement executes in a loop, it immediately exits from the loop.

The continue statement

The continue statement is used in loops and causes a program to skip the rest of the body of
the loop.
while (condition)
{
Statement 1;
If (condition)
continue;
statement;
}
The continue statement skips rest of the loop body and starts a new iteration.

The exit ( ) function

The execution of a program can be stopped at any point with exit ( ) and a status code can
be informed to the calling program. The general format is exit (code); where code is an
integer value. The code has a value 0 for correct execution. The value of the code varies
depending upon the operating system.

C++ Standard Library Function

The C++ Standard Library provides a rich collection of functions for performing common
mathematical calculations, string manipulations, character manipulations, input/output, error
checking and many other useful operations. This makes the programmer's job easier, because these
functions provide many of the capabilities programmers need. The C++ Standard Library functions
are provided as part of the C++ programming environment.

Header file names ending in .h are "old-style" header files that have been superseded by the C++
Standard Library header files.

23
C++ Standard
Explanation
Library header file

Contains function prototypes for the C++ standard input and standard
<iostream>
output functions. This header file replaces header file <iostream.h>.

Contains function prototypes for stream manipulators that format


<iomanip>
streams of data. This header file replaces header file <iomanip.h>.

Contains function prototypes for math library functions. This header file
<cmath>
replaces header file <math.h>.

Contains function prototypes for conversions of numbers to text, text


<cstdlib> to numbers, memory allocation, random numbers and various other
utility functions. This header file replaces header file <stdlib.h>.

Contains function prototypes and types for manipulating the time and
<ctime>
date. This header file replaces header file <time.h>.

Contains function prototypes for functions that test characters for


certain properties (such as whether the character is a digit or a
<cctype> punctuation), and function prototypes for functions that can be used to
convert lowercase letters to uppercase letters and vice versa. This
header file replaces header file <ctype.h>

Contains function prototypes for C-style string-processing functions.


<cstring>
This header file replaces header file <string.h>.

Contains function prototypes for the C-style standard input/output


<cstdio> library functions and information used by them. This header file
replaces header file <stdio.h>.

Contains function prototypes for functions that perform input from files
<fstream> on disk and output to files on disk. This header file replaces header file
<fstream.h>.

Contains the integral size limits of the system. This header file replaces
<climits>
header file <limits.h>.

Contains macros for adding diagnostics that aid program debugging.


<cassert>
This replaces header file <assert.h> from pre-standard C++.

Contains the floating-point size limits of the system. This header file
<cfloat>
replaces header file <float.h>.

<string> Contains the definition of class string from the C++ Standard Library
<vector>, <list>,
<deque>, <queue>, These header files contain classes that implement the C++ Standard
<stack>, <map>, Library containers. Containers store data during a program's execution.
<set>, <bitset>

24
Contains classes for runtime type identification (determining data types
<typeinfo>
at execution time).
<exception>,
These header files contain classes that are used for exception handling.
<stdexcept>
Contains classes and functions used by the C++ Standard Library to
<memory>
allocate memory to the C++ Standard Library containers.
Contains function prototypes for functions that perform input from
<sstream>
strings in memory and output to strings in memory.
Contains classes and functions used by C++ Standard Library
<functional>
algorithms.
Contains classes for accessing data in the C++ Standard Library
<iterator>
containers.
Contains functions for manipulating data in C++ Standard Library
<algorithm>
containers.
Contains classes and functions normally used by stream processing to
process data in the natural form for different languages (e.g.,
<locale>
monetary formats, sorting strings, character presentation, etc.).

Contains classes for defining the numerical data type limits on each
<limits>
computer platform.

Contains classes and functions that are used by many C++ Standard
<utility>
Library header files.

Mathematical Functions
Some of the important mathematical functions in header file <cmath> are:

Function Meaning

sin(x) Sine of an angle x (measured in radians)

cos(x) Cosine of an angle x (measured in radians)

tan(x) Tangent of an angle x (measured in radians)

asin(x) Sin-1 (x) where x (measured in radians)

acos(x) Cos-1 (x) where x (measured in radians)

exp(x) Exponential function of x (ex)

log(x) logarithm of x

log 10(x) Logarithm of number x to the base 10

sqrt(x) Square root of x

25
pow(x, y) x raised to the power y

abs(x) Absolute value of integer number x

fabs(x) Absolute value of real number x

Character Functions

All the character functions require <cctype> header file. The following table lists the function.

Function Meaning

It returns True if C is an uppercase letter and


isalpha(c)
False if c is lowercase.

It returns True if c is a digit (0 through 9)


isdigit(c)
otherwise False.

It returns True if c is a digit from 0 through 9


isalnum(c) or an alphabetic character (either uppercase or
lowercase) otherwise False.

It returns True if C is a lowercase letter


islower(c)
otherwise False.

It returns True if C is an uppercase letter


isupper(c)
otherwise False.

toupper(c) It converts c to uppercase letter.

tolower(c) It converts c to lowercase letter.

Function

A function is a subprogram that acts on data and often returns a value. A program written
with numerous functions is easier to maintain, update and debug than one very long
program. By programming in a modular (functional) fashion, several programmers can work
independently on separate functions which can be assembled at a later date to create the
entire project. Each function has its own name. When that name is encountered in a
program, the execution of the program branches to the body of that function. When the
function is finished, execution returns to the area of the program code from which it was
called, and the program continues on to the next line of code.

Creating User-Defined Functions

Declare the function.

26
The declaration, called the FUNCTION PROTOTYPE, informs the compiler about the
functions to be used in a program, the argument they take and the type of value they
return.

Define the function.

The function definition tells the compiler what task the function will be performing. The
function prototype and the function definition must be same on the return type, the name,
and the parameters. The only difference between the function prototype and the function
header is a semicolon. The function definition consists of the function header and its body.
The header is EXACTLY like the function prototype, EXCEPT that it contains NO terminating
semicolon.

//Prototyping, defining and calling a function


#include <iostream>
using namespace std;

void starline(); // prototype the function


int main()
{
starline( ); // function call
cout<< "\t\tBjarne Stroustrup\n";
starline( ); // function call return 0;
}
// function definition

void starline()
{
int count; // declaring a LOCAL variable
for(count = 1; count <=65; count++)
cout<< "*";
cout<<endl;
}

Argument To A Function

Sometimes the calling function supplies some values to the called function. These are known
as parameters. The variables which supply the values to a calling function called actual
parameters. The variable which receive the value from called statement are termed formal
parameters.

Consider the following example that evaluates the area of a circle.

#include<iostream>
using namespace std;
void area(float);

int main()
{
27
float radius;
cin>>radius;
area(radius);
return 0;
}

void area(float r)
{
cout<< “the area of the circle is”<<3.14*r*r<<”\n”;
}

Here radius is called actual parameter and r is called formal parameter.

Return Type of A Function

// Example program
#include <iostream>
using namespace std;

int timesTwo(int num); // function prototype


int main()
{
int number, response;
cout<<"Please enter a number:";
cin>>number;
response = timesTwo(number); //function call
cout<< "The answer is "<<response;
return 0;
}

//timesTwo function

int timesTwo (int num)


{
int answer; //local variable
answer = 2 * num;
return (answer);
}
Calling Of a Function

The function can be called using either of the following methods:


i) call by value
ii) ii) call by reference.

Call By Value

In call by value method, the called function creates its own copies of original values sent to
it. Any changes, that are made, occur on the function’s copy of values and are not reflected
back to the calling function.

Call By Reference

28
In call be reference method, the called function accesses and works with the original values
using their references. Any changes, that occur, take place on the original values are
reflected back to the calling code.

Consider the following program which will swap the value of two variables.

using call by reference using call by value

#include<iostream> #include<iostream>
using namespace std; using namespace std;

void swap(int &, int &); void swap(int , int );


int main() int main()
{ {
int a=10,b=20; int a=10,b=20;
swap(a,b); swap(a,b);
cout<<a<<" "<<b; cout<<a<<" "<< b;
return 0; return 0;
} }

void swap(int &c, int &d) void swap(int c, int d)

{ {
int t; int t;
t=c; t=c;
c=d; c=d;
d=t; d=t;
} }

output: 20 10 output: 10 20

Function With Default Arguments


C++ allows to call a function without specifying all its arguments. In such cases, the
function assigns a default value to a parameter which does not have a matching. Arguments
in the function call. Default values are specified when the function is declared. The complier
knows from the prototype how many arguments a function uses for calling.

Example : float result(int marks1, int marks2, int marks3=75);


a subsequent function call
average = result(60,70);

passes the value 60 to marks1, 70 to marks2 and lets the function use default value of 75
for marks3.

The function call

average = result(60,70,80);
passes the value 80 to marks3.

Inline Function

29
Functions save memory space because all the calls to the function cause the same code to
be executed. The functions body need not be duplicated in memory. When the complier sees
a function call, it normally jumps to the function. At the end of the function. It normally
jumps back to the statement following the call.

While the sequence of events may save memory space, it takes some extra time. To save
execution time in short functions, inline function is used. Each time there is a function call,
the actual code from the function is inserted instead of a jump to the function. The inline
function is used only for shorter code.

inline int cube(int r)


{
return r*r*r;
}

Some important points to be noted

 Function is made inline by putting a word inline in the beginning.


 Inline function should be declared before main() function.
 It does not have function prototype.
 Only shorter code is used in inline function. If longer code is made inline then
compiler ignores the request and it will be executed as normal function.

Global Variable and Local Variable

Local Variable: A variable declared within the body of a function will be evaluated only
within the function. The portion of the program in which a variable is retained in memory is
known as the scope of the variable. The scope of the local variable is a function where it is
defined. A variable may be local to function or compound statement.

Global Variable: a variable that is declared outside any function is known as a global
variable. The scope of such a variable extends till the end of the program. These variables
are available to all functions which follow their declaration. So it should be defined at the
beginning, before any function is defined. See Assignment Solutions

Unary Scope Resolution Operator (::)

It is possible to declare local and global variables of the same name. C++ provides the
unary scope resolution operator (::) to access a global variable when a local variable of
the same name is in scope. A global variable can be accessed directly without the unary
scope resolution operator if the name of the global variable is not the same as that of a local
variable in scope.

Variables and storage Class

30
The storage class of a variable determines which parts of a program can access it and how
long it stays in existence. The storage class can be classified as automatic register static
external.

Automatic variable

All variables by default are auto i.e. the declarations int a and auto int a are equivalent.
Auto variables retain their scope till the end of the function in which they are defined. An
automatic variable is not created until the function in which it defined is called. When the
function exits and control is returned to the calling program, the variables are destroyed and
their values are lost. The name automatic is used because the variables are automatically
created when a function is called and automatically destroyed when it returns.

Register variable

A register declaration is an auto declaration. A register variable has all the characteristics of
an auto variable. The difference is that register variable provides fast access as they are
stored inside CPU registers rather than in memory.

Static variable

A static variable has the visibility of a local variable but the lifetime of an external variable.
Thus it is visible only inside the function in which it is defined, but it remains in existence for
the life of the program.

External variable

A large program may be written by a number of persons in different files. A variable


declared global in one file will not be available to a function in another file. Such a variable,
if required by functions in both the files, should be declared global in one file and at the
same time declared external in the second file.

31

You might also like