C# - Sort an Array in Ascending Order Using Bubble Sort

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

Here, we will sort an integer array using bubble sort in the ascending order.

C# program to sort an array in ascending order using bubble sort

The source code to implement bubble sort to arrange elements in the ascending order is given below. The given program is compiled and executed successfully on Microsoft Visual Studio.

// C# program to sort an array in ascending order 
// using bubble sort.

using System;

class Sort {
  static void BubbleSort(ref int[] intArr) {
    int temp = 0;

    int pass = 0;
    int loop = 0;

    for (pass = 0; pass <= intArr.Length - 2; pass++) {
      for (loop = 0; loop <= intArr.Length - 2; loop++) {
        if (intArr[loop] > intArr[loop + 1]) {
          temp = intArr[loop + 1];
          intArr[loop + 1] = intArr[loop];
          intArr[loop] = temp;
        }
      }
    }
  }
  
  static void Main(string[] args) {
    int[] intArry = new int[5] {65, 34, 23, 76, 21};

    Console.WriteLine("Array before sorting: ");
    for (int i = 0; i < intArry.Length; i++) {
      Console.Write(intArry[i] + " ");
    }
    Console.WriteLine();

    BubbleSort(ref intArry);

    Console.WriteLine("Array before sorting: ");
    for (int i = 0; i < intArry.Length; i++) {
      Console.Write(intArry[i] + " ");
    }
    Console.WriteLine();
  }
}

Output

Array before sorting:
65 34 23 76 21
Array before sorting:
21 23 34 65 76
Press any key to continue . . .

Explanation

In the above program, we created a class Sort that contains two static methods BubbleSort() and Main(). The BubbleSort() method is used to sort the elements of integer array in the ascending order.

Here, we used the "if" condition to check the current value is greater than the next value in the array. If the current value is greater than to the next value then we swapped the value using a temporary variable.

Now look to the Main() method, The Main() method is the entry point for the program. Here, we created the array of integers then sorted the array in ascending order using the BubbleSort() method and print the sorted array on the console screen.

C# Data Structure Programs »

Comments and Discussions!

Load comments ↻





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