SlideShare a Scribd company logo
1 of 17
 2000 Prentice Hall, Inc. All rights reserved.
By Edhole
Mba ebooks
Free ebooks download
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
Chapter 22 - C++ Templates
Outline
22.1 Introduction
22.2 Class Templates
22.3 Class Templates and Non-type Parameters
22.4 Templates and Inheritance
22.5 Templates and friends
22.6 Templates and static Members
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
22.1 Introduction
• Templates
– Easily create a large range of related functions or classes
– Function template - the blueprint of the related functions
– Template function - a specific function made from a function
template
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
22.2 Class Templates
• Class templates
– Allow type-specific versions of generic classes
• Format:
template <class T>
class ClassName{
definition
}
– Need not use "T", any identifier will work
– To create an object of the class, type
ClassName< type > myObject;
Example: Stack< double > doubleStack;
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
22.2 Class Templates (II)
• Template class functions
– Declared normally, but preceded by template<class T>
• Generic data in class listed as type T
– Binary scope resolution operator used
– Template class function definition:
template<class T>
MyClass< T >::MyClass(int size)
{
myArray = new T[size];
}
• Constructor definition - creates an array of type T
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
Outline
1. Class template
definition
1.1 Function
definitions
1.2 Stack constructor
1 // Fig. 22.3: tstack1.h
2 // Class template Stack
3 #ifndef TSTACK1_H
4 #define TSTACK1_H
5
6 template< class T >
7 class Stack {
8 public:
9 Stack( int = 10 ); // default constructor (stack size 10)
10 ~Stack() { delete [] stackPtr; } // destructor
11 bool push( const T& ); // push an element onto the stack
12 bool pop( T& ); // pop an element off the stack
13 private:
14 int size; // # of elements in the stack
15 int top; // location of the top element
16 T *stackPtr; // pointer to the stack
17
18 bool isEmpty() const { return top == -1; } // utility
19 bool isFull() const { return top == size - 1; } // functions
20 };
21
22 // Constructor with default size 10
23 template< class T >
24 Stack< T >::Stack( int s )
25 {
26 size = s > 0 ? s : 10;
27 top = -1; // Stack is initially empty
28 stackPtr = new T[ size ]; // allocate space for elements
29 }
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
Outline
1.3 push
1.4 pop
30
31 // Push an element onto the stack
32 // return 1 if successful, 0 otherwise
33 template< class T >
34 bool Stack< T >::push( const T &pushValue )
35 {
36 if ( !isFull() ) {
37 stackPtr[ ++top ] = pushValue; // place item in Stack
38 return true; // push successful
39 }
40 return false; // push unsuccessful
41 }
42
43 // Pop an element off the stack
44 template< class T >
45 bool Stack< T >::pop( T &popValue )
46 {
47 if ( !isEmpty() ) {
48 popValue = stackPtr[ top-- ]; // remove item from Stack
49 return true; // pop successful
50 }
51 return false; // pop unsuccessful
52 }
53
54 #endif
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
Outline
1. Load header
1.1 Initialize
doubleStack
1.2 Initialize variables
2. Function calls
55 // Fig. 22.3: fig22_03.cpp
56 // Test driver for Stack template
57 #include <iostream>
58
59 using std::cout;
60 using std::cin;
61 using std::endl;
62
63 #include "tstack1.h"
64
65 int main()
66 {
67 Stack< double > doubleStack( 5 );
68 double f = 1.1;
69 cout << "Pushing elements onto doubleStackn";
70
71 while ( doubleStack.push( f ) ) { // success true returned
72 cout << f << ' ';
73 f += 1.1;
74 }
75
76 cout << "nStack is full. Cannot push " << f
77 << "nnPopping elements from doubleStackn";
78
79 while ( doubleStack.pop( f ) ) // success true returned
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
Outline
2. Function calls
3. Output
80 cout << f << ' ';
81
82 cout << "nStack is empty. Cannot popn";
83
84 Stack< int > intStack;
85 int i = 1;
86 cout << "nPushing elements onto intStackn";
87
88 while ( intStack.push( i ) ) { // success true returned
89 cout << i << ' ';
90 ++i;
91 }
92
93 cout << "nStack is full. Cannot push " << i
94 << "nnPopping elements from intStackn";
95
96 while ( intStack.pop( i ) ) // success true returned
97 cout << i << ' ';
98
99 cout << "nStack is empty. Cannot popn";
100 return 0;
101}
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
Outline
Program Output
Pushing elements onto doubleStack
1.1 2.2 3.3 4.4 5.5
Stack is full. Cannot push 6.6
Popping elements from doubleStack
5.5 4.4 3.3 2.2 1.1
Stack is empty. Cannot pop
Pushing elements onto intStack
1 2 3 4 5 6 7 8 9 10
Stack is full. Cannot push 11
Popping elements from intStack
10 9 8 7 6 5 4 3 2 1
Stack is empty. Cannot pop
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
22.3 Class Templates and Non-type
Parameters
• Can use non-type parameters in templates
– Default argument
– Treated as const
• Example:
template< class T, int elements >
Stack< double, 100 > mostRecentSalesFigures;
• Declares object of type Stack< double, 100>
– This may appear in the class definition:
T stackHolder[ elements ]; //array to hold stack
• Creates array at compile time, rather than dynamic allocation at
execution time
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
22.3 Class Templates and Non-type
Parameters (II)
• Classes can be overridden
– For template class Array, define a class named
Array<myCreatedType>
– This new class overrides then class template for
myCreatedType
– The template remains for unoverriden types
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
22.4 Templates and Inheritance
• A class template can be derived from a template
class
• A class template can be derived from a non-
template class
• A template class can be derived from a class
template
• A non-template class can be derived from a class
template
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
22.5 Templates and friends
• Friendships allowed between a class template and
– Global function
– Member function of another class
– Entire class
• friend functions
– Inside definition of class template X:
– friend void f1();
• f1() a friend of all template classes
– friend void f2( X< T > & );
• f2( X< int > & ) is a friend of X< int > only. The same
applies for float, double, etc.
– friend void A::f3();
• Member function f3 of class A is a friend of all template classes
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
22.5 Templates and friends (II)
– friend void C< T >::f4( X< T > & );
• C<float>::f4( X< float> & ) is a friend of class
X<float> only
• friend classes
– friend class Y;
• Every member function of Y a friend with every template class made
from X
– friend class Z<T>;
• Class Z<float> a friend of class X<float>, etc.
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
22.6 Templates and static Members
• Non-template class
– static data members shared between all objects
• Template classes
– Each class (int, float, etc.) has its own copy of static data
members
– static variables initialized at file scope
– Each template class gets its own copy of static member
functions
http://ebooks.edhole.com
 2000 Prentice Hall, Inc. All rights reserved.
By Edhole
Mba ebooks
Free ebooks download
http://ebooks.edhole.com

More Related Content

Viewers also liked

Project report on_consumer_behaviour_regarding_various_branded_shoes
Project report on_consumer_behaviour_regarding_various_branded_shoesProject report on_consumer_behaviour_regarding_various_branded_shoes
Project report on_consumer_behaviour_regarding_various_branded_shoespitulidesai
 
Notes for mba (strategic management) unit i
Notes for mba (strategic management) unit iNotes for mba (strategic management) unit i
Notes for mba (strategic management) unit isnselvaraj
 

Viewers also liked (9)

Strategic management
Strategic managementStrategic management
Strategic management
 
Project report on_consumer_behaviour_regarding_various_branded_shoes
Project report on_consumer_behaviour_regarding_various_branded_shoesProject report on_consumer_behaviour_regarding_various_branded_shoes
Project report on_consumer_behaviour_regarding_various_branded_shoes
 
Model Project Profiles
Model Project ProfilesModel Project Profiles
Model Project Profiles
 
Project guidelines for mba
Project guidelines for mbaProject guidelines for mba
Project guidelines for mba
 
Project Report Format
Project Report FormatProject Report Format
Project Report Format
 
Strategic management notes for anna university
Strategic management notes for anna universityStrategic management notes for anna university
Strategic management notes for anna university
 
Strategic Management
Strategic ManagementStrategic Management
Strategic Management
 
Notes for mba (strategic management) unit i
Notes for mba (strategic management) unit iNotes for mba (strategic management) unit i
Notes for mba (strategic management) unit i
 
Project management
Project managementProject management
Project management
 

More from Edhole.com

Chartered accountant in dwarka
Chartered accountant in dwarkaChartered accountant in dwarka
Chartered accountant in dwarkaEdhole.com
 
Ca firm in dwarka
Ca firm in dwarkaCa firm in dwarka
Ca firm in dwarkaEdhole.com
 
Website development company surat
Website development company suratWebsite development company surat
Website development company suratEdhole.com
 
Website designing company in surat
Website designing company in suratWebsite designing company in surat
Website designing company in suratEdhole.com
 
Website dsigning company in india
Website dsigning company in indiaWebsite dsigning company in india
Website dsigning company in indiaEdhole.com
 
Website designing company in delhi
Website designing company in delhiWebsite designing company in delhi
Website designing company in delhiEdhole.com
 
Chartered accountant in dwarka
Chartered accountant in dwarkaChartered accountant in dwarka
Chartered accountant in dwarkaEdhole.com
 
Ca firm in dwarka
Ca firm in dwarkaCa firm in dwarka
Ca firm in dwarkaEdhole.com
 
Website development company surat
Website development company suratWebsite development company surat
Website development company suratEdhole.com
 
Website designing company in surat
Website designing company in suratWebsite designing company in surat
Website designing company in suratEdhole.com
 
Website designing company in india
Website designing company in indiaWebsite designing company in india
Website designing company in indiaEdhole.com
 
Website designing company in delhi
Website designing company in delhiWebsite designing company in delhi
Website designing company in delhiEdhole.com
 
Website designing company in mumbai
Website designing company in mumbaiWebsite designing company in mumbai
Website designing company in mumbaiEdhole.com
 
Website development company surat
Website development company suratWebsite development company surat
Website development company suratEdhole.com
 
Website desinging company in surat
Website desinging company in suratWebsite desinging company in surat
Website desinging company in suratEdhole.com
 
Website designing company in india
Website designing company in indiaWebsite designing company in india
Website designing company in indiaEdhole.com
 

More from Edhole.com (20)

Ca in patna
Ca in patnaCa in patna
Ca in patna
 
Chartered accountant in dwarka
Chartered accountant in dwarkaChartered accountant in dwarka
Chartered accountant in dwarka
 
Ca in dwarka
Ca in dwarkaCa in dwarka
Ca in dwarka
 
Ca firm in dwarka
Ca firm in dwarkaCa firm in dwarka
Ca firm in dwarka
 
Website development company surat
Website development company suratWebsite development company surat
Website development company surat
 
Website designing company in surat
Website designing company in suratWebsite designing company in surat
Website designing company in surat
 
Website dsigning company in india
Website dsigning company in indiaWebsite dsigning company in india
Website dsigning company in india
 
Website designing company in delhi
Website designing company in delhiWebsite designing company in delhi
Website designing company in delhi
 
Ca in patna
Ca in patnaCa in patna
Ca in patna
 
Chartered accountant in dwarka
Chartered accountant in dwarkaChartered accountant in dwarka
Chartered accountant in dwarka
 
Ca firm in dwarka
Ca firm in dwarkaCa firm in dwarka
Ca firm in dwarka
 
Ca in dwarka
Ca in dwarkaCa in dwarka
Ca in dwarka
 
Website development company surat
Website development company suratWebsite development company surat
Website development company surat
 
Website designing company in surat
Website designing company in suratWebsite designing company in surat
Website designing company in surat
 
Website designing company in india
Website designing company in indiaWebsite designing company in india
Website designing company in india
 
Website designing company in delhi
Website designing company in delhiWebsite designing company in delhi
Website designing company in delhi
 
Website designing company in mumbai
Website designing company in mumbaiWebsite designing company in mumbai
Website designing company in mumbai
 
Website development company surat
Website development company suratWebsite development company surat
Website development company surat
 
Website desinging company in surat
Website desinging company in suratWebsite desinging company in surat
Website desinging company in surat
 
Website designing company in india
Website designing company in indiaWebsite designing company in india
Website designing company in india
 

Recently uploaded

Earth Day Presentation wow hello nice great
Earth Day Presentation wow hello nice greatEarth Day Presentation wow hello nice great
Earth Day Presentation wow hello nice greatYousafMalik24
 
Science 7 Quarter 4 Module 2: Natural Resources.pptx
Science 7 Quarter 4 Module 2: Natural Resources.pptxScience 7 Quarter 4 Module 2: Natural Resources.pptx
Science 7 Quarter 4 Module 2: Natural Resources.pptxMaryGraceBautista27
 
ISYU TUNGKOL SA SEKSWLADIDA (ISSUE ABOUT SEXUALITY
ISYU TUNGKOL SA SEKSWLADIDA (ISSUE ABOUT SEXUALITYISYU TUNGKOL SA SEKSWLADIDA (ISSUE ABOUT SEXUALITY
ISYU TUNGKOL SA SEKSWLADIDA (ISSUE ABOUT SEXUALITYKayeClaireEstoconing
 
Concurrency Control in Database Management system
Concurrency Control in Database Management systemConcurrency Control in Database Management system
Concurrency Control in Database Management systemChristalin Nelson
 
4.18.24 Movement Legacies, Reflection, and Review.pptx
4.18.24 Movement Legacies, Reflection, and Review.pptx4.18.24 Movement Legacies, Reflection, and Review.pptx
4.18.24 Movement Legacies, Reflection, and Review.pptxmary850239
 
Barangay Council for the Protection of Children (BCPC) Orientation.pptx
Barangay Council for the Protection of Children (BCPC) Orientation.pptxBarangay Council for the Protection of Children (BCPC) Orientation.pptx
Barangay Council for the Protection of Children (BCPC) Orientation.pptxCarlos105
 
Field Attribute Index Feature in Odoo 17
Field Attribute Index Feature in Odoo 17Field Attribute Index Feature in Odoo 17
Field Attribute Index Feature in Odoo 17Celine George
 
Transaction Management in Database Management System
Transaction Management in Database Management SystemTransaction Management in Database Management System
Transaction Management in Database Management SystemChristalin Nelson
 
What is Model Inheritance in Odoo 17 ERP
What is Model Inheritance in Odoo 17 ERPWhat is Model Inheritance in Odoo 17 ERP
What is Model Inheritance in Odoo 17 ERPCeline George
 
Procuring digital preservation CAN be quick and painless with our new dynamic...
Procuring digital preservation CAN be quick and painless with our new dynamic...Procuring digital preservation CAN be quick and painless with our new dynamic...
Procuring digital preservation CAN be quick and painless with our new dynamic...Jisc
 
INTRODUCTION TO CATHOLIC CHRISTOLOGY.pptx
INTRODUCTION TO CATHOLIC CHRISTOLOGY.pptxINTRODUCTION TO CATHOLIC CHRISTOLOGY.pptx
INTRODUCTION TO CATHOLIC CHRISTOLOGY.pptxHumphrey A Beña
 
Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)
Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)
Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)lakshayb543
 
Student Profile Sample - We help schools to connect the data they have, with ...
Student Profile Sample - We help schools to connect the data they have, with ...Student Profile Sample - We help schools to connect the data they have, with ...
Student Profile Sample - We help schools to connect the data they have, with ...Seán Kennedy
 
THEORIES OF ORGANIZATION-PUBLIC ADMINISTRATION
THEORIES OF ORGANIZATION-PUBLIC ADMINISTRATIONTHEORIES OF ORGANIZATION-PUBLIC ADMINISTRATION
THEORIES OF ORGANIZATION-PUBLIC ADMINISTRATIONHumphrey A Beña
 
Global Lehigh Strategic Initiatives (without descriptions)
Global Lehigh Strategic Initiatives (without descriptions)Global Lehigh Strategic Initiatives (without descriptions)
Global Lehigh Strategic Initiatives (without descriptions)cama23
 
How to Add Barcode on PDF Report in Odoo 17
How to Add Barcode on PDF Report in Odoo 17How to Add Barcode on PDF Report in Odoo 17
How to Add Barcode on PDF Report in Odoo 17Celine George
 
Karra SKD Conference Presentation Revised.pptx
Karra SKD Conference Presentation Revised.pptxKarra SKD Conference Presentation Revised.pptx
Karra SKD Conference Presentation Revised.pptxAshokKarra1
 

Recently uploaded (20)

Earth Day Presentation wow hello nice great
Earth Day Presentation wow hello nice greatEarth Day Presentation wow hello nice great
Earth Day Presentation wow hello nice great
 
Science 7 Quarter 4 Module 2: Natural Resources.pptx
Science 7 Quarter 4 Module 2: Natural Resources.pptxScience 7 Quarter 4 Module 2: Natural Resources.pptx
Science 7 Quarter 4 Module 2: Natural Resources.pptx
 
Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Tilak Nagar Delhi reach out to us at 🔝9953056974🔝
 
ISYU TUNGKOL SA SEKSWLADIDA (ISSUE ABOUT SEXUALITY
ISYU TUNGKOL SA SEKSWLADIDA (ISSUE ABOUT SEXUALITYISYU TUNGKOL SA SEKSWLADIDA (ISSUE ABOUT SEXUALITY
ISYU TUNGKOL SA SEKSWLADIDA (ISSUE ABOUT SEXUALITY
 
Concurrency Control in Database Management system
Concurrency Control in Database Management systemConcurrency Control in Database Management system
Concurrency Control in Database Management system
 
4.18.24 Movement Legacies, Reflection, and Review.pptx
4.18.24 Movement Legacies, Reflection, and Review.pptx4.18.24 Movement Legacies, Reflection, and Review.pptx
4.18.24 Movement Legacies, Reflection, and Review.pptx
 
Barangay Council for the Protection of Children (BCPC) Orientation.pptx
Barangay Council for the Protection of Children (BCPC) Orientation.pptxBarangay Council for the Protection of Children (BCPC) Orientation.pptx
Barangay Council for the Protection of Children (BCPC) Orientation.pptx
 
Field Attribute Index Feature in Odoo 17
Field Attribute Index Feature in Odoo 17Field Attribute Index Feature in Odoo 17
Field Attribute Index Feature in Odoo 17
 
Transaction Management in Database Management System
Transaction Management in Database Management SystemTransaction Management in Database Management System
Transaction Management in Database Management System
 
FINALS_OF_LEFT_ON_C'N_EL_DORADO_2024.pptx
FINALS_OF_LEFT_ON_C'N_EL_DORADO_2024.pptxFINALS_OF_LEFT_ON_C'N_EL_DORADO_2024.pptx
FINALS_OF_LEFT_ON_C'N_EL_DORADO_2024.pptx
 
What is Model Inheritance in Odoo 17 ERP
What is Model Inheritance in Odoo 17 ERPWhat is Model Inheritance in Odoo 17 ERP
What is Model Inheritance in Odoo 17 ERP
 
Procuring digital preservation CAN be quick and painless with our new dynamic...
Procuring digital preservation CAN be quick and painless with our new dynamic...Procuring digital preservation CAN be quick and painless with our new dynamic...
Procuring digital preservation CAN be quick and painless with our new dynamic...
 
INTRODUCTION TO CATHOLIC CHRISTOLOGY.pptx
INTRODUCTION TO CATHOLIC CHRISTOLOGY.pptxINTRODUCTION TO CATHOLIC CHRISTOLOGY.pptx
INTRODUCTION TO CATHOLIC CHRISTOLOGY.pptx
 
Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)
Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)
Visit to a blind student's school🧑‍🦯🧑‍🦯(community medicine)
 
Student Profile Sample - We help schools to connect the data they have, with ...
Student Profile Sample - We help schools to connect the data they have, with ...Student Profile Sample - We help schools to connect the data they have, with ...
Student Profile Sample - We help schools to connect the data they have, with ...
 
THEORIES OF ORGANIZATION-PUBLIC ADMINISTRATION
THEORIES OF ORGANIZATION-PUBLIC ADMINISTRATIONTHEORIES OF ORGANIZATION-PUBLIC ADMINISTRATION
THEORIES OF ORGANIZATION-PUBLIC ADMINISTRATION
 
Global Lehigh Strategic Initiatives (without descriptions)
Global Lehigh Strategic Initiatives (without descriptions)Global Lehigh Strategic Initiatives (without descriptions)
Global Lehigh Strategic Initiatives (without descriptions)
 
YOUVE_GOT_EMAIL_PRELIMS_EL_DORADO_2024.pptx
YOUVE_GOT_EMAIL_PRELIMS_EL_DORADO_2024.pptxYOUVE_GOT_EMAIL_PRELIMS_EL_DORADO_2024.pptx
YOUVE_GOT_EMAIL_PRELIMS_EL_DORADO_2024.pptx
 
How to Add Barcode on PDF Report in Odoo 17
How to Add Barcode on PDF Report in Odoo 17How to Add Barcode on PDF Report in Odoo 17
How to Add Barcode on PDF Report in Odoo 17
 
Karra SKD Conference Presentation Revised.pptx
Karra SKD Conference Presentation Revised.pptxKarra SKD Conference Presentation Revised.pptx
Karra SKD Conference Presentation Revised.pptx
 

Mba ebooks ! Edhole

  • 1.  2000 Prentice Hall, Inc. All rights reserved. By Edhole Mba ebooks Free ebooks download http://ebooks.edhole.com
  • 2.  2000 Prentice Hall, Inc. All rights reserved. Chapter 22 - C++ Templates Outline 22.1 Introduction 22.2 Class Templates 22.3 Class Templates and Non-type Parameters 22.4 Templates and Inheritance 22.5 Templates and friends 22.6 Templates and static Members http://ebooks.edhole.com
  • 3.  2000 Prentice Hall, Inc. All rights reserved. 22.1 Introduction • Templates – Easily create a large range of related functions or classes – Function template - the blueprint of the related functions – Template function - a specific function made from a function template http://ebooks.edhole.com
  • 4.  2000 Prentice Hall, Inc. All rights reserved. 22.2 Class Templates • Class templates – Allow type-specific versions of generic classes • Format: template <class T> class ClassName{ definition } – Need not use "T", any identifier will work – To create an object of the class, type ClassName< type > myObject; Example: Stack< double > doubleStack; http://ebooks.edhole.com
  • 5.  2000 Prentice Hall, Inc. All rights reserved. 22.2 Class Templates (II) • Template class functions – Declared normally, but preceded by template<class T> • Generic data in class listed as type T – Binary scope resolution operator used – Template class function definition: template<class T> MyClass< T >::MyClass(int size) { myArray = new T[size]; } • Constructor definition - creates an array of type T http://ebooks.edhole.com
  • 6.  2000 Prentice Hall, Inc. All rights reserved. Outline 1. Class template definition 1.1 Function definitions 1.2 Stack constructor 1 // Fig. 22.3: tstack1.h 2 // Class template Stack 3 #ifndef TSTACK1_H 4 #define TSTACK1_H 5 6 template< class T > 7 class Stack { 8 public: 9 Stack( int = 10 ); // default constructor (stack size 10) 10 ~Stack() { delete [] stackPtr; } // destructor 11 bool push( const T& ); // push an element onto the stack 12 bool pop( T& ); // pop an element off the stack 13 private: 14 int size; // # of elements in the stack 15 int top; // location of the top element 16 T *stackPtr; // pointer to the stack 17 18 bool isEmpty() const { return top == -1; } // utility 19 bool isFull() const { return top == size - 1; } // functions 20 }; 21 22 // Constructor with default size 10 23 template< class T > 24 Stack< T >::Stack( int s ) 25 { 26 size = s > 0 ? s : 10; 27 top = -1; // Stack is initially empty 28 stackPtr = new T[ size ]; // allocate space for elements 29 } http://ebooks.edhole.com
  • 7.  2000 Prentice Hall, Inc. All rights reserved. Outline 1.3 push 1.4 pop 30 31 // Push an element onto the stack 32 // return 1 if successful, 0 otherwise 33 template< class T > 34 bool Stack< T >::push( const T &pushValue ) 35 { 36 if ( !isFull() ) { 37 stackPtr[ ++top ] = pushValue; // place item in Stack 38 return true; // push successful 39 } 40 return false; // push unsuccessful 41 } 42 43 // Pop an element off the stack 44 template< class T > 45 bool Stack< T >::pop( T &popValue ) 46 { 47 if ( !isEmpty() ) { 48 popValue = stackPtr[ top-- ]; // remove item from Stack 49 return true; // pop successful 50 } 51 return false; // pop unsuccessful 52 } 53 54 #endif http://ebooks.edhole.com
  • 8.  2000 Prentice Hall, Inc. All rights reserved. Outline 1. Load header 1.1 Initialize doubleStack 1.2 Initialize variables 2. Function calls 55 // Fig. 22.3: fig22_03.cpp 56 // Test driver for Stack template 57 #include <iostream> 58 59 using std::cout; 60 using std::cin; 61 using std::endl; 62 63 #include "tstack1.h" 64 65 int main() 66 { 67 Stack< double > doubleStack( 5 ); 68 double f = 1.1; 69 cout << "Pushing elements onto doubleStackn"; 70 71 while ( doubleStack.push( f ) ) { // success true returned 72 cout << f << ' '; 73 f += 1.1; 74 } 75 76 cout << "nStack is full. Cannot push " << f 77 << "nnPopping elements from doubleStackn"; 78 79 while ( doubleStack.pop( f ) ) // success true returned http://ebooks.edhole.com
  • 9.  2000 Prentice Hall, Inc. All rights reserved. Outline 2. Function calls 3. Output 80 cout << f << ' '; 81 82 cout << "nStack is empty. Cannot popn"; 83 84 Stack< int > intStack; 85 int i = 1; 86 cout << "nPushing elements onto intStackn"; 87 88 while ( intStack.push( i ) ) { // success true returned 89 cout << i << ' '; 90 ++i; 91 } 92 93 cout << "nStack is full. Cannot push " << i 94 << "nnPopping elements from intStackn"; 95 96 while ( intStack.pop( i ) ) // success true returned 97 cout << i << ' '; 98 99 cout << "nStack is empty. Cannot popn"; 100 return 0; 101} http://ebooks.edhole.com
  • 10.  2000 Prentice Hall, Inc. All rights reserved. Outline Program Output Pushing elements onto doubleStack 1.1 2.2 3.3 4.4 5.5 Stack is full. Cannot push 6.6 Popping elements from doubleStack 5.5 4.4 3.3 2.2 1.1 Stack is empty. Cannot pop Pushing elements onto intStack 1 2 3 4 5 6 7 8 9 10 Stack is full. Cannot push 11 Popping elements from intStack 10 9 8 7 6 5 4 3 2 1 Stack is empty. Cannot pop http://ebooks.edhole.com
  • 11.  2000 Prentice Hall, Inc. All rights reserved. 22.3 Class Templates and Non-type Parameters • Can use non-type parameters in templates – Default argument – Treated as const • Example: template< class T, int elements > Stack< double, 100 > mostRecentSalesFigures; • Declares object of type Stack< double, 100> – This may appear in the class definition: T stackHolder[ elements ]; //array to hold stack • Creates array at compile time, rather than dynamic allocation at execution time http://ebooks.edhole.com
  • 12.  2000 Prentice Hall, Inc. All rights reserved. 22.3 Class Templates and Non-type Parameters (II) • Classes can be overridden – For template class Array, define a class named Array<myCreatedType> – This new class overrides then class template for myCreatedType – The template remains for unoverriden types http://ebooks.edhole.com
  • 13.  2000 Prentice Hall, Inc. All rights reserved. 22.4 Templates and Inheritance • A class template can be derived from a template class • A class template can be derived from a non- template class • A template class can be derived from a class template • A non-template class can be derived from a class template http://ebooks.edhole.com
  • 14.  2000 Prentice Hall, Inc. All rights reserved. 22.5 Templates and friends • Friendships allowed between a class template and – Global function – Member function of another class – Entire class • friend functions – Inside definition of class template X: – friend void f1(); • f1() a friend of all template classes – friend void f2( X< T > & ); • f2( X< int > & ) is a friend of X< int > only. The same applies for float, double, etc. – friend void A::f3(); • Member function f3 of class A is a friend of all template classes http://ebooks.edhole.com
  • 15.  2000 Prentice Hall, Inc. All rights reserved. 22.5 Templates and friends (II) – friend void C< T >::f4( X< T > & ); • C<float>::f4( X< float> & ) is a friend of class X<float> only • friend classes – friend class Y; • Every member function of Y a friend with every template class made from X – friend class Z<T>; • Class Z<float> a friend of class X<float>, etc. http://ebooks.edhole.com
  • 16.  2000 Prentice Hall, Inc. All rights reserved. 22.6 Templates and static Members • Non-template class – static data members shared between all objects • Template classes – Each class (int, float, etc.) has its own copy of static data members – static variables initialized at file scope – Each template class gets its own copy of static member functions http://ebooks.edhole.com
  • 17.  2000 Prentice Hall, Inc. All rights reserved. By Edhole Mba ebooks Free ebooks download http://ebooks.edhole.com