Sort Method

The built-in `sort()` method for arrays in computer programming provides a convenient and efficient way to sort array elements in ascending or descending order based on their values. By default, the `sort()` method sorts elements as strings, which may not always produce the desired result for numeric or custom data types. However, developers can provide a custom comparison function to tailor the sorting behavior according to specific requirements. The `sort()` method is versatile, allowing developers to easily sort arrays of various data types, including strings, numbers, and objects, thereby facilitating data processing and manipulation tasks. This method helps developers streamline code and improve readability by providing a concise and standardized approach to sorting arrays, reducing the need for manual implementation of sorting algorithms and enhancing overall code efficiency and maintainability in computer programming.

Select Languages

Examples

C

// No Native Support or Implementation

C#

using System.Collections.Generic;

List<int> ages = new List<int>();

ages.Add(5);
ages.Add(3);
ages.Add(1);
ages.Add(6);
ages.Add(7);
ages.Add(4);
ages.Add(19);
ages.Sort();

for (int i = 0; i < ages.Count; i++) {
  Console.WriteLine(ages[i] + "\n");
}

C++

#include <iostream>
#include <vector>
#include <bits/stdc++.h>

using namespace std;

vector<int> ages = {5, 3, 1, 6, 7, 4, 19};

sort (ages.begin(), ages.end());
for (int i = 0; i < ages.size(); i++) {
  cout << ages[i] << endl;
}

Go

import (
  "sort"
  "fmt"
)

ages := []int{5, 3, 1, 6, 7, 4, 19}
sort.Ints(ages)

fmt.Println(ages)

Java

import java.util.ArrayList;
import java.util.Collections;

ArrayList<Integer> ages = new ArrayList<>();

ages.add(5);
ages.add(3);
ages.add(1);
ages.add(6);
ages.add(7);
ages.add(4);
ages.add(19);

Collections.sort(ages);

for (int i : ages) {
  System.out.println(i);
}

JavaScript

const ages = [5, 3, 1, 6, 7, 4, 19];
ages.sort();
console.log(ages);

Kotlin

var ages =
  mutableListOf<Int>(5, 3, 1, 6, 7, 4, 19);
  
ages.sort();
println(ages);

MatLab

ages = [5, 3, 1, 6, 7, 4, 19];
result = sort(ages);

disp(result);

PHP

$ages = array(5, 3, 1, 6, 7, 4, 19);
sort($ages);

for ($i = 0; $i < count($ages); $i++) {
  echo "{$ages[$i]}\n";
}

Python

ages = [5, 3, 1, 6, 7, 4, 19]
ages.sort()
print(ages)

R

ages <- c(5, 3, 1, 6, 7, 4, 19) 
 
result <- sort(ages) 
print(result)

Ruby

ages = [5, 3, 1, 6, 7, 4, 19]
ages.sort

puts ages

Rust

let mut ages = [5, 3, 1, 6, 7, 4, 19];
ages.sort();

for age in ages {
  println!("{}", age);
}

Scala

var ages = Array(5, 3, 1, 6, 7, 4, 19);
ages.sorted;

for (age <- ages) {
  println(age);
}

Swift

var ages = [5, 3, 1, 6, 7, 4, 19]
ages.sort()

print(ages)

TypeScript

const ages:number[] =
  [5, 3, 1, 6, 7, 4, 19];

ages.sort();
console.log(ages);

Copyright 2025. All Rights Reserved. IronCodeMan.