Open In App

Sorting Strings using Bubble Sort

Last Updated : 14 Mar, 2023
Summarize
Comments
Improve
Suggest changes
Share
12 Likes
Like
Report

Given an array of strings arr[]. Sort given strings using Bubble Sort and display the sorted array.

In Bubble Sort, the two successive strings arr[i] and arr[i+1] are exchanged whenever arr[i]> arr[i+1]. The larger values sink to the bottom and are hence called sinking sort. At the end of each pass, smaller values gradually “bubble” their way upward to the top and hence called bubble sort.

 After all the passes, we get all the strings in sorted order.

Let us look at the code snippet

C++
// C++ implementation

#include <bits/stdc++.h>
using namespace std;
#define MAX 100

void sortStrings(char arr[][MAX], int n)
{
    char temp[MAX];

    // Sorting strings using bubble sort
    for (int i = 0; i < n - 1; i++) {
        for (int j = 0; j < n - 1 - i; j++) {
            if (strcmp(arr[j], arr[j + 1]) > 0) {
                strcpy(temp, arr[j]);
                strcpy(arr[j], arr[j + 1]);
                strcpy(arr[j + 1], temp);
            }
        }
    }
}

int main()
{
    char arr[][MAX] = { "GeeksforGeeks", "Quiz", "Practice",
                        "Gblogs", "Coding" };
    int n = sizeof(arr) / sizeof(arr[0]);

    sortStrings(arr, n);

    printf("Strings in sorted order are : ");
    for (int i = 0; i < n; i++)
        printf("\n String %d is %s", i + 1, arr[i]);
    return 0;
}
Java C# Python3 JavaScript

Output
Strings in sorted order are : 
 String 1 is Coding
 String 2 is Gblogs
 String 3 is GeeksforGeeks
 String 4 is Practice
 String 5 is Quiz

Time Complexity: O(n2
Auxiliary Space: O(MAX) or O(100) 


 


Next Article
Article Tags :
Practice Tags :

Similar Reads