-
Notifications
You must be signed in to change notification settings - Fork 254
/
Copy path17 Insertion and Deletion.cpp
90 lines (75 loc) · 1.64 KB
/
17 Insertion and Deletion.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
#include<iostream>
// Here namespace is having obj like cin and cout ;
using namespace std;
class Array // Creating class
// Class in c++ will have Datamember and member function
{
private:
int *A; // Creating in heap so that i can dynamically create an array
int size;
int length;
public: // Member function must be inside public
// Write an constructor
Array () // This is non parameter constructor
{
size=10;
A = new int[10]; // dynamically created array in heap
length=0;
}
// parametetrzied Constructor
Array (int sz)
{
size=sz;
length=0;
A=new int [size];
}
// We must have destructors to release resourses
~Array() // Creating Destructor
{
delete []A;
}
// Writting Function
void Display (); // There sud not be parameter cz this is part of Array function
void Insert (int index, int x);
int Delete (int index);
};
void Array :: Display ()
{
for (int i=0; i<length;i++)
cout<<A[i]<<" ";
cout<<endl;
}
// Now to access element from array class we will use Scope Resolution (::) followed by Class name
void Array :: Insert (int index , int x)
{
if (index >=0 && index <=length )
{
for (int i=length-1;i>index;i--)
A[i+1]=A[i];
A[index]=x;
length++;
}
}
int Array :: Delete (int index)
{
int x=0;
if (index>=0 && index <length)
{
x=A[index];
for ( int i=index ; i<length-1; i++)
A[i]==A[i+1];
length --;
}
return x;
}
int main ()
{
Array arr(10);
arr.Insert(0,5);
arr.Insert(1,25);
arr.Insert(2,56);
arr.Insert(3,99);
cout<<arr.Delete(0)<<endl;
arr.Display();
return 0;
}