Skip to content

Commit 4bdbe34

Browse files
authored
Merge pull request #102 from Rj-coder-iitian/Rj-coder-iitian
added bitonic sort.
2 parents b249b45 + 498ae75 commit 4bdbe34

File tree

1 file changed

+72
-0
lines changed

1 file changed

+72
-0
lines changed

Sorting/BitonicSort.cpp

+72
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,72 @@
1+
/* C++ Program for Bitonic Sort. Note that this program
2+
works only when size of input is a power of 2. */
3+
#include<bits/stdc++.h>
4+
using namespace std;
5+
6+
/*The parameter dir indicates the sorting direction, ASCENDING
7+
or DESCENDING; if (a[i] > a[j]) agrees with the direction,
8+
then a[i] and a[j] are interchanged.*/
9+
void compAndSwap(int a[], int i, int j, int dir)
10+
{
11+
if (dir==(a[i]>a[j]))
12+
swap(a[i],a[j]);
13+
}
14+
15+
/*It recursively sorts a bitonic sequence in ascending order,
16+
if dir = 1, and in descending order otherwise (means dir=0).
17+
The sequence to be sorted starts at index position low,
18+
the parameter cnt is the number of elements to be sorted.*/
19+
void bitonicMerge(int a[], int low, int cnt, int dir)
20+
{
21+
if (cnt>1)
22+
{
23+
int k = cnt/2;
24+
for (int i=low; i<low+k; i++)
25+
compAndSwap(a, i, i+k, dir);
26+
bitonicMerge(a, low, k, dir);
27+
bitonicMerge(a, low+k, k, dir);
28+
}
29+
}
30+
31+
/* This function first produces a bitonic sequence by recursively
32+
sorting its two halves in opposite sorting orders, and then
33+
calls bitonicMerge to make them in the same order */
34+
void bitonicSort(int a[],int low, int cnt, int dir)
35+
{
36+
if (cnt>1)
37+
{
38+
int k = cnt/2;
39+
40+
// sort in ascending order since dir here is 1
41+
bitonicSort(a, low, k, 1);
42+
43+
// sort in descending order since dir here is 0
44+
bitonicSort(a, low+k, k, 0);
45+
46+
// Will merge wole sequence in ascending order
47+
// since dir=1.
48+
bitonicMerge(a,low, cnt, dir);
49+
}
50+
}
51+
52+
/* Caller of bitonicSort for sorting the entire array of
53+
length N in ASCENDING order */
54+
void sort(int a[], int N, int up)
55+
{
56+
bitonicSort(a,0, N, up);
57+
}
58+
59+
// Driver code
60+
int main()
61+
{
62+
int a[]= {3, 7, 4, 8, 6, 2, 1, 5};
63+
int N = sizeof(a)/sizeof(a[0]);
64+
65+
int up = 1; // means sort in ascending order
66+
sort(a, N, up);
67+
68+
printf("Sorted array: \n");
69+
for (int i=0; i<N; i++)
70+
printf("%d ", a[i]);
71+
return 0;
72+
}

0 commit comments

Comments
 (0)