C# - Sort an Array Using Radix Sort

Here, we are going to learn how to sort an integer array using Radix Sort in C#? By Nidhi Last updated : March 28, 2023

Here, we will sort an integer array using Radix Sort.

C# program to sort an integer array using Radix Sort

The source code to sort an integer array using radix sort is given below. The given program is compiled and executed successfully on Microsoft Visual Studio.

// C# - Sort an Array Using Radix Sort.

using System;

class Sort {
  static int MaxItem(int[] arr) {
    int max = 0;
    int loop = 0;

    max = arr[0];
    for (loop = 1; loop < arr.Length; loop++) {
      if (arr[loop] > max)
        max = arr[loop];
    }
    return max;
  }

  static void CountSort(int[] arr, int exp) {
    int loop = 0;
    int length = arr.Length;

    int[] output = new int[length];
    int[] count = new int[10];

    for (loop = 0; loop < length; loop++)
      count[(arr[loop] / exp) % 10]++;

    for (loop = 1; loop < 10; loop++)
      count[loop] += count[loop - 1];

    for (loop = length - 1; loop >= 0; loop--) {
      output[count[(arr[loop] / exp) % 10] - 1] = arr[loop];
      count[(arr[loop] / exp) % 10]--;
    }

    for (loop = 0; loop < length; loop++)
      arr[loop] = output[loop];
  }

  static void RadixSort(int[] arr) {
    int exp = 1;
    int max = MaxItem(arr);
    int cond = 0;

    while (true) {
      cond = max / exp;

      if (cond <= 0)
        break;
      CountSort(arr, exp);

      exp = exp * 10;
    }
  }

  static void Main(string[] args) {
    int[] arr = {22, 33, 11, 44, 55, 66, 77, 88};
    int loop = 0;

    RadixSort(arr);

    Console.WriteLine("Sorted Array: ");
    for (loop = 0; loop < arr.Length; loop++)
      Console.Write(arr[loop] + " ");

    Console.WriteLine();
  }
}

Output

Sorted Array:
11 22 33 44 55 66 77 88
Press any key to continue . . .

Explanation

In the above program, we created a class Sort that contains three static methods MaxItem(), CountSort(), RadixSort(), and Main().

The MaxItem() method is used to find the largest item from the array. The CountSort() and RadixSort() are used to implement radix sort algorithm to sort integer array.

The Sort class also contains the Main() method, The Main() method is the entry point for the program. Here, we created an integer array and then called RadixSort() method that will sort the array in the ascending order and printed the sorted array on the console screen.

C# Data Structure Programs »


Comments and Discussions!

Load comments ↻






Copyright © 2024 www.includehelp.com. All rights reserved.