Selection sort in C

Selection sort in C

0
36

Selection sort in C C++

Swapping with the smallest element in the array.

Important points

  • Start from the first element and iterate the array to find smallest element and swap first and that element. Continue with second element, find the smallest available and swap it with second element. Continue till last element of the array
  • After each iteration/pass , smallest element is moved to the front.
  • K smallest elements can be obtained after k passes.
  • Why name? As we select the smallest element and swap.
  • Time complexity – O(n^2)
  • Swaps in each iteration is 1. Algorithm with minimum number of swaps.
  • Not adaptive
  • Not stable

Program for selection sort in C language

#include<stdio.h>
#include<stdlib.h>

void swap(int *p, int *q)
{
    int temp;
    temp = *p;
    *p = *q;
    *q = temp;
}

void SelectionSort(int A[],int n)
{
    int i,j,k;
    for(i=0;i<n;i++){
        for(j=k=i;j<n;j++)
        {
            if(A[k]>A[j])
                k=j;
        }
        swap(&A[i],&A[k]);
    }
}


int main()
{
    int A[10] = {1,5,2,1,6,3,6,2,5,10};
    int i;
    SelectionSort(A,10);
    for(i=0;i<10;i++)
    {
        printf("%d ",A[i]);
    }
    return 0;
}

Other sorting algorithms

Count sort in C/C++

Merge sort in C/C++

Quick Sort in C/C++

Selection sort in C/C++

Insertion Sort in C/C++

Bubble Sort in C/C++

Criteria for sorting analysis

SHARE
Previous articleInsertion Sort in C
Next articleQuick Sort in C
Hey! I am one of the 100,000 engineering students in India, with a step forward to support and provide resources to 99,999 other students.

LEAVE A REPLY