Bubble Sort Algorithm
The Bubble Sort Algorithm is a simple and widely known sorting algorithm used to sort elements in an array, list, or any other data structure. The algorithm works by repeatedly iterating through the list and comparing each adjacent pair of elements. If the elements are out of order, they are swapped, and the process continues until the entire list is sorted. Bubble Sort gets its name from the way smaller elements "bubble" to the top of the list (i.e., the beginning of the array) as larger elements "sink" to the bottom (i.e., the end of the array) during the sorting process. This algorithm has a straightforward implementation and is easy to understand, making it an excellent choice for teaching sorting concepts to beginners.
However, Bubble Sort Algorithm has its limitations, as it is not the most efficient sorting algorithm for large datasets. It has a worst-case and average-case time complexity of O(n^2), where n is the number of items being sorted. This means that the algorithm's performance degrades substantially as the size of the input increases. In practical applications, other sorting algorithms such as Quick Sort, Merge Sort, or Heap Sort are often preferred due to their better performance characteristics. Despite its limitations, Bubble Sort Algorithm remains a fundamental sorting technique and serves as a great introduction to the world of algorithms and computer science. 
                      
                      
                      
                        
                      
                      
                    
                   
                  package sort
/**
 * This method implements the Generic Bubble Sort
 *
 * @param array The array to be sorted
 * Sorts the array in increasing order
 *
 * Worst-case performance	O(n^2)
 * Best-case performance	O(n)
 * Average performance	O(n^2)
 * Worst-case space complexity	O(1)
 **/
fun <T: Comparable<T>> bubbleSort(array: Array<T>) {
    val length = array.size - 1
    for (i in 0..length) {
        var isSwapped = false
        for (j in 1..length) {
            if (array[j] < array[j - 1]) {
                isSwapped = true
                swapElements(array, j, j - 1)
            }
        }
        if (!isSwapped) break
    }
}
/**
 * This method swaps the element at two indexes
 *
 * @param array The array containing the elements
 * @param idx1 Index of first element
 * @param idx2 Index of second element
 * Swaps the element at two indexes
 **/
fun <T: Comparable<T>> swapElements(array: Array<T>, idx1: Int, idx2: Int) {
    array[idx1] = array[idx2].also {
        array[idx2] = array[idx1]
    }
}