Oops Complete Notes
Oops Complete Notes
Class
Object contains data, and code to manipulate that data. The entire set of data and code of an object can
be made a user-defined data type with the help of a class.
Data Encapsulation
The wrapping up of data and functions into a single unit is known as encapsulation.
The data is not accessible to the outside world, only those function which are wrapped in the can access
it.
These functions provide the interface between the object’s data and the program.
This insulation of the data from direct access by the program is called data hiding or information
hiding.
Data Abstraction
Abstraction refers to the act of representing essential features without including the background details
or explanations.
Since classes use the concept of data abstraction, they are known as Abstract Data Types (ADT).
Inheritance
Inheritance is the process by which objects of one class acquire the properties of objects of another
class.
In OOP, the concept of inheritance provides the idea of reusability. This means we can add additional
features to an existing class without modifying it.
Polymorphism
Polymorphism, a Greek term means to ability to take more than one form.
An operation may exhibits different behaviors in different instances. The behavior depends upon the
type of data used in the operation.
For example consider the operation of addition for two numbers; the operation will generate a sum. If
the operands are string then the operation would produce a third string by concatenation.
The process of making an operator to exhibit different behavior in different instances is known
operator overloading.
C C++
C was developed by Dennis Ritchie between the C++ was developed by Bjarne Stroustrup in
year 1969 and 1973 at AT&T Bell Labs. 1979.
C does no support polymorphism, encapsulation, C++ supports polymorphism, encapsulation,
and inheritance which means that C does not and inheritance because it is an object oriented
support object oriented programming. programming language.
C is a subset of C++. C++ is a superset of C.
C contains 32 keywords. C++ contains 52 keywords.
For the development of code, C C++ is known as hybrid language because C++
supports procedural programming. supports both procedural and object oriented
programming paradigms.
Data and functions are separated in C because it is Data and functions are encapsulated together in
a procedural programming language. form of an object in C++.
C does not support information hiding. Data is hidden by the Encapsulation to ensure
that data structures and operators are used as
intended.
Built-in data types is supported in C. Built-in & user-defined data types is supported
in C++.
C is a function driven language because C is a C++ is an object driven language because it is
procedural programming language. an object oriented programming.
Function and operator overloading is not Function and operator overloading is supported
supported in C. by C++.
C is a function-driven language. C++ is an object-driven language
Functions in C are not defined inside structures. Functions can be used inside a structure in C++.
Namespace features are not present inside the C. Namespace is used by C++, which avoid name
collisions.
Header file used by C is stdio.h. Header file used by C++ is iostream.h.
Reference variables are not supported by C. Reference variables are supported by C++.
Virtual and friend functions are not supported by Virtual and friend functions are supported by
C. C++.
C does not support inheritance. C++ supports inheritance.
Instead of focusing on data, C focuses on method C++ focuses on data instead of focusing on
or process. method or procedure.
C provides malloc() and calloc() functions C++ provides new operator for memory
for dynamic memory allocation, and free() for allocation and delete operator for memory de-
memory de-allocation. allocation.
Direct support for exception handling is not Exception handling is supported by C++.
supported by C.
scanf() and printf() functions are used for cin and cout are used for input/output in C++.
input/output in C.
WAP to accept an integer from the keyboard and print the number when it is
multiplied by 2.
Solution:
#include <iostream.h>
void main ()
{
int x;
cout << "Please enter an integer value: ";
cin >>x;
cout <<endl<< "Value you entered is " <<x;
cout << " and its double is " <<x*2 << ".\n";
}
Output:
Please enter an integer value:
5
Value you entered is 5 and its double is 10.
New and Delete operators
There are two ways to allocate memory:
(i) Static memory allocation
(ii) Dynamic memory allocation
(i) Static memory allocation
To allocate memory at the time of program compilation is known as static memory allocation.
i.e. int a[10];
it allocates 20 bytes at the time of compilation of the program. Its main disadvantage is wastage or
shortage of memory space can takes place.
(ii) Dynamic memory allocation
To allocate memory at the time of program execution is known as dynamic memory allocation. C++
provides two dynamic allocation operators: new and delete. These operators are used to allocate and
free memory at run time. Dynamic allocation is an important part of almost all real-world programs.
These are included for the sake of compatibility with C. However, for C++ code, you should use the
new and delete operators because they have several advantages. The new operator allocates memory
and returns a pointer to the start of it. The delete operator frees memory previously allocated using new.
The general forms of new and delete are shown here:
p_var = new type;
delete p_var;
Here, p_var is a pointer variable that receives a pointer to memory that is large enough to hold an item
of type type.
UNIT – 2
Encapsulation Definition:
Encapsulation is a process of capsulation of data and methods into a combined single unit. In C++,
encapsulation is used along with the classes concept.
Bundling of data and methods (functions) as a single unit is known as encapsulation.
Encapsulation represents the information of variables (attributes) in terms of data and, methods
(functions) and its operations in terms of purpose.
Encapsulation is the process of combining data and function into a single unit called class.
Encapsulation is a powerful feature that leads to information hiding and abstract data type.
They encapsulate all the essential properties of the object that are to be created.
Using the method of encapsulation the programmer cannot access the class directly.
Access specifiers define how a member's variables and member's functions of a class can be accessed
from outside the class. However, all members of a class can be accessed from within the class without
any restriction.
Class members can be declared as public, protected or private access specifiers, which is used to build
the encapsulation capabilities of the class.
There are three access specifiers: Private, Public, Protected
Private members: These can be accessed only from within the members of the same class.
Protected members: These can be accessed only from within other members of the same class
and its derived classes.
Public members: These can be accessed from anywhere where the object is accessible.
By declaring the member variables and functions as a private in a class, the members are hidden from
outside the class.Those private members and data cannot be accessed by the object directly.
Encapsulation Example:
class Square {
private:
int Num;
public:
void Get() {
cout << "Enter Number:";
cin>>Num;
}
void Display() {
cout << "Square Is:" << Num*Num;
}
};
void main() {
Square Obj;
Obj.Get();
Obj.Display();
getch()
}
In the above example, the variable “Num” is private. Hence this variable can be accessed only by the
members of the same class and is not accessible anywhere else. Hence outside the classes will be
unable to access this variable Which is called data hiding.
At the same time, “Square” class contains two other methods namely “Get” and “Display” which has
public members. Here “Get” method just prints the value while “Display” method prints the square of
the value in the variable “Num”. Here the class “Square” implements Data Encapsulation concept by
capsulation of the value in the variable “Num” and thus allowing the user only to perform a restricted
set of operations on the hidden variable “Num”.
The encapsulated classes are straightforward and are easy to manage and improve the future
development of the application.
A class is a way to bind the data and its associated functions together. It allows the data and functions to
be hidden, if necessary, from external use. A class declaration is similar syntactically to a structure.
The variables declared inside the class definition are known as data members and the functions
declared inside a class are known as member functions.
Wrapping of data and function and function into a single unit (i.e. class) is known as data
encapsulation.
By default the data members and member function of a class are private.
Private data members can be accessed by the functions that are wrapped inside the class.
Write a program to find sum of two integers using class and object.
Solution:
#include<iostream.h>
class Add
{
int x, y, z;
public:
void getdata()
{
cout<<”Enter two numbers”;
cin>>x>>y;
}
void calculate(void);
void display(void);
};
Output:
Enter two numbers 5 5
10
Here in the above example we are defining the member function getdata() inside the class
definition. And we are defining the member functions calculate() and display(), outside the class
definition using the scope resolution operator.
Here void Add :: calculate() means the scpoe of member function calculate() is inside the class
Add or we can say the function calculate() belongs to the class Add. :: is the scope resolution
operator which tells the scope of a member function.
We cannot directly call a function, we can call it using object (through . operator) of the class in
which the function is declared.
public:
void gettime(int h, int m)
{
hours=h;
minutes=m;
}
void sum(time, time);
void display(void);
};
void time :: sum (time t1, time t2)
{
minutes=t1.minutes+t2.minutes;
hours=minutes/60;
minutes=minutes%60;
hours=hours+t1.hours+t2.hours;
}
void time :: display()
{
cout<<hours<<” : ”<<minutes<<endl;
}
void main()
{
time T1, T2, T3;
T1.gettime(2,45);
T2.gettime(3,30);
T3.sum(T1, T2);
T1.display();
T2.display();
cout<<"Addition of above two time is ";
T3.display();
}
Output:
2 : 45
3 : 15
Addition of above two time is 6:15
Array of object
Collection of similar types of object is known as array of objects.
Write a program to input name and age of 5 employees and display them.
Solution:
#include<iostream.h>
class Employee
{
char name[30];
int age;
public:
void getdata(void);
void putdata(void);
};
Constructor
A constructor is a special member function whose task is to initialize the object of a class.
Its name is same as the class name.
A constructor does not have a return type.
A constructor is called or invoked when the object of its associated class is created.
It is called constructor because it constructs the values of data members of the class.
A constructor cannot be virtual (shall be discussed later on).
A constructor can be overloaded.
Default Constructor
Output:
11
Note: Here in the above program when the statement Add a; will execute (i.e. object is created), the
default constructor Add () will be called automatically and value of x and y will be set to 6 and 5
respectively.
Parameterized constructor
The constructor which takes some argument is known as parameterized constructor.
Write a program to initialize two integer variables using parameterized constructor and add
them.
Solution:
#include<iostream.h>
class Add
{
int x, y, z;
public:
Add(int, int);
void calculate(void);
void display(void);
};
Add :: Add(int a, int b)
{
x=a;
y=b;
}
void Add :: calculate()
{
z=x+y;
}
void Add :: display()
{
cout<<z;
}
void main()
{
Add a(5, 6);
a.calculate();
a.display();
}
Output:
11
Note: Here in the above program when the statement Add a(5, 6); will be executed (i.e. object creation),
the parameterized constructor Add (int, int) will be called automatically and value of x and y will be set
to 5 and 6respectively.
If the constructor has one argument, then we can also use object-name=value-of-argument; instead of
object-name (value-of-argument); to initialize an object.
Copy Constructor
The constructor which takes reference to its own class as argument is known as copy constructor.
#include<iostream.h>
class Add
{
int x, y, z;
public:
Add()
{
}
Add(int a, int b)
{
x=a;
y=b;
}
Add(Add &);
void calculate(void);
void display(void);
};
Add :: Add(Add &p)
{
x=p.x;
y=p.y;
cout<<”Value of x and y for new object: ”<<x<<” and ”<<y<<endl;
}
void Add :: calculate()
{
z=x+y;
}
void Add :: display()
{
cout<<z;
}
void main()
{
Add a(5, 6);
Add b(a);
b.calculate();
b.display();
}
Output:
Value of x and y for new object are 5 and 6
11
Note: Here in the above program when the statement Add a(5, 6); will execute (i.e. object creation), the
parameterized constructor Add (int, int) will be called automatically and value of x and y will be set to
5 and 6respectively. Now when the statement Add b(a) ; will execute, the copy constructor Add(Add&)
will be called and the content of object a will be copied into object b.
If a program contains more than one constructor, then constructor is said to be overloaded.
Destructor
It is a special member function which is executed automatically when an object is destroyed.
Its name is same as class name but it should be preceded by the symbol ~.
It cannot be overloaded as it takes no argument.
It is used to delete the memory space occupied by an object.
It has no return type.
It should be declared in the public section of the class.
Demonstration of Destructor.
Solution:
#include<iostream.h>
class XYZ
{
int x;
public:
XYZ( );
~XYZ( );
void display(void);
};
XYZ::XYZ( )
{
x=9;
}
XYZ:: ~XYZ( )
{
cout<<”Object is destroyed”<<endl;
}
void XYZ::display()
{
cout<<x;
}
void main()
{
XYZ xyz;
xyz.display();
}
Output:
9
Object is destroyed
Inline function
In C++, we can create short functions that are not actually called, rather their code is expanded in line
at the point of each invocation. This process is similar to using a function-like macro. To cause a
function to be expanded in line rather than called, precede its definition with the inline keyword.
A function which is expanded in a line when it is called is called inline function.
It executes faster than other member function.
It can be recursive.
Its body does not contain if else, switch, loop, goto statement.
The inline keyword is preceded by function definition.
Output:
Enter the Value of r:
7
153.86
Friend Function
Scope of a friend function is not inside the class in which it is declared.
Since its scope is not inside the class, it cannot be called using the object of that class
It can be called like a normal function without using any object.
It cannot directly access the data members like other member function and it can access the data
members by using object through dot operator.
It can be declared either in private or public part of the class definition.
Usually it has the objects as arguments.
Output:
10
Note: Here the function calculate () is called directly like normal function as it is declared as friend.
Friend Classes
It is possible for one class to be a friend of another class. When this is the case, the friend class and all
of its member functions have access to the private members defined within the other class.
#include <iostream.h>
class TwoValues
{
int a;
int b;
public:
TwoValues(int i, int j)
{
a = i;
b = j;
}
friend class Min;
};
class Min
{
public:
int min(TwoValues x);
};
int Min::min(TwoValues x)
{
return x.a < x.b ? x.a : x.b;
}
int main()
{
TwoValues ob(10, 20);
Min m;
cout << m.min(ob);
return 0;
}
Output:
10
Note: In this example, class Min has access to the private variables a and b declared within the
TwoValues class.
cout<<p<<”\t”<<q<<endl;
}
void main()
{
A a1, a2, a3;
a1.incr();
a1.display();
a2.incr();
a2.display();
a3.incr();
a3.display();
}
Output:
6 11
6 12
6 13
Note: Here p is a normal variable, whose value is 5 for all 3 objects a1, a2 and a3 (For each object,
separate copy of p exists). But q is static variable or member, whose initial value is 10 and a single copy
of q exists for all the objects.
Output:
70
Few languages need garbage collectors as part of the language for good efficiency. These languages are
called as garbage-collected languages. For example, Java, C# and most of the scripting languages needs
garbage collection as part of their functioning. Whereas languages such as C and C++ support manual
memory management which works similar to the garbage collector. There are few languages that
support both garbage collection and manually managed memory allocation/deallocation and in such
cases, a separate heap of memory will be allocated to the garbage collector and manual memory.
Some of the bugs can be prevented when the garbage collection method is used. Such as:
dangling pointer problem in which the memory pointed is already deallocated whereas the pointer
still remains and points to different reassigned data or already deleted memory
the problem which occurs when we try to delete or deallocate a memory second time which has
already been deleted or reallocated to some other object
removes problems or bugs associated with data structures and does the memory and data handling
efficiently
UNIT – 3
Inheritance
It is the process by which object of one class acquires the properties of object of another class. The
class from which properties are inherited is called base class and the class to which properties are
inherited is called derived class. Inheritance can be broadly classified into:
Single Inheritance
Multiple Inheritance
Multilevel Inheritance
Hierarchical Inheritance
Hybrid Inheritance
When the access specifier for a base class is public, all public members of the base become public
members of the derived class, and all protected members of the base become protected members
of the derived class.
When the base class is inherited by using the private access specifier, all public and protected
members of the base class become private members of the derived class.
When a base class' access specifier is protected, public and protected members of the base
become protected members of the derived class.
In all cases, the base's private elements remain private to the base and are not accessible by members of
the derived class.
Single Inheritance
In a single inheritance the derived class is derived from a single base class.
(Single inheritance)
Output:
12
3
Note: Here all public and protected members of the base class become private members of the derived
class. So object of derived class cannot directly access the member function and data members of the
base class.
How to access the private data member of base class in derived class?
Private data members of base class can be accessed by derived class by using public member
function/methods of the base class.
Multiple Inheritance
In multiple inheritance derived class is derived from more than one base class.
(Multiple Inheritance)
Multilevel Inheritance
In multilevel inheritance class B is derived from a class A and a class C is derived from the class B.
Syntax:
class base-class-name1
{
Data members
Member functions
};
class derived-class-name : visibility mode base-class-name
{
Data members
Member functions
};
class derived-class-name1: visibility mode derived-class-name
{
Data members
Member functions
};
(Multilevel inheritance)
Hierarchical Inheritance
In hierarchical inheritance several classes can be derived from a single base class
Syntax:
class base-class-name
{
Data members
Member functions
};
class derived-class-name1 : visibility mode base-class-name
{
Data members
Member functions
};
class derived-class-name2: visibility mode base-class-name
{
Data members
Member functions
};
Note: visibility mode can be either private, public or protected
Hybrid inheritance
It is the mixture of one or more above inheritance.
{
public:
derived()
{
cout << "Constructing derived\n";
}
~derived()
{
cout << "Destructing derived\n";
}
};
void main()
{
derived ob;
}
Output:
Constructing base
Constructing derived
Destructing derived
Destructing base
Note: In the above program, first base's constructor is executed followed by derived's. Next (because
ob is immediately destroyed in this program), derived's destructor is called, followed by base's.
In Multipath Inheritance there is a one base class GRANDPARENT. Two derived class PARENT1 and
PARENT2 which are inherited from GRANDPARENT. Third Derived class CHILD which is inherited
from both PARENT1 and PARENT2.
This is ambiguity problem. In CHILD class have two copies of Base class. There are two duplicate
copies of int i of base class. One copy through PARENT1 and another copy from PARENT2. This
problem is also called as DIAMOND Problem.
int sum;
};
void main()
{
derived3 ob;
ob.i = 10; // this is ambiguous, which i???
ob.j = 20;
ob.k = 30;
ob.sum = ob.i + ob.j + ob.k; // i ambiguous here, too
cout << ob.i << " "; // also ambiguous, which i?
cout << ob.j << " " << ob.k << " ";
cout << ob.sum;
}
As the comments in the program indicate, both derived1 and derived2 inherit base. However, derived3
inherits both derived1 and derived2. This means that there are two copies of base present in an object of
type derived3. Therefore, in an expression like ob.i = 10; which i is being referred to, the one in
derived1 or the one in derived2? Because there are two copies of base present in object ob, there are
two ob.is! As we can see, the statement is inherently ambiguous.
There are two ways to remedy the preceding program. The first is to apply the scope resolution
operator to i and manually select one i. The second is to use virtual base class.
public:
int sum;
};
void main()
{
derived3 ob;
ob.i = 10; // now unambiguous
ob.j = 20;
ob.k = 30;
ob.sum = ob.i + ob.j + ob.k; // unambiguous
cout << ob.i << " "; // unambiguous
cout << ob.j << " " << ob.k << " ";
cout << ob.sum;
}
As we can see, the keyword virtual precedes the rest of the inherited class specification. Now that both
derived1 and derived2 have inherited base as virtual, any multiple inheritance involving them will
cause only one copy of base to be present. Therefore, in derived3, there is only one copy of base and
ob.i = 10 is perfectly valid and unambiguous.
Function Overloading
It is the process by which a single function can perform different task, depending upon no of
parameters and types of parameters.
int r, l, b;
cout << “Enter the Value of r, l & b: ”;
cin>>r>>l>>b;
cout<< “Area of circle is ”<<area(r)<<endl;
cout<< “Area of rectangle is ”<<area(l,b);
}
float area(int a)
{
return (3.14*a*a);
}
int area(int a, int b)
{
return (a*b);
}
Output:
Enter the Value of r, l & b:
786
Area of circle is 153.86
Area of circle is 48
void area(int,int);
void area(float,int);
void main()
{
area(10,10); // Unambiguous function call, calls area(int, int){ }
area(10.0,10); // Ambiguous function call, error!
}
Note: Here, the second area() function will not compile and will generate error ambiguity between
area(int,int) and area(float, int) . It's because 10.0 is treated as a double, not a float. Either of our
functions could accept a double, but our compiler doesn't know which one you want to use.
When a base class and derived class contain same member function, then the base version of the
member function always works when we invoke that function using base pointer.
Output:
I am in base show
I am in base show
Note: Here the base version of function show () will work as it overrides the derived version of show ().
A virtual function is a member function that is declared within a base class and redefined by a derived
class. To create a virtual function, precede the function's declaration in the base class with the keyword
virtual. When a class containing a virtual function is inherited, the derived class redefines the virtual
function to fit its own needs. In essence, virtual functions implement the "one interface, multiple
methods" philosophy that underlies polymorphism. The virtual function within the base class defines
the form of the interface to that function. Each redefinition of the virtual function by a derived class
implements its operation as it relates specifically to the derived class. That is, the redefinition creates a
specific method.
#include<iostream.h>
class B
{
public:
virtual void show()
{
cout<<"I am in base show"<<endl;
}
};
class D:public B
{
public:
void show()
{
cout<<"I am in derived show"<<endl;
}
};
void main()
{
B b, *bp;
D d;
bp=&b;
bp->show();
bp=&d;
bp->show();
}
Output:
I am in base show
I am in derived show
A base pointer can be made to point to any number of derived objects, it cannot access the members
defined by a derived class. It can access only the members which are common to the base class. If a
same function is present in both base and derived class, always base version of the function is called
when we access the function using base pointer (no matters whether it points to base class or derived
class). Derived version of the function can be called by making the function (having same name) as
virtual. This is also called function overriding because function in the base class is overridden by the
function in the derived class.
When a virtual function is inherited, its virtual nature is also inherited. This means that when a derived
class that has inherited a virtual function is itself used as a base class for another derived class, the
virtual function can still be overridden.
Abstract Classes
A class that contains at least one pure virtual function is said to be abstract. Because an abstract class
contains one or more functions for which there is no definition (that is, a pure virtual function), no
objects of an abstract class may be created.
Instead, an abstract class constitutes an incomplete type that is used as a foundation for derived classes.
Although we cannot create objects of an abstract class, we can create pointers and references to an
abstract class. This allows abstract classes to support run-time polymorphism, which relies upon base-
class pointers and references to select the proper virtual function.
Create an abstract class called Shape which contains a pure virtual function called find_vol() and
a protected attribute named as volume. Create two new derived classes from the above class
named as Cube and Sphere having double type attribute named as side and radius respectively.
Implement dynamic polymorphism to find out volume of a cube and a sphere. Also display the
result.
Solution:
#include<iostream.h>
class Shape
{
protected:
double volume;
public:
virtual void find_vol()=0;
};
class Cube: public Shape
{
protected:
double side;
public:
Cube();
void find_vol();
};
class Sphere: public Shape
{
protected:
double radius;
public:
Sphere();
void find_vol();
};
Cube::Cube()
{
cout<<”Enter side of the Cube:”<<endl;
cin>>side;
}
Sphere::Sphere ()
{
cout<<”Enter radius of the sphere:”<<endl;
cin>>radius;
}
Output:
Enter side of the Cube:
3
Enter radius of the sphere:
4
Volume of Cube is: 27
Volume of sphere is: 200.96
Operator Overloading
It is most striking feature of C++.
In operator overloading an operator can be operated on user defined data types. i.e. + operator
perform addition of integers or real numbers. But we can overload this operator to compute sum
of two complex number.
Only existing operators can be overloaded. New operators cannot be overloaded (i.e. $ cannot
be overloaded as it is not an operator.)
It should obey the basic meaning of an operator i.e. + operator cannot be used to subtract two
numbers.
this Pointer
Every object in C++ has access to its own address through an important pointer called this pointer. The
this pointer is an implicit parameter to all member functions. Therefore, inside a member function, this
may be used to refer to the invoking object.
Friend functions do not have a this pointer, because friends are not members of a class. Only non static
member functions have a this pointer.
Output:
Constructor called.
Constructor called.
Box2 is equal to or larger than Box1
Overloading Operators
A member operator function takes this general form:
return_type operator symbol(arg-list)
{
// operations
}
Often, operator functions return an object of the class they operate on, but return_type can be any valid
type(int, char, float, void etc). When you create an operator function, substitute the operator for the
symbol. For example, if you are overloading the / operator, use operator/. When you are overloading a
unary operator, arg-list will be empty. When you are overloading binary operators, arglist will contain
one parameter.
Templates
Using templates, it is possible to create generic functions and classes.
In a generic function or class, the type of data upon which the function or class operates is
specified as a parameter.
Thus, we can use one function or class with several different types of data without having to
explicitly recode specific versions for each data type.
cout<<p<<”\t”<<q;
}
void main()
{
int i=10, j=20;
float x=10.1, y=23.3;
char a='x', b='z';
swap (i, j); /*swaps integers*/
swap (x, y); /* swaps floats*/
swap (a, b); /*swaps chars*/
}
Output:
20 10
23.2 10.1
zx
int main()
{
f(10); // calls f(X)
f(10, 20); // calls f(X, Y)
return 0;
}
Here, the template for f() is overloaded to accept either one or two parameters
Write a program to add two numbers (either two integers or floats) using
class templates.
Solution:
#include <iostream.h>
template <class T>
class Add
{
T a, b;
public:
void getdata();
void display();
};
template <class T>
void Add <T>::getdata( )
{
cout<<”Eneter 2 nos”;
cin>>a>>b;
}
template <class T>
void Add <T>::display( )
{
cout<<”sum=”<<a+b;
}
void main()
{
Add <int> ob1;
Add <float> ob2;
ob1.getdata( );
ob1.display( );
ob2.getdata( );
ob2.display( );
}
Output:
Eneter 2 nos 4 5
Sum=9
Eneter 2 nos 4.8 5.1
Sum=9.9
Generic functions and classes provide a powerful tool that you can use to amplify your programming
efforts. Once you have written and debugged a template class, you have a solid software component
that you can use with confidence in a variety of different situations. You are saved from the tedium of
creating separate implementations for each data type with which you want the class to work. While it is
true that the template syntax can seem a bit intimidating at first, the rewards are well worth the time it
takes to become comfortable with it. Template functions and classes are already becoming
commonplace in programming, and this trend is expected to continue. For example, the STL (Standard
Template Library) defined by C++ is, as its name implies, built upon templates. One last point:
although templates add a layer of abstraction, they still ultimately compile down to the same, high-
performance object code that you have come to expect from C++.
UNIT – 4
To perform file processing in C++, header files <iostream> and <fstream> must be included in your C++
source file.
Opening a File:
A file must be opened before you can read from it or write to it. Either the ofstream or fstream object may
be used to open a file for writing and ifstream object is used to open a file for reading purpose only.
Following is the standard syntax for open() function, which is a member of fstream, ifstream, and ofstream
objects.
Here, the first argument specifies the name and location of the file to be opened and the second argument of
the open() member function defines the mode in which the file should be opened.
You can combine two or more of these values by ORing them together. For example if you want to open a
file in write mode and want to truncate it in case it already exists, following will be the syntax:
ofstream outfile;
outfile.open("file.dat", ios::out | ios::trunc );
Similar way, you can open a file for reading and writing purpose as follows:
fstream afile;
afile.open("file.dat", ios::out | ios::in );
Closing a File
When a C++ program terminates it automatically closes flushes all the streams, release all the allocated
memory and close all the opened files. But it is always a good practice that a programmer should close all
the opened files before program termination.
Following is the standard syntax for close() function, which is a member of fstream, ifstream, and ofstream
objects.
void close();
Writing to a File:
While doing C++ programming, you write information to a file from your program using the stream
insertion operator (<<) just as you use that operator to output information to the screen. The only difference
is that you use an ofstream or fstream object instead of the cout object.
#include <fstream>
#include <iostream>
int main ()
char data[100];
ofstream outfile;
outfile.open("afile.dat");
cin.getline(data, 100);
cin.ignore();
outfile.close();
ifstream infile;
infile.open("afile.dat");
// again read the data from the file and display it.
infile.close();
return 0;
When the above code is compiled and executed, it produces the following sample input and
output:
$./a.out
Zara
Above examples make use of additional functions from cin object, like getline() function to read
the line from outside and ignore() function to ignore the extra characters left by previous read
statement.
The argument to seekg and seekp normally is a long integer. A second argument can be specified to indicate
the seek direction. The seek direction can be ios::beg (the default) for positioning relative to the beginning
of a stream, ios::cur for positioning relative to the current position in a stream or ios::end for positioning
relative to the end of a stream.
The file-position pointer is an integer value that specifies the location in the file as a number of bytes from
the file's starting location. Some examples of positioning the "get" file-position pointer are:
Namespace
The namespace keyword allows you to partition the global namespace by creating a declarative region.
In essence, a namespace defines a scope. The general form of namespace is shown here:
namespace name
{
// declarations
}
Anything defined within a namespace statement is within the scope of that namespace.
There is one difference between a class definition and a namespace definition: The namespace is
concluded with a closing brace but no terminating semicolon.
Example:
namespace A
{
int m;
void display(int n)
{
cout<<n;
}
}
In general, to access a member of a namespace from outside its namespace, precede the member's name
with the name of the namespace followed by the scope resolution operator.
Here is a program that demonstrates the use of CounterNameSpace.
// Demonstrate a namespace.
#include <iostream.h>
namespace CounterNameSpace
{
int upperbound;
int lowerbound;
class counter
{
int count;
public:
counter(int n)
{
if(n <= upperbound) count = n;
else count = upperbound;
}
void reset(int n)
{
if(n <= upperbound) count = n;
}
int run()
{
if(count > lowerbound) return count--;
else return lowerbound;
}
};
}
void main()
{
CounterNameSpace::upperbound = 100;
CounterNameSpace::lowerbound = 0;
CounterNameSpace::counter ob1(10);
int i;
do
{
i = ob1.run();
cout << i << " ";
} while(i > CounterNameSpace::lowerbound);
cout << endl;
CounterNameSpace::counter ob2(20);
do
{
i = ob2.run();
cout << i << " ";
} while(i > CounterNameSpace::lowerbound);
cout << endl;
ob2.reset(100);
CounterNameSpace::lowerbound = 90;
Do
{
i = ob2.run();
cout << i << " ";
} while(i > CounterNameSpace::lowerbound);
}
Notice that the declaration of a counter object and the references to upperbound and lowerbound are
qualified by CounterNameSpace. However, once an object of type counter has been declared, it is not
necessary to further qualify it or any of its members. Thus, ob1.run() can be called directly; the
namespace has already been resolved.
using
As you can imagine, if your program includes frequent references to the members of a namespace,
having to specify the namespace and the scope resolution operator each time you need to refer to one
quickly becomes a tedious chore. The using statement was invented to alleviate this problem. The
using statement has these two general forms:
using namespace name;
using name::member;
In the first form, name specifies the name of the namespace you want to access. All of the members
defined within the specified namespace are brought into view (i.e., they become part of the current
namespace) and may be used without qualification. In the second form, only a specific member of the
namespace is made visible. For example, assuming CounterNameSpace as shown above, the
following using statements and assignments are valid.
using CounterNameSpace::lowerbound; // only lowerbound is visible
lowerbound = 10; // OK because lowerbound is visible
using namespace CounterNameSpace; // all members are visible
upperbound = 100; // OK because all members are now visible
Unnamed Namespaces
There is a special type of namespace, called an unnamed namespace that allows you to create identifiers
that are unique within a file. Unnamed namespaces are also called anonymous namespaces.
They have this general form:
namespace
{
// declarations
}
Unnamed namespaces allow you to establish unique identifiers that are known only within the scope of
a single file. That is, within the file that contains the unnamed namespace, the members of that
namespace may be used directly, without qualification. But outside the file, the identifiers are unknown.
Unnamed namespaces eliminate the need for certain uses of the static storage class modifier.
For example, consider the following two files that are part of the same program.
File One
static int k;
void f1() {
k = 99; // OK
}
File Two
extern int k;
void f2() {
k = 10; // error
}
Because k is defined in File One, it may be used in File One. In File Two, k is specified as extern,
which means that its name and type are known but that k itself is not actually defined. When these two
files are linked, the attempt to use k within File Two results in an error because there is no definition for
k. By preceding k with static in File One, its scope is restricted to that file and it is not available to File
Two. While the use of static global declarations is still allowed in C++, a better way to accomplish the
same effect is to use an unnamed namespace. For example:
File One
namespace
{
int k;
}
void f1()
{
k = 99; // OK
}
File Two
extern int k;
void f2()
{
k = 10; // error
}
Here, k is also restricted to File One. The use of the unnamed namespace rather than static is
recommended for new code.
Here, cout, cin, and the manipulator hex are explicitly qualified by their namespace. That is, to write to
standard output, you must specify std::cout; to read from standard input, you must use std::cin; and
the hex manipulator must be referred to as std::hex.
Exception Handling
Two common types of error in a program are:
1) Syntax error (arises due to missing semicolon, comma, and wrong prog. constructs etc)
2) Logical error (wrong understanding of the problem or wrong procedure to get the solution)
Exceptions
Exceptions are the errors occurred during a program execution. Exceptions are of two types:
Synchronous (generated by software i.e. division by 0, array bound etc).
Asynchronous (generated by hardware i.e. out of memory, keyboard etc).
• catch blocks
• throw expressions
Exception Handling Options
There are several additional features and nuances to C++ exception handling that make it easier and
more convenient to use. These attributes are discussed here.
#include <iostream.h>
void Xhandler(int test)
{
try
{
if(test==0) throw test; // throw int
if(test==1) throw 'a'; // throw char
if(test==2) throw 123.23; // throw double
}
catch(...)
{
cout << "Caught One!\n";
}
}
void main()
{
cout << "Start\n";
Xhandler(0);
Xhandler(1);
Xhandler(2);
cout << "End";
}
Output:
Start
Caught One!
Caught One!
Caught One!
End
Rethrowing an Exception
If you wish to rethrow an expression from within an exception handler, you may do so by calling throw,
by itself, with no exception. This causes the current exception to be passed on to an outer try/catch
sequence. The most likely reason for doing so is to allow multiple handlers access to the exception. For
example, perhaps one exception handler manages one aspect of an exception and a second handler
copes with another. An exception can only be rethrown from within a catch block (or from any function
called from within that block). When you rethrow an exception, it will not be recaught by the same
catch statement. It will propagate outward to the next catch statement. The following program
illustrates rethrowing an exception, in this case a char * exception.
#include <iostream.h>
void Xhandler()
{
try
{
throw "hello"; // throw a char *
}
catch(const char *)
{
cout << "Caught char * inside Xhandler\n";
throw ; // rethrow char * out of function
}
}
void main()
{
cout << "Start\n";
try
{
Xhandler();
}
catch(const char *)
{
cout << "Caught char * inside main\n";
}
cout << "End";
}
Output:
Start
Caught char * inside Xhandler
Caught char * inside main
end
As mentioned earlier, terminate() and unexpected() are called when something goes wrong during the
exception handling process. These functions are supplied by the Standard C++ library. Their prototypes
are shown here:
void terminate( );
void unexpected( );
These functions require the header <exception>.
The terminate() function is called whenever the exception handling subsystem fails to find a matching
catch statement for an exception. It is also called if your program attempts to rethrow an exception
when no exception was originally thrown. The terminate() function is also called under various other,
more obscure circumstances. For example, such a circumstance could occur when, in the process of
unwinding the stack because of an exception, a destructor for an object being destroyed throws an
exception. In general, terminate() is the handler of last resort when no other handlers for an exception
are available. By default, terminate() calls abort() .
The Standard Template Library (STL) is a C++ software library that influenced many parts of the
C++ Standard Library It provides four components called algorithms, containers, functional and
iterators. The STL provides a ready-made set of common classes for C++, such as containers and
associative arrays, that can be used with any built-in type and with any user-defined type that supports
some elementary operations (such as copying and assignment). STL algorithms are independent of
containers, which significantly reduces the complexity of the library.
The STL achieves its results through the use of templates. This approach provides compile-time
polymorphism that is often more efficient than traditional run-time polymorphism. Modern C++
compilers are tuned to minimize any abstraction penalty arising from heavy use of the STL.
At the core of the standard template library are three foundational items: containers, algorithms, and
iterators. These items work in conjunction with one another to provide off-the-shelf solutions to a
variety of programming problems.
Containers
Containers are objects that hold other objects, and there are several different types. For example, the
vector class defines a dynamic array, deque creates a double-ended queue, and list provides a linear
list. These containers are called sequence containers because in STL terminology, a sequence is a linear
list. In addition to the basic containers, the STL also defines associative containers, which allow
efficient retrieval of values based on keys. For example, a map provides access to values with unique
keys. Thus, a map stores a key/value pair and allows a value to be retrieved given its key. Each
container class defines a set of functions that may be applied to the container. For example, a list
container includes functions that insert, delete, and merge elements. A stack includes functions that
push and pop values.
Algorithms
Algorithms act on containers. They provide the means by which you will manipulate the contents of
containers. Their capabilities include initialization, sorting, searching, and transforming the contents of
containers. Many algorithms operate on a range of elements within a container.
Iterators
Iterators are objects that are, more or less, pointers. They give you the ability to cycle through the
contents of a container in much the same way that you would use a pointer to cycle through an array.
There are five types of iterators:
In general, an iterator that has greater access capabilities can be used in place of one that has lesser
capabilities. For example, a forward iterator can be used in place of an input iterator. Iterators are
handled just like pointers. You can increment and decrement them.
You can apply the * operator to them. Iterators are declared using the iterator type defined by the
various containers.The STL also supports reverse iterators. Reverse iterators are either bidirectional or
random-access iterators that move through a sequence in the reverse direction. Thus, if a reverse
iterator points to the end of a sequence, incrementing that iterator will cause it to point to one element
before the end.
Vectors
Perhaps the most general-purpose of the containers is vector. The vector class supports a dynamic
array. This is an array that can grow as needed. As you know, in C++ the size of an array is fixed at
compile time. While this is by far the most efficient way to implement arrays, it is also the most
restrictive because the size of the array cannot be adjusted at run time to accommodate changing
program conditions. A vector solves this problem by allocating memory as needed. Although a vector is
dynamic, you can still use the standard array subscript notation to access its elements.
The first form constructs an empty vector. The second form constructs a vector that has num elements
with the value val. The value of val may be allowed to default. The third form constructs a vector that
contains the same elements as ob. The fourth form constructs a vector that contains the elements in the
range specified by the iterators start and end.
Any object that will be stored in a vector must define a default constructor. It must also define the <
and == operations. Some compilers may require that other comparison operators be defined. (Since
implementations vary, consult your compiler's documentation for precise information.) All of the builtin
types automatically satisfy these requirements.
Although the template syntax looks rather complex, there is nothing difficult about declaring a vector.
Here are some examples:
Output:
Size = 10
Current Contents:
abcdefghij
Expanding vector
Size now = 20
Current contents:
abcdefghijklmnopqrst
Modified Contents:
ABCDEFGHIJKLMNOPQRST