-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathclassStack.cpp
109 lines (89 loc) · 1.61 KB
/
classStack.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
/* stack data structure
LIFo - last in First out */
#include<iostream>
using namespace std;
class Stack{
// Data of the ADT (Abstract Data Type)
int top;
int capacity;
int *arr;
// Methods of the ADT
public:
Stack(int size){
capacity = size;
top=-1;
arr = new int[sizeof(int)*capacity];
}
void push(int t);
void pop();
int isEmpty();
int isFull();
int topElem();
void deleteStack();
int size();
void print();
int getCapacity();
};
int Stack::getCapacity(){
return capacity;
}
void Stack::print(){
for(int i=0;i<=top;i++){
cout<<arr[i]<<" ";
}
cout<<endl;
}
int Stack::size(){
return top+1;
}
void Stack::deleteStack(){
if(arr){
delete[] arr;
}
}
int Stack::topElem(){
if(!isEmpty()){
return arr[top];
}
}
int Stack::isFull(){
if(top==capacity-1)
return 1;
return 0;
}
int Stack::isEmpty(){
if(top==-1)
return 1;
return 0;
}
void Stack::pop(){
if(!isEmpty()){
top--;
}
else
cout<<"Empty Stack "<<endl;
}
void Stack::push(int t){
if(!isFull()){
top++;
arr[top]=t;
}
else
cout<<"Stack is Full"<<endl;
}
int main(){
int size;cin>>size;
Stack t(size);
t.push(34);
t.push(2);
t.push(3);
cout<<"Elements in the stack ";
t.print();
cout<<"\nTop Element "<<t.topElem()<<endl;
cout<<"\nsize of the stack : "<<t.size()<<endl;
cout<<"\nCapacity of the stack : "<<t.getCapacity()<<endl;
t.pop();
t.pop();
cout<<"\n\nAfter 2 pop() operations,stack is ";
t.print();
}