-
Notifications
You must be signed in to change notification settings - Fork 495
/
Copy pathMergeSort.cpp
95 lines (81 loc) Β· 2.3 KB
/
MergeSort.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
#include<iostream>
using namespace std;
// https://www.geeksforgeeks.org/merge-sort/
// function to merge two sorted arrays
void merge(int arr[],int l,int mid,int r){
// size of the first temp array
int n1=mid-l+1;
// size of the second temp array
int n2=r-mid;
// making temp array because we will be comparing elements and also putting them on right place
int a[n1];
int b[n2];
//entering values from l to mid
for(int i=0;i<n1;i++){
a[i]=arr[l+i];
}
// entering values from mid+1 to r
for(int i=0;i<n2;i++){
b[i]=arr[mid+1+i];
}
int i=0; //for traversing temp a array
int j=0; //for traversing temp b array
int k=l; // for traversing main(arr) array whose staring index from l
// in this while loop smaller value is getting compared and filled in array
while(i<n1 && j<n2){
if(a[i]<b[j]){
arr[k]=a[i];
k++;
i++;
}
else{
arr[k]=b[j];
k++;
j++;
}
}
//if j has reached to end but i has not, so ensuring elements after that ith position shoul also added in array
while(i<n1){
arr[k]=a[i];
k++;
i++;
}
//if i has reached to end but j has not, so ensuring elements after that jth position shoul also added in array
while(j<n2){
arr[k]=b[j];
k++;
j++;
}
}
void mergesort(int arr[],int l,int r){
// l and r defines from where to where we wants to sort.
if(l>=r){
return;
}
// finding mid
int mid=(l+r)/2;
// sending array to sort from l to mid
mergesort(arr,l,mid);
// sending array to sort from mid+1 to r
mergesort(arr,mid+1,r);
// after the sorted arrays came, merging the two sorted array ,hence division is done first and then succesfully conqure to sort array
merge(arr,l,mid,r);
}
int main(){
int n;
cout<<"Enter size of array: "<<endl;
cin>>n;
cout<<"Enter elements of array: "<<endl;
int arr[n];
for(int i=0;i<n;i++){
cin>>arr[i];
}
// l and r defines from where to where we wants to sort.
int l,r;
cout<<"Enter from which index to which index you wants to sort: "<<endl;
cin>>l>>r;
mergesort(arr,l,r);
for(int i=0;i<n;i++){
cout<<arr[i]<<" ";
}
}