Implementation of
Quick Sort
Experiment No. 2
Aim: Implementation of Quick sort using divide and conquer approach.
Required Software/ Software Tool
- Windows Operating System
-C/C++
Theory:
Quick sort is a highly efficient sorting algorithm and is based on partitioning an array of data
into smaller arrays. A large array is partitioned into two arrays one of which holds values
smaller than the specified value, say pivot, based on which the partition is made and another
array holds values greater than the pivot value. Quick sort partitions an array and then calls
itself recursively twice to sort the two resulting sub arrays. This algorithm is quite efficient for
large-sized data sets as its average and worst case complexity are of Ο(n2), where n is the
number of items.
Partition in Quick Sort
Following animated representation explains how to find the pivot value in an array.
The pivot value divides the list into two parts. And recursively, we find the pivot for each
sub- list until all lists contains only one element.
Algorithm:
Based on our understanding of partitioning in quick sort, we will now try to write an
algorithm for it, which is as follows.
Step 1 − Choose the highest index value has pivot
Step 2 − Take two variables to point left and right of the list
excluding pivot
Step 3 − left points to the low index
Step 4 − right points to the high
Step 5 − while value at left is less than pivot move right
Step 6 − while value at right is greater than pivot move left
Step 7 − if both step 5 and step 6 does not match swap left and right
Step 8 − if left ≥ right, the point where they met is new pivot
Implementing the Solution Writing Source Code:
#include<stdio.h>
void quicksort(int[],int,int);
int main()
{
int list[50];
int size ,i;
printf("How many elements you want to sort::");
scanf("%d",&size);
printf("\n Enter the elements below to be sorted:: \n");
for(i=0; i<size;i++)
{
printf("\n Enter [%d] element :: \n", i+1);
scanf("%d",&list[i]);
}
quicksort(list,0,size-1);
printf("\n After implementing quick sort , sorted list is :: \n");
for(i=0;i<size;i++)
{
printf("%d \n ",list[i]);
}
printf("\n");
return 0;
}
void quicksort(int list[],int low,int high)
{
int pivot,i,j,temp;
if(low<high)
{
pivot=low;
i=low;
j=high;
while(i<j)
{
while(list[i]<=list[pivot] && i<=high)
{
i++;
}
while(list[j]>=list[pivot] && j>=low)
{
j--;
}
if(i<j)
{
temp=list[i];
list[i]=list[j];
list[j]=temp;
}
}
temp=list[j];
list[j]=list[pivot];
list[pivot]=temp;
quicksort(list,low,j-1);
quicksort(list,j+1,high);
}
}
Input and Output:
Conclusion: