Sort an integer array: Difference between revisions

m
m (Undo revision 138329 by Paddy3118; problem was likely due to {{header}}/<lang> in wrong place)
m (→‎{{header|Wren}}: Minor tidy)
(174 intermediate revisions by 92 users not shown)
Line 1:
{{task|Sorting}}
{{task|Sorting}}Sort an array (or list) of integers in ascending numerical order. Use a sorting facility provided by the language/library if possible.
{{Sorting Algorithm}}
 
;Task:
Sort an array (or list) of integers in ascending numerical order.
 
 
Use a sorting facility provided by the language/library if possible.
<br><br>
 
=={{header|11l}}==
{{trans|Python}}
 
<syntaxhighlight lang="11l">nums = [2,4,3,1,2]
nums.sort()</syntaxhighlight>
You could also use the built-in sorted() function:
<syntaxhighlight lang="11l">nums = sorted([2,4,3,1,2])</syntaxhighlight>
 
=={{header|4D}}==
===English===
 
<langsyntaxhighlight lang="4d">ARRAY INTEGER($nums;0)
APPEND TO ARRAY($nums;2)
APPEND TO ARRAY($nums;4)
Line 11 ⟶ 27:
APPEND TO ARRAY($nums;2)
SORT ARRAY($nums) ` sort in ascending order
SORT ARRAY($nums;<) ` sort in descending order</langsyntaxhighlight>
 
===Français===
 
<langsyntaxhighlight lang="4d">TABLEAU ENTIER($nombres;0)
AJOUTER A TABLEAU($nombres;2)
AJOUTER A TABLEAU($nombres;4)
Line 22 ⟶ 38:
AJOUTER A TABLEAU($nombres;2)
TRIER TABLEAU($nombres) ` pour effectuer un tri par ordre croissant
TRIER TABLEAU($nombres;<) ` pour effectuer un tri par ordre décroissant</langsyntaxhighlight>
 
=={{header|8th}}==
<syntaxhighlight lang="forth">
[ 10,2,100 ] ' n:cmp a:sort . cr
</syntaxhighlight>
Output is: [2,10,100]
=={{header|AArch64 Assembly}}==
{{works with|as|Raspberry Pi 3B version Buster 64 bits}}
<syntaxhighlight lang="aarch64 assembly">
/* ARM assembly AARCH64 Raspberry PI 3B */
/* program integerSort64.s with selection sort */
/*******************************************/
/* Constantes file */
/*******************************************/
/* for this file see task include a file in language AArch64 assembly */
.include "../includeConstantesARM64.inc"
 
/*********************************/
/* Initialized data */
/*********************************/
.data
szMessSortOk: .asciz "Table sorted.\n"
szMessSortNok: .asciz "Table not sorted !!!!!.\n"
sMessResult: .asciz "Value : @ \n"
szCarriageReturn: .asciz "\n"
.align 4
#TableNumber: .quad 1,3,6,2,5,9,10,8,4,7
TableNumber: .quad 10,9,8,7,6,5,4,3,2,1
.equ NBELEMENTS, (. - TableNumber) / 8
/*********************************/
/* UnInitialized data */
/*********************************/
.bss
sZoneConv: .skip 24
/*********************************/
/* code section */
/*********************************/
.text
.global main
main: // entry of program
ldr x0,qAdrTableNumber // address number table
mov x1,0
mov x2,NBELEMENTS // number of élements
bl selectionSort
ldr x0,qAdrTableNumber // address number table
bl displayTable
ldr x0,qAdrTableNumber // address number table
mov x1,NBELEMENTS // number of élements
bl isSorted // control sort
cmp x0,1 // sorted ?
beq 1f
ldr x0,qAdrszMessSortNok // no !! error sort
bl affichageMess
b 100f
1: // yes
ldr x0,qAdrszMessSortOk
bl affichageMess
100: // standard end of the program
mov x0,0 // return code
mov x8,EXIT // request to exit program
svc 0 // perform the system call
qAdrsZoneConv: .quad sZoneConv
qAdrszCarriageReturn: .quad szCarriageReturn
qAdrsMessResult: .quad sMessResult
qAdrTableNumber: .quad TableNumber
qAdrszMessSortOk: .quad szMessSortOk
qAdrszMessSortNok: .quad szMessSortNok
/******************************************************************/
/* control sorted table */
/******************************************************************/
/* x0 contains the address of table */
/* x1 contains the number of elements > 0 */
/* x0 return 0 if not sorted 1 if sorted */
isSorted:
stp x2,lr,[sp,-16]! // save registers
stp x3,x4,[sp,-16]! // save registers
mov x2,0
ldr x4,[x0,x2,lsl 3]
1:
add x2,x2,1
cmp x2,x1
bge 99f
ldr x3,[x0,x2, lsl 3]
cmp x3,x4
blt 98f
mov x4,x3
b 1b
98:
mov x0,0 // not sorted
b 100f
99:
mov x0,1 // sorted
100:
ldp x3,x4,[sp],16 // restaur 2 registers
ldp x2,lr,[sp],16 // restaur 2 registers
ret // return to address lr x30
/******************************************************************/
/* selection sort */
/******************************************************************/
/* x0 contains the address of table */
/* x1 contains the first element */
/* x2 contains the number of element */
selectionSort:
stp x1,lr,[sp,-16]! // save registers
stp x2,x3,[sp,-16]! // save registers
stp x4,x5,[sp,-16]! // save registers
stp x6,x7,[sp,-16]! // save registers
mov x3,x1 // start index i
sub x7,x2,1 // compute n - 1
1: // start loop
mov x4,x3
add x5,x3,1 // init index 2
2:
ldr x1,[x0,x4,lsl 3] // load value A[mini]
ldr x6,[x0,x5,lsl 3] // load value A[j]
cmp x6,x1 // compare value
csel x4,x5,x4,lt // j -> mini
add x5,x5,1 // increment index j
cmp x5,x2 // end ?
blt 2b // no -> loop
cmp x4,x3 // mini <> j ?
beq 3f // no
ldr x1,[x0,x4,lsl 3] // yes swap A[i] A[mini]
ldr x6,[x0,x3,lsl 3]
str x1,[x0,x3,lsl 3]
str x6,[x0,x4,lsl 3]
3:
add x3,x3,1 // increment i
cmp x3,x7 // end ?
blt 1b // no -> loop
100:
ldp x6,x7,[sp],16 // restaur 2 registers
ldp x4,x5,[sp],16 // restaur 2 registers
ldp x2,x3,[sp],16 // restaur 2 registers
ldp x1,lr,[sp],16 // restaur 2 registers
ret // return to address lr x30
/******************************************************************/
/* Display table elements */
/******************************************************************/
/* x0 contains the address of table */
displayTable:
stp x1,lr,[sp,-16]! // save registers
stp x2,x3,[sp,-16]! // save registers
mov x2,x0 // table address
mov x3,0
1: // loop display table
ldr x0,[x2,x3,lsl 3]
ldr x1,qAdrsZoneConv
bl conversion10 // décimal conversion
ldr x0,qAdrsMessResult
ldr x1,qAdrsZoneConv
bl strInsertAtCharInc // insert result at @ character
bl affichageMess // display message
add x3,x3,1
cmp x3,NBELEMENTS - 1
ble 1b
ldr x0,qAdrszCarriageReturn
bl affichageMess
100:
ldp x2,x3,[sp],16 // restaur 2 registers
ldp x1,lr,[sp],16 // restaur 2 registers
ret // return to address lr x30
/********************************************************/
/* File Include fonctions */
/********************************************************/
/* for this file see task include a file in language AArch64 assembly */
.include "../includeARM64.inc"
 
</syntaxhighlight>
=={{header|Action!}}==
{{libheader|Action! Tool Kit}}
<syntaxhighlight lang="action!">INCLUDE "D2:SORT.ACT" ;from the Action! Tool Kit
 
PROC PrintArray(INT ARRAY a INT size)
INT i
 
Put('[)
FOR i=0 TO size-1
DO
IF i>0 THEN Put(' ) FI
PrintI(a(i))
OD
Put(']) PutE()
RETURN
 
PROC Test(INT ARRAY a INT size BYTE order)
PrintE("Array before sort:")
PrintArray(a,size)
SortI(a,size,order)
PrintE("Array after sort:")
PrintArray(a,size)
PutE()
RETURN
 
PROC Main()
DEFINE ASCENDING="0"
INT ARRAY
a(10)=[1 4 65535 0 3 7 4 8 20 65530],
b(21)=[10 9 8 7 6 5 4 3 2 1 0
65535 65534 65533 65532 65531
65530 65529 65528 65527 65526],
c(8)=[101 102 103 104 105 106 107 108],
d(12)=[1 65535 1 65535 1 65535 1
65535 1 65535 1 65535]
Put(125) PutE() ;clear screen
Test(a,10,ASCENDING)
Test(b,21,ASCENDING)
Test(c,8,ASCENDING)
Test(d,12,ASCENDING)
RETURN</syntaxhighlight>
{{out}}
[https://gitlab.com/amarok8bit/action-rosetta-code/-/raw/master/images/Sort_an_integer_array.png Screenshot from Atari 8-bit computer]
<pre>
Array before sort:
[1 4 -1 0 3 7 4 8 20 -6]
Array after sort:
[-6 -1 0 1 3 4 4 7 8 20]
 
Array before sort:
[10 9 8 7 6 5 4 3 2 1 0 -1 -2 -3 -4 -5 -6 -7 -8 -9 -10]
Array after sort:
[-10 -9 -8 -7 -6 -5 -4 -3 -2 -1 0 1 2 3 4 5 6 7 8 9 10]
 
Array before sort:
[101 102 103 104 105 106 107 108]
Array after sort:
[101 102 103 104 105 106 107 108]
 
Array before sort:
[1 -1 1 -1 1 -1 1 -1 1 -1 1 -1]
Array after sort:
[-1 -1 -1 -1 -1 -1 1 1 1 1 1 1]
</pre>
 
=={{header|ActionScript}}==
<langsyntaxhighlight ActionScriptlang="actionscript">//Comparison function must returns Numbers even though it deals with integers.
function compare(x:int, y:int):Number
{
Line 31 ⟶ 287:
}
var nums:Vector.<int> = Vector.<int>([5,12,3,612,31,523,1,234,2]);
nums.sort(compare);</langsyntaxhighlight>
 
=={{header|Ada}}==
{{works with|GNAT|GPL 2006}}
<langsyntaxhighlight lang="ada">with Gnat.Heap_Sort_G;
procedure Integer_Sort is
Line 77 ⟶ 333:
begin
Sort(Values);
end Integer_Sort;</langsyntaxhighlight>
 
=={{header|ALGOL 68}}==
Line 85 ⟶ 341:
{{works with|ALGOL 68G|Any - tested with release mk15-0.8b.fc9.i386}}
{{works with|ELLA ALGOL 68|Any (with appropriate job cards) - tested with release 1.8.8d.fc9.i386}}
<langsyntaxhighlight lang="algol68">CO PR READ "shell_sort.a68" PR CO
MODE TYPE = INT;
 
Line 108 ⟶ 364:
in place shell sort(LOC[LWB seq: UPB seq]TYPE:=seq);
 
print((shell sort((2, 4, 3, 1, 2)), new line))</langsyntaxhighlight>
Output:
<pre>
+1 +2 +2 +3 +4
</pre>
 
=={{header|ALGOL W}}==
Algol W doesn't have standard sorting facilities. This uses the Algol W quicksort sample in the Sorting Algorithms Quicksort task.
<syntaxhighlight lang="algolw">begin
% use the quicksort procedure from the Sorting_Algorithms/Quicksort task %
% Quicksorts in-place the array of integers v, from lb to ub - external %
procedure quicksort ( integer array v( * )
; integer value lb, ub
) ; algol "sortingAlgorithms_Quicksort" ;
% sort an integer array with the quicksort routine %
begin
integer array t ( 1 :: 5 );
integer p;
p := 1;
for v := 2, 3, 1, 9, -2 do begin t( p ) := v; p := p + 1; end;
quicksort( t, 1, 5 );
for i := 1 until 5 do writeon( i_w := 1, s_w := 1, t( i ) )
end
end.</syntaxhighlight>
{{out}}
<pre>
-2 1 2 3 9
</pre>
 
=={{header|APL}}==
{{works with|APL2}}
<langsyntaxhighlight lang="apl"> X←63 92 51 92 39 15 43 89 36 69
X[⍋X]
15 36 39 43 51 63 69 89 92 92</langsyntaxhighlight>
 
=={{header|AppleScript}}==
 
AppleScript has no native sort function.
 
Later versions of AppleScript (OS X 10.10 onwards) do allow access to the ObjC NSArray library,
but while this approach can yield reasonably fast sorts, it is slow in terms of scripter time,
requiring digestion of the ObjC library documentation, and leading to code like the '''sort''' function
below, which is possibly more messy than it is worth for the purposes of casual end-user scripting,
for which AppleScript was presumably designed.
 
<syntaxhighlight lang="applescript">use framework "Foundation"
 
-- sort :: [a] -> [a]
on sort(lst)
((current application's NSArray's arrayWithArray:lst)'s ¬
sortedArrayUsingSelector:"compare:") as list
end sort
 
-- TEST -----------------------------------------------------------------------
on run
map(sort, [[9, 1, 8, 2, 8, 3, 7, 0, 4, 6, 5], ¬
["alpha", "beta", "gamma", "delta", "epsilon", "zeta", "eta", ¬
"theta", "iota", "kappa", "lambda", "mu"]])
end run
 
 
-- GENERIC FUNCTIONS ---------------------------------------------------------
 
-- map :: (a -> b) -> [a] -> [b]
on map(f, xs)
tell mReturn(f)
set lng to length of xs
set lst to {}
repeat with i from 1 to lng
set end of lst to |λ|(item i of xs, i, xs)
end repeat
return lst
end tell
end map
 
-- Lift 2nd class handler function into 1st class script wrapper
-- mReturn :: Handler -> Script
on mReturn(f)
if class of f is script then
f
else
script
property |λ| : f
end script
end if
end mReturn</syntaxhighlight>
{{Out}}
<pre>{{0, 1, 2, 3, 4, 5, 6, 7, 8, 8, 9},
{"alpha", "beta", "delta", "epsilon", "eta", "gamma",
"iota", "kappa", "lambda", "mu", "theta", "zeta"}}</pre>
=={{header|ARM Assembly}}==
{{works with|as|Raspberry Pi}}
<syntaxhighlight lang="arm assembly">
 
/* ARM assembly Raspberry PI */
/* program integerSort.s with selection sort */
/* REMARK 1 : this program use routines in a include file
see task Include a file language arm assembly
for the routine affichageMess conversion10
see at end of this program the instruction include */
/* for constantes see task include a file in arm assembly */
/************************************/
/* Constantes */
/************************************/
.include "../constantes.inc"
 
/*********************************/
/* Initialized data */
/*********************************/
.data
szMessSortOk: .asciz "Table sorted.\n"
szMessSortNok: .asciz "Table not sorted !!!!!.\n"
sMessResult: .asciz "Value : @ \n"
szCarriageReturn: .asciz "\n"
.align 4
TableNumber: .int 1,3,6,2,5,9,10,8,4,7
#TableNumber: .int 10,9,8,7,6,5,4,3,2,1
.equ NBELEMENTS, (. - TableNumber) / 4
/*********************************/
/* UnInitialized data */
/*********************************/
.bss
sZoneConv: .skip 24
/*********************************/
/* code section */
/*********************************/
.text
.global main
main: @ entry of program
1:
ldr r0,iAdrTableNumber @ address number table
mov r1,#0
mov r2,#NBELEMENTS @ number of élements
bl selectionSort
ldr r0,iAdrTableNumber @ address number table
bl displayTable
ldr r0,iAdrTableNumber @ address number table
mov r1,#NBELEMENTS @ number of élements
bl isSorted @ control sort
cmp r0,#1 @ sorted ?
beq 2f
ldr r0,iAdrszMessSortNok @ no !! error sort
bl affichageMess
b 100f
2: @ yes
ldr r0,iAdrszMessSortOk
bl affichageMess
100: @ standard end of the program
mov r0, #0 @ return code
mov r7, #EXIT @ request to exit program
svc #0 @ perform the system call
iAdrszCarriageReturn: .int szCarriageReturn
iAdrsMessResult: .int sMessResult
iAdrTableNumber: .int TableNumber
iAdrszMessSortOk: .int szMessSortOk
iAdrszMessSortNok: .int szMessSortNok
/******************************************************************/
/* control sorted table */
/******************************************************************/
/* r0 contains the address of table */
/* r1 contains the number of elements > 0 */
/* r0 return 0 if not sorted 1 if sorted */
isSorted:
push {r2-r4,lr} @ save registers
mov r2,#0
ldr r4,[r0,r2,lsl #2]
1:
add r2,#1
cmp r2,r1
movge r0,#1
bge 100f
ldr r3,[r0,r2, lsl #2]
cmp r3,r4
movlt r0,#0
blt 100f
mov r4,r3
b 1b
100:
pop {r2-r4,lr}
bx lr @ return
/******************************************************************/
/* selection sort */
/******************************************************************/
/* r0 contains the address of table */
/* r1 contains the first element */
/* r2 contains the number of element */
selectionSort:
push {r1-r7,lr} @ save registers
mov r3,r1 @ start index i
sub r7,r2,#1 @ compute n - 1
1: @ start loop
mov r4,r3
add r5,r3,#1 @ init index 2
2:
ldr r1,[r0,r4,lsl #2] @ load value A[mini]
ldr r6,[r0,r5,lsl #2] @ load value A[j]
cmp r6,r1 @ compare value
movlt r4,r5 @ j -> mini
add r5,#1 @ increment index j
cmp r5,r2 @ end ?
blt 2b @ no -> loop
cmp r4,r3 @ mini <> j ?
beq 3f @ no
ldr r1,[r0,r4,lsl #2] @ yes swap A[i] A[mini]
ldr r6,[r0,r3,lsl #2]
str r1,[r0,r3,lsl #2]
str r6,[r0,r4,lsl #2]
3:
add r3,#1 @ increment i
cmp r3,r7 @ end ?
blt 1b @ no -> loop
100:
pop {r1-r7,lr}
bx lr @ return
/******************************************************************/
/* Display table elements */
/******************************************************************/
/* r0 contains the address of table */
displayTable:
push {r0-r3,lr} @ save registers
mov r2,r0 @ table address
mov r3,#0
1: @ loop display table
ldr r0,[r2,r3,lsl #2]
ldr r1,iAdrsZoneConv @
bl conversion10 @ décimal conversion
ldr r0,iAdrsMessResult
ldr r1,iAdrsZoneConv @ insert conversion
bl strInsertAtCharInc
bl affichageMess @ display message
add r3,#1
cmp r3,#NBELEMENTS - 1
ble 1b
ldr r0,iAdrszCarriageReturn
bl affichageMess
100:
pop {r0-r3,lr}
bx lr
iAdrsZoneConv: .int sZoneConv
/***************************************************/
/* ROUTINES INCLUDE */
/***************************************************/
.include "../affichage.inc"
</syntaxhighlight>
=={{header|Arturo}}==
<syntaxhighlight lang="rebol">arr: [2 3 5 8 4 1 6 9 7]
sort 'arr ; in-place
loop arr => print</syntaxhighlight>
 
{{out}}
 
<pre>1
2
3
4
5
6
7
8
9</pre>
 
=={{header|AutoHotkey}}==
<langsyntaxhighlight AutoHotkeylang="autohotkey">numbers = 5 4 1 2 3
sort, numbers, N D%A_Space%
Msgbox % numbers</langsyntaxhighlight>
 
=={{header|AWK}}==
<syntaxhighlight lang="awk">
# syntax: GAWK -f SORT_AN_INTEGER_ARRAY.AWK
BEGIN {
split("9,10,3,1234,99,1,200,2,0,-2",arr,",")
show("@unsorted","unsorted")
show("@val_num_asc","sorted ascending")
show("@val_num_desc","sorted descending")
exit(0)
}
function show(sequence,description, i) {
PROCINFO["sorted_in"] = sequence
for (i in arr) {
printf("%s ",arr[i])
}
printf("\t%s\n",description)
}
</syntaxhighlight>
<p>output:</p>
<pre>
9 10 3 1234 99 1 200 2 0 -2 unsorted
-2 0 1 2 3 9 10 99 200 1234 sorted ascending
1234 200 99 10 9 3 2 1 0 -2 sorted descending
</pre>
 
=={{header|Axe}}==
There is no ascending sort function in Axe, but there is a descending sort function. One can either implement a custom ascending sorting function or simply reverse the output from SortD.
 
<syntaxhighlight lang="axe">2→{L₁}
4→{L₁+1}
3→{L₁+2}
1→{L₁+3}
2→{L₁+4}
 
SortD(L₁,5)</syntaxhighlight>
 
=={{header|Babel}}==
 
Use the sortval operator to sort an array of integers (val-array in Babel terminology). The following code creates a list of random values, converts it to a val-array, sorts that val-array, then converts it back to a list for display using the lsnum utility.
 
<syntaxhighlight lang="babel">babel> nil { zap {1 randlf 100 rem} 20 times collect ! } nest dup lsnum ! --> Create a list of random numbers
( 20 47 69 71 18 10 92 9 56 68 71 92 45 92 12 7 59 55 54 24 )
babel> ls2lf --> Convert list to array for sorting
babel> dup {fnord} merge_sort --> The internal sort operator
babel> ar2ls lsnum ! --> Display the results
( 7 9 10 12 18 20 24 45 47 54 55 56 59 68 69 71 71 92 92 92 )</syntaxhighlight>
 
In Babel, lists and arrays are distinct. If you want to sort a list, use the lssort utility:
 
<syntaxhighlight lang="babel">babel> ( 68 73 63 83 54 67 46 53 88 86 49 75 89 83 28 9 34 21 20 90 )
babel> {lt?} lssort ! lsnum !
( 9 20 21 28 34 46 49 53 54 63 67 68 73 75 83 83 86 88 89 90 )</syntaxhighlight>
 
To reverse the sort-order, use the 'gt?' predicate instead of the 'lt?' predicate:
 
<syntaxhighlight lang="babel">babel> ( 68 73 63 83 54 67 46 53 88 86 49 75 89 83 28 9 34 21 20 90 ) {gt?} lssort ! lsnum !
( 90 89 88 86 83 83 75 73 68 67 63 54 53 49 46 34 28 21 20 9 )</syntaxhighlight>
 
=={{header|BaCon}}==
<syntaxhighlight lang="freebasic">' Sort an integer array
DECLARE values[5] TYPE NUMBER
values[0] = 23
values[1] = 32
values[2] = 12
values[3] = 21
values[4] = 01
 
SORT values
 
FOR i = 0 TO 3
PRINT values[i], ", ";
NEXT
PRINT values[4]</syntaxhighlight>
 
{{out}}
<pre>prompt$ ./sort-integer
1, 12, 21, 23, 32</pre>
Use SORT array DOWN for descending sort order.
 
=={{header|BBC BASIC}}==
{{works with|BBC BASIC for Windows}}
Uses the supplied SORTLIB library.
<syntaxhighlight lang="bbcbasic"> INSTALL @lib$+"SORTLIB"
sort% = FN_sortinit(0,0)
DIM array(8)
array() = 8, 2, 5, 9, 1, 3, 6, 7, 4
C% = DIM(array(),1) + 1
CALL sort%, array(0)
FOR i% = 0 TO DIM(array(),1) - 1
PRINT ; array(i%) ", ";
NEXT
PRINT ; array(i%)</syntaxhighlight>
Output:
<pre>
1, 2, 3, 4, 5, 6, 7, 8, 9
</pre>
 
=={{header|Beads}}==
<syntaxhighlight lang="beads">beads 1 program 'Sort an integer array'
calc main_init
var arr = [4, 1, 2, -1, 3, 0, 2]
var newarr : array of num
loop across:arr sort:val count:c val:v
newarr[c] = v</syntaxhighlight>
 
=={{header|Befunge}}==
{{works with|befungee}}
Elements of the array are read from standard input, preceded by their quantity. The algorithm uses counting sort and allows numbers between 1 and 60, inclusive.
<syntaxhighlight lang="befunge">v
<lang Befunge>v
> 543** > :#v_ $&> :#v_ 1 > :0g > :#v_ $ 1+: 543** `! #v_ 25*,@
^-1p0\0:< ^-1 p0\+1 g0:&< ^-1\.:\<
^ <</langsyntaxhighlight>
 
=={{header|BQN}}==
<syntaxhighlight lang="bqn">∧ [4, 1, 2, ¯9, ¯5, 3, 6, 9, ¯2]</syntaxhighlight>
{{out}}
<pre>⟨ ¯9 ¯5 ¯2 1 2 3 4 6 9 ⟩</pre>
 
=={{header|Bracmat}}==
Line 145 ⟶ 774:
{!} 21</pre>
To complete the task need to unfold the terms with a numerical factor >1:
<langsyntaxhighlight lang="bracmat">{sort takes a list of space-separated integers}
(sort=
sum elem sorted n
Line 161 ⟶ 790:
& !sorted);
out$sort$(9 -2 1 2 8 0 1 2);</langsyntaxhighlight>
{{out}}
Output:
<pre>-2 0 1 1 2 2 8 9</pre>
This solution becomes very ineffective for long lists. To add a single term to an already sorted sum of N terms requires on average N/2 steps. It is much more efficient to merge two already sorted sums of about equal length.
Also, adding elements to the end of the list 'sorted' is costly. Better is to prepend elements to a list, which will have inverted sorting order, and to invert this list in an extra loop.
 
=={{header|Burlesque}}==
<syntaxhighlight lang="burlesque">{1 3 2 5 4}><</syntaxhighlight>
 
=={{header|C}}==
<langsyntaxhighlight lang="c">#include <stdlib.h> /* qsort() */
#include <stdio.h> /* printf() */
 
Line 184 ⟶ 816:
nums[0], nums[1], nums[2], nums[3], nums[4]);
return 0;
}</langsyntaxhighlight>
 
''Caution:'' An older version of <tt>intcmp()</tt> did <tt>return *a - *b</tt>. This is only correct when the subtraction does not overflow. Suppose that <tt>*a = 2000000000</tt> and <tt>*b = -2000000000</tt> on a machine with 32-bit <tt>int</tt>. The subtraction <tt>*a - *b</tt> would overflow to <tt>-294967296</tt>, and <tt>intcmp()</tt> would believe <tt>*a < *b</tt>, but the correct answer is <tt>*a > *b</tt>.
 
=={{header|C sharp|C#}}==
 
<syntaxhighlight lang="csharp">using System;
using System.Collections.Generic;
 
public class Program {
static void Main() {
int[] unsorted = { 6, 2, 7, 8, 3, 1, 10, 5, 4, 9 };
Array.Sort(unsorted);
}
}</syntaxhighlight>
 
=={{header|C++}}==
Line 192 ⟶ 836:
 
===Simple Array===
<langsyntaxhighlight lang="cpp">#include <algorithm>
 
int main()
{
int nums[] = {2,4,3,1,2};
std::sort(nums, nums+5sizeof(nums)/sizeof(int));
return 0;
}</langsyntaxhighlight>
 
===<tt>std::vector</tt>===
<langsyntaxhighlight lang="cpp">#include <algorithm>
#include <vector>
 
Line 215 ⟶ 859:
std::sort(nums.begin(), nums.end());
return 0;
}</langsyntaxhighlight>
 
===<tt>std::list</tt>===
<langsyntaxhighlight lang="cpp">#include <list>
 
int main()
Line 230 ⟶ 874:
nums.sort();
return 0;
}</langsyntaxhighlight>
 
=={{header|C sharp|C#}}==
 
<lang csharp>using System;
using System.Collections.Generic;
 
public class Program {
static void Main() {
int[] unsorted = { 6, 2, 7, 8, 3, 1, 10, 5, 4, 9 };
Array.Sort(unsorted);
}
}</lang>
 
=={{header|Clean}}==
We use list and array comprehensions to convert an array to and from a list in order to use the built-in <tt>sort</tt> on lists.
<langsyntaxhighlight lang="clean">import StdEnv
 
sortArray :: (a e) -> a e | Array a e & Ord e
Line 252 ⟶ 884:
 
Start :: {#Int}
Start = sortArray {2, 4, 3, 1, 2}</langsyntaxhighlight>
 
=={{header|Clojure}}==
<langsyntaxhighlight lang="clojure">(sort [5 4 3 2 1]) ; sort can also take a comparator function
(1 2 3 4 5)</langsyntaxhighlight>
 
=={{header|COBOL}}==
{{works with|Visual COBOL}}
<syntaxhighlight lang="cobol"> PROGRAM-ID. sort-ints.
DATA DIVISION.
WORKING-STORAGE SECTION.
01 array-area VALUE "54321".
03 array PIC 9 OCCURS 5 TIMES.
01 i PIC 9.
PROCEDURE DIVISION.
main-line.
PERFORM display-array
SORT array ASCENDING array
PERFORM display-array
GOBACK
.
display-array.
PERFORM VARYING i FROM 1 BY 1 UNTIL 5 < i
DISPLAY array (i) " " NO ADVANCING
END-PERFORM
DISPLAY SPACE
.</syntaxhighlight>
 
=={{header|Common Lisp}}==
In Common Lisp, the ''sort'' function takes a predicate that is used as the comparator. This parameter can be any two-argument function. To sort a sequence (list or array) of integers, call ''sort'' with the < operator as the predicate:
<langsyntaxhighlight lang="lisp">CL-USER> (sort #(9 -2 1 2 8 0 1 2) #'<)
#(-2 0 1 1 2 2 8 9)</langsyntaxhighlight>
 
=={{header|Crystal}}==
Example demonstrating the support for copy sort and in-place sort (like Ruby)
<syntaxhighlight lang="ruby">
a = [5, 4, 3, 2, 1]
puts a.sort
# => [1, 2, 3, 4, 5]
 
puts a
# => [5, 4, 3, 2, 1]
 
a.sort!
puts a
# => [1, 2, 3, 4, 5]
</syntaxhighlight>
 
=={{header|D}}==
<langsyntaxhighlight lang="d">import std.stdio, std.algorithm;
 
void main() {
Line 270 ⟶ 942:
data.sort(); // in-place
assert(data == [1, 2, 2, 3, 4]);
}</langsyntaxhighlight>
 
=={{header|Delphi}}==
<langsyntaxhighlight Delphilang="delphi">uses Types, Generics.Collections;
 
var
Line 279 ⟶ 951:
begin
a := TIntegerDynArray.Create(5, 4, 3, 2, 1);
TArray.Sort<Integer>(a);</lang>
end;</syntaxhighlight>
 
=={{header|DWScript}}==
<syntaxhighlight lang="delphi">var a : array of Integer := [5, 4, 3, 2, 1];
a.Sort; // ascending natural sort
PrintLn(a.Map(IntToStr).Join(',')); // 1,2,3,4,5</syntaxhighlight>
 
=={{header|Déjà Vu}}==
<syntaxhighlight lang="dejavu">!. sort [ 5 4 3 2 1 ]</syntaxhighlight>
{{out}}
<pre>[ 1 2 3 4 5 ]</pre>
 
=={{header|E}}==
<langsyntaxhighlight lang="e">[2,4,3,1,2].sort()</langsyntaxhighlight>
 
=={{header|EGL}}==
{{works with|EDT}}
The following works in EDT with Rich UI and stand-alone programs.
<syntaxhighlight lang="egl">program SortExample
 
function main()
test1 int[] = [1,-1,8,-8,2,-2,7,-7,3,-3,6,-6,9,-9,4,-4,5,-5,0];
test1.sort(sortFunction);
 
for(i int from 1 to test1.getSize())
SysLib.writeStdout(test1[i]);
end
end
function sortFunction(a any in, b any in) returns (int)
return (a as int) - (b as int);
end
end</syntaxhighlight>
{{works with|RBD}}
The following works in RBD but only with Rich UI programs.
<syntaxhighlight lang="egl">test1 int[] = [1,-1,8,-8,2,-2,7,-7,3,-3,6,-6,9,-9,4,-4,5,-5,0];
RUILib.sort(test1, sortFunction);
 
function sortFunction(a any in, b any in) returns (int)
return ((a as int) - (b as int));
end</syntaxhighlight>
 
=={{header|Eiffel}}==
 
[https://github.com/ljr1981/rosettacode_answers/blob/main/testing/rc_array_sort/rc_array_sort_test_set.e Full example code]
 
Using a SORTED_TWO_WAY_LIST means that the contents of the list will be sorted ascending automatically.
The list can be easily sorted in reverse. There is a call for `sort' to manually initiate sorting.
 
<syntaxhighlight lang="eiffel">
local
l_array: SORTED_TWO_WAY_LIST [INTEGER]
do
create l_array.make_from_iterable (<<9,8,7,6,5,4,3,2,1,0>>)
end
</syntaxhighlight>
 
=={{header|Elena}}==
ELENA 5.0 :
<syntaxhighlight lang="elena">import system'routines;
import extensions;
public program()
{
var unsorted := new int[]{6, 2, 7, 8, 3, 1, 10, 5, 4, 9};
console.printLine(unsorted.clone().sort(ifOrdered).asEnumerable())
}</syntaxhighlight>
 
=={{header|Elixir}}==
<syntaxhighlight lang="elixir">list = [2, 4, 3, 1, 2]
IO.inspect Enum.sort(list)
IO.inspect Enum.sort(list, &(&1>&2))</syntaxhighlight>
 
{{out}}
<pre>
[1, 2, 2, 3, 4]
[4, 3, 2, 2, 1]
</pre>
 
=={{header|Erlang}}==
<langsyntaxhighlight lang="erlang">List = [2, 4, 3, 1, 2].
SortedList = lists:sort(List).</langsyntaxhighlight>
 
=={{header|Euphoria}}==
<langsyntaxhighlight lang="euphoria">include sort.e
print(1,sort({20, 7, 65, 10, 3, 0, 8, -60}))</langsyntaxhighlight>
 
=={{header|F_Sharp|F#}}==
<syntaxhighlight lang="fsharp">// sorting an array in place
let nums = [| 2; 4; 3; 1; 2 |]
Array.sortInPlace nums
 
// create a sorted copy of a list
let nums2 = [2; 4; 3; 1; 2]
let sorted = List.sort nums2</syntaxhighlight>
 
=={{header|Factor}}==
<langsyntaxhighlight lang="factor">{ 1 4 9 2 3 0 5 } natural-sort .</langsyntaxhighlight>
 
=={{header|Fantom}}==
Line 310 ⟶ 1,069:
=={{header|Forth}}==
{{works with|Win32Forth|4.2}}
===Win32Forth===
<lang forth>create test-data 2 , 4 , 3 , 1 , 2 ,
<syntaxhighlight lang="forth">create test-data 2 , 4 , 3 , 1 , 2 ,
test-data 5 cell-sort</lang>
test-data 5 cell-sort
</syntaxhighlight>
===ANS/ISO Forth===
{{works with|GForth}}
Uses quicksort http://rosettacode.org/wiki/Sorting_algorithms/Quicksort#Forth
 
Standard Forth does not have a library sort
<syntaxhighlight lang="forth">100000 CONSTANT SIZE
 
CREATE MYARRAY SIZE CELLS ALLOT
 
: [] ( n addr -- addr[n]) SWAP CELLS + ;
 
: FILLIT ( -- ) ( reversed order)
SIZE 0 DO SIZE I - I MYARRAY [] ! LOOP ;
 
: SEEIT ( -- )
SIZE 0 DO I MYARRAY [] ? LOOP ;
 
\ define non-standard words used by Quicksort author
1 CELLS CONSTANT CELL
CELL NEGATE CONSTANT -CELL
: CELL- CELL - ;
 
: MID ( l r -- mid ) OVER - 2/ -CELL AND + ;
 
: EXCH ( addr1 addr2 -- )
OVER @ OVER @ ( read values)
SWAP ROT ! SWAP ! ; ( exchange values)
 
: PARTITION ( l r -- l r r2 l2 )
2DUP MID @ >R ( r: pivot )
2DUP
BEGIN
SWAP BEGIN DUP @ R@ < WHILE CELL+ REPEAT
SWAP BEGIN R@ OVER @ < WHILE CELL- REPEAT
2DUP <= IF 2DUP EXCH >R CELL+ R> CELL- THEN
2DUP >
UNTIL
R> DROP ;
 
: QSORT ( l r -- )
PARTITION SWAP ROT
2DUP < IF RECURSE ELSE 2DROP THEN
2DUP < IF RECURSE ELSE 2DROP THEN ;
 
: QUICKSORT ( array len -- )
DUP 2 < IF 2DROP EXIT THEN 1- CELLS OVER + QSORT ;</LANG>
Test at the console
<syntaxhighlight lang="forth">FILLIT ok
MYARRAY SIZE QUICKSORT ok</syntaxhighlight>
 
=={{header|Fortran}}==
{{works with|Silverfrost FTN95}}
<langsyntaxhighlight lang="fortran">CALL ISORT@(b, a, n)
! n = number of elements
! a = array to be sorted
! b = array of indices of a. b(1) 'points' to the minimum value etc.</langsyntaxhighlight>
 
=={{header|F_Sharp|F#FreeBASIC}}==
Qsort is not buildin, but include in the compiler package.
<lang fsharp>// sorting an array in place
<syntaxhighlight lang="freebasic">' version 11-03-2016
let nums = [| 2; 4; 3; 1; 2 |]
' compile with: fbc -s console
Array.sortInPlace nums
 
#Include Once "crt/stdlib.bi" ' needed for qsort subroutine
 
' Declare Sub qsort (ByVal As Any Ptr, <== point to start of array
' ByVal As size_t, <== size of array
' ByVal As size_t, <== size of array element
' ByVal As Function(ByVal As Any Ptr, ByVal As Any Ptr) As Long) <== callback function
' declare callback function with Cdecl to ensures that the parameters are passed in the correct order
'
' size of long: 4 bytes on 32bit OS, 8 bytes on 64bit OS
 
' ascending
Function callback Cdecl (ByVal element1 As Any Ptr, ByVal element2 As Any Ptr) As Long
Function = *Cast(Long Ptr, element1) - *Cast(Long Ptr, element2)
End Function
 
' Function callback Cdecl (ByVal element1 As Any Ptr, ByVal element2 As Any Ptr) As Long
' Dim As Long e1 = *Cast(Long Ptr, element1)
' Dim As Long e2 = *Cast(Long Ptr, element2)
' Dim As Long result = Sgn(e1 - e2)
' If Sgn(e1) = -1 And Sgn(e2) = -1 Then result = -result
' Function = result
' End Function
 
' ------=< MAIN >=------
 
Dim As Long i, array(20)
 
Dim As Long lb = LBound(array)
Dim As Long ub = UBound(array)
 
For i = lb To ub ' fill array
array(i) = 10 - i
Next
 
Print
Print "unsorted array"
For i = lb To ub ' display array
Print Using "###";array(i);
Next
Print : Print
 
' sort array
qsort(@array(lb), ub - lb +1, SizeOf(array), @callback)
 
Print "sorted array"
For i = lb To ub ' show sorted array
Print Using "###";array(i);
Next
Print
 
' empty keyboard buffer
While Inkey <> "" : Wend
Print : Print "hit any key to end program"
Sleep
End</syntaxhighlight>
{{out}}
<pre>unsorted array
10 9 8 7 6 5 4 3 2 1 0 -1 -2 -3 -4 -5 -6 -7 -8 -9-10
 
sorted array
-10 -9 -8 -7 -6 -5 -4 -3 -2 -1 0 1 2 3 4 5 6 7 8 9 10</pre>
 
=={{header|Frink}}==
The following sorts an array in-place.
<syntaxhighlight lang="frink">a = [5, 2, 4, 1, 6, 7, 9, 3, 8, 0]
sort[a]</syntaxhighlight>
 
=={{header|FunL}}==
<syntaxhighlight lang="funl">nums = [5, 2, 78, 2, 578, -42]
println( sort(nums) ) // sort in ascending order
println( nums.sortWith((>)) ) // sort in descending order</syntaxhighlight>
 
{{out}}
 
<pre>
[-42, 2, 2, 5, 78, 578]
[578, 78, 5, 2, 2, -42]
</pre>
 
=={{header|FutureBasic}}==
<syntaxhighlight lang="futurebasic">
window 1, @"Sort an integer array"
 
void local fn DoIt
CFArrayRef array = @[@13,@71,@42,@8,@5,@27]
array = fn ArraySortedArrayUsingSelector( array, @"compare:" )
print fn ArrayComponentsJoinedByString( array, @", " )
end fn
 
fn DoIt
 
HandleEvents
</syntaxhighlight>
{{out}}
<pre>
5, 8, 13, 27, 42, 71
</pre>
 
=={{header|Fōrmulæ}}==
 
{{FormulaeEntry|page=https://formulae.org/?script=examples/Sort_an_integer_array}}
 
'''Solution'''
 
[[File:Fōrmulæ - Sort an integer array 01.png]]
 
[[File:Fōrmulæ - Sort an integer array 02.png]]
 
=={{header|Gambas}}==
'''[https://gambas-playground.proko.eu/?gist=1f1d244aa95c329eb87cb538f0d5fc4a Click this link to run this code]'''
<syntaxhighlight lang="gambas">Public Sub Main()
Dim iArray As Integer[] = [8, 2, 5, 9, 1, 3, 6, 7, 4]
Dim iTemp As Integer
Dim sOutput As String
 
For Each iTemp In iArray.Sort()
sOutput &= iTemp & ", "
Next
 
Print Left(sOutput, -2)
 
End</syntaxhighlight>
 
Output:
<pre>
1, 2, 3, 4, 5, 6, 7, 8, 9
</pre>
 
// create a sorted copy of a list
let nums2 = [2; 4; 3; 1; 2]
let sorted = List.sort nums2</lang>
=={{header|GAP}}==
<langsyntaxhighlight lang="gap">a := [ 8, 2, 5, 9, 1, 3, 6, 7, 4 ];
# Make a copy (with "b := a;", b and a would point to the same list)
b := ShallowCopy(a);
Line 342 ⟶ 1,277:
# [ 1, 2, 3, 4, 5, 6, 7, 8, 9 ]
b;
# [ 8, 2, 5, 9, 1, 3, 6, 7, 4 ]</langsyntaxhighlight>
 
=={{header|Go}}==
<langsyntaxhighlight lang="go">package main
import "fmt"
import "sort"
Line 353 ⟶ 1,288:
sort.Ints(nums)
fmt.Println(nums)
}</langsyntaxhighlight>
 
=={{header|Golfscript}}==
<langsyntaxhighlight lang="golfscript">[2 4 3 1 2]$</langsyntaxhighlight>
 
=={{header|Groovy}}==
<langsyntaxhighlight lang="groovy">println ([2,4,0,3,1,2,-12].sort())</langsyntaxhighlight>
 
Output:
Line 367 ⟶ 1,302:
{{works with|GHC|GHCi|6.6}}
<langsyntaxhighlight lang="haskell">nums = [2,4,3,1,2] :: [Int]
sorted = List.sort nums</langsyntaxhighlight>
 
=={{header|HicEst}}==
<langsyntaxhighlight lang="hicest">DIMENSION array(100)
 
array = INT( RAN(100) )
SORT(Vector=array, Sorted=array) </langsyntaxhighlight>
 
=={{header|IDLHuginn}}==
<syntaxhighlight lang="huginn">main() {
<lang idl>result = array[sort(array)]</lang>
nums = [2, 4, 3, 1, 2];
nums.sort();
}</syntaxhighlight>
 
=={{header|Icon}} and {{header|Unicon}}==
Line 383 ⟶ 1,321:
 
In the example below, L will remain an unsorted list and S will be sorted.
<langsyntaxhighlight Iconlang="icon">S := sort(L:= [63, 92, 51, 92, 39, 15, 43, 89, 36, 69]) # will sort a list</langsyntaxhighlight>
 
=={{header|IoIDL}}==
<syntaxhighlight lang="idl">result = array[sort(array)]</syntaxhighlight>
<lang lua>mums := list(2,4,3,1,2)
sorted := nums sort # returns a new sorted array. 'nums' is unchanged
nums sortInPlace # sort 'nums' "in-place"</lang>
 
=={{header|Inform 7}}==
<langsyntaxhighlight lang="inform7">let L be {5, 4, 7, 1, 18};
sort L;</langsyntaxhighlight>
 
=={{header|Io}}==
<syntaxhighlight lang="lua">mums := list(2,4,3,1,2)
sorted := nums sort # returns a new sorted array. 'nums' is unchanged
nums sortInPlace # sort 'nums' "in-place"</syntaxhighlight>
 
=={{header|J}}==
<syntaxhighlight lang ="j">/:~</langsyntaxhighlight>
The verb<tt> /:~ </tt>sorts <i>anything</i> that J can represent. For example:
 
<langsyntaxhighlight lang="j"> ] a=: 10 ?@$ 100 NB. random vector
63 92 51 92 39 15 43 89 36 69
/:~ a
15 36 39 43 51 63 69 89 92 92</langsyntaxhighlight>
Arrays of any rank are treated as lists of component arrays. Thus <tt>/:~</tt> sorts not only atoms within a list, but whole lists within a table, tables within a three-axis array, and so on. The level of structure at which sorting occurs may also be specified, so that <tt>/:~"1</tt> sorts the atoms within the finest-grained list within the array, regardless of the overall rank of the array. See the [[j:Essays/The_TAO_of_J|Total Array Ordering essay]] on the JWiki for more details.
 
<br>This code also applies to any data type.
This code also applies to any data type.
 
=={{header|Java}}==
===Array===
<langsyntaxhighlight lang="java">import java.util.Arrays;
 
public class exampleExample {
public static void main(String[] args)
{
Line 415 ⟶ 1,357:
Arrays.sort(nums);
}
}</langsyntaxhighlight>
 
===List===
{{works with|Java|1.5+}}
<langsyntaxhighlight lang="java5">import java.util.Arrays;
import java.util.Collections;
import java.util.List;
 
public class exampleExample {
public static void main(String[] args)
{
Line 429 ⟶ 1,371:
Collections.sort(nums);
}
}</langsyntaxhighlight>
 
=={{header|JavaScript}}==
Line 436 ⟶ 1,378:
JavaScript sorts lexically by default, so "10000" comes before "2". To sort numerically, a custom comparator is used.
 
<langsyntaxhighlight lang="javascript">function int_arr(a, b) {
return a - b;
}
var numbers = [20, 7, 65, 10, 3, 0, 8, -60];
numbers.sort(int_arr);
document.write(numbers);</langsyntaxhighlight>
 
=={{header|Jinja}}==
<syntaxhighlight lang="jinja">
from jinja2 import Template
print(Template("{{ [53, 17, 42, 61, 35] | sort }}").render())
</syntaxhighlight>
Descending order:
<syntaxhighlight lang="jinja">
from jinja2 import Template
print(Template("{{ [53, 17, 42, 61, 35] | sort(reverse=true) }}").render())
</syntaxhighlight>
 
=={{header|jq}}==
jq's builtin <code>sort</code> filter sorts the elements of an array in ascending order:
<syntaxhighlight lang="jq">[2,1,3] | sort # => [1,2,3]</syntaxhighlight>
 
=={{header|Julia}}==
Julia has both out-of-place (<code>sort</code>) and in-place (<code>sort!</code>) sorting functions in its standard-library:
<syntaxhighlight lang="julia">julia> a = [4,2,3,1]
4-element Int32 Array:
4
2
3
1
julia> sort(a) #out-of-place/non-mutating sort
4-element Int32 Array:
1
2
3
4
 
julia> a
4-element Int32 Array:
4
2
3
1
 
julia> sort!(a) # in-place/mutating sort
4-element Int32 Array:
1
2
3
4
 
julia> a
4-element Int32 Array:
1
2
3
4</syntaxhighlight>
 
=={{header|K}}==
<langsyntaxhighlight lang="k"> num: -10?10 / Integers from 0 to 9 in random order
5 9 4 2 0 3 6 1 8 7
 
srt: {x@<x} / Generalized sort ascending
srt num
0 1 2 3 4 5 6 7 8 9</langsyntaxhighlight>
 
=={{header|Kotlin}}==
<syntaxhighlight lang="scala">// version 1.0.6
 
fun main(args: Array<String>) {
val ints = intArrayOf(6, 2, 7, 8, 3, 1, 10, 5, 4, 9)
ints.sort()
println(ints.joinToString(prefix = "[", postfix = "]"))
}</syntaxhighlight>
 
{{out}}
<pre>
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
</pre>
 
=={{header|Lambdatalk}}==
<syntaxhighlight lang="scheme">
1) sorting digits in a number returns a new number of ordered digits
{W.sort < 51324}
-> 12345
 
2) sorting a sequence of numbers returns a new ordered sequence of these numbers
{S.sort < 51 111 33 2 41}
-> 2 33 41 51 111
 
3) sorting an array of numbers returns the same array ordered
{A.sort! < {A.new 51 111 33 2 41}}
-> [2,33,41,51,111]
</syntaxhighlight>
 
=={{header|Lasso}}==
<syntaxhighlight lang="lasso">local(array) = array(5,20,3,2,6,1,4)
#array->sort
#array // 1, 2, 3, 4, 5, 6, 20
 
// Reverse the sort order
#array->sort(false)
#array // 20, 6, 5, 4, 3, 2, 1</syntaxhighlight>
 
=={{header|Liberty BASIC}}==
LB has an array-sort command. Parameters are arrayname, start term, finish term.
<langsyntaxhighlight lang="lb">N =20
dim IntArray( N)
 
Line 468 ⟶ 1,499:
for i =1 to N
print IntArray( i)
next i</langsyntaxhighlight>
 
=={{header|Lingo}}==
<syntaxhighlight lang="lingo">l = [7, 4, 23]
l.sort()
put l
-- [4, 7, 23]</syntaxhighlight>
 
=={{header|LiveCode}}==
LiveCode can sort lines or items natively. The delimiter for items can be set to any single character, but defaults to comma.
<syntaxhighlight lang="livecode">put "3,2,5,4,1" into X
sort items of X numeric
put X
-- outputs "1,2,3,4,5"</syntaxhighlight>
 
=={{header|Lua}}==
<langsyntaxhighlight lang="lua">t = {4, 5, 2}
table.sort(t)
print(unpack(t))</langsyntaxhighlight>
 
=={{header|MathematicaMaple}}==
<syntaxhighlight lang="maple">sort([5,7,8,3,6,1]);
<lang mathematica>numbers = Sort[{2,4,3,1,2}]</lang>
sort(Array([5,7,8,3,6,1]))</syntaxhighlight>
 
=={{header|Mathematica}}/{{header|Wolfram Language}}==
<syntaxhighlight lang="mathematica">numbers=Sort[{2,4,3,1,2}]</syntaxhighlight>
 
=={{header|MATLAB}}==
<langsyntaxhighlight Matlablang="matlab">a = [4,3,7,-2,9,1]; b = sort(a) % b contains elements of a in ascending order
[b,idx] = sort(a) % b contains a(idx)</langsyntaxhighlight>
 
=={{header|Maxima}}==
<syntaxhighlight lang="maxima">sort([9, 4, 3, 7, 6, 1, 10, 2, 8, 5]);</syntaxhighlight>
 
=={{header|MAXScript}}==
<langsyntaxhighlight lang="maxscript">arr = #(5, 4, 3, 2, 1)
arr = sort arr</langsyntaxhighlight>
 
=={{header|Mercury}}==
<syntaxhighlight lang="text">:- module sort_int_list.
:- interface.
:- import_module io.
Line 500 ⟶ 1,551:
list.sort(Nums, Sorted),
io.write(Sorted, !IO),
io.nl(!IO).</langsyntaxhighlight>
 
=={{header|min}}==
{{works with|min|0.19.3}}
<syntaxhighlight lang="min">(5 2 1 3 4) '> sort print</syntaxhighlight>
{{out}}
<pre>
(1 2 3 4 5)
</pre>
 
=={{header|Modula-3}}==
Modula-3 provides a generic <tt>ArraySort</tt> module, as well as an instance of that module for integers called <tt>IntArraySort</tt>.
<langsyntaxhighlight lang="modula3">MODULE ArraySort EXPORTS Main;
 
IMPORT IntArraySort;
Line 513 ⟶ 1,571:
BEGIN
IntArraySort.Sort(arr);
END ArraySort.</langsyntaxhighlight>
 
=={{header|MUMPS}}==
<langsyntaxhighlight MUMPSlang="mumps">SORTARRAY(X,SEP)
;X is the list of items to sort
;X1 is the temporary array
Line 526 ⟶ 1,585:
SET I="" FOR SET I=$O(X1(I)) Q:I="" SET Y=$SELECT($L(Y)=0:I,1:Y_SEP_I)
KILL I,X1
QUIT Y</langsyntaxhighlight>
Output:<pre>USER>W $$SORTARRAY^ROSETTA("3,5,1,99,27,16,0,-1",",")
-1,0,1,3,5,16,27,99
</pre>
 
=={{header|Nanoquery}}==
'sort' in the Nanoquery standard library has a Quicksort function.
<syntaxhighlight lang="nanoquery">% import sort
% println sort({2,4,3,1,2})
[1, 2, 2, 3, 4]</syntaxhighlight>
 
=={{header|Neko}}==
<syntaxhighlight lang="actionscript">/**
<doc><h2>Sort integer array, in Neko</h2>
<p>Array sort function modified from Haxe codegen with -D neko-source</p>
<p>The Neko target emits support code for Haxe basics, sort is included</p>
<p>Tectonics:<br />prompt$ nekoc sort.neko<br />prompt$ neko sort</p>
</doc>
**/
 
var sort = function(a) {
var i = 0;
var len = $asize(a);
while ( i < len ) {
var swap = false;
var j = 0;
var max = (len - i) - 1;
while ( j < max ) {
if ( (a[j] - a[j + 1]) > 0 ) {
var tmp = a[j + 1];
a[j + 1] = a[j];
a[j] = tmp;
swap = true;
}
j += 1;
}
if ( $not(swap) )
break;;
i += 1;
}
return a;
}
 
var arr = $array(5,3,2,1,4)
$print(arr, "\n")
 
/* Sorts in place */
sort(arr)
$print(arr, "\n")
 
/* Also returns the sorted array for chaining */
$print(sort($array(3,1,4,1,5,9,2,6,5,3,5,8)), "\n")</syntaxhighlight>
 
{{out}}
<pre>prompt$ nekoc sort.neko
prompt$ neko sort.n
[5,3,2,1,4]
[1,2,3,4,5]
[1,1,2,3,3,4,5,5,5,6,8,9]</pre>
 
=={{header|Nemerle}}==
<syntaxhighlight lang="nemerle">using System.Console;
 
module IntSort
{
Main() : void
{
def nums = [1, 5, 3, 7, 2, 8, 3, 9];
def sorted = nums.Sort((x, y) => x.CompareTo(y));
WriteLine(nums);
WriteLine(sorted);
}
}</syntaxhighlight>
Output:
<pre>[1, 5, 3, 7, 2, 8, 3, 9]
[1, 2, 3, 3, 5, 7, 8, 9]</pre>
 
=={{header|NetRexx}}==
<langsyntaxhighlight NetRexxlang="netrexx">/* NetRexx */
options replace format comments java crossref savelog symbols binary
 
Line 553 ⟶ 1,685:
say sorted.strip('t')
 
return</langsyntaxhighlight>
 
'''Output'''
Line 563 ⟶ 1,695:
NetRexx reimplementations of the [[#REXX|Rexx]] samples from below:
 
<langsyntaxhighlight NetRexxlang="netrexx">/* NetRexx */
options replace format comments java crossref savelog symbols
 
Line 634 ⟶ 1,766:
say
 
return</langsyntaxhighlight>
 
'''Output'''
Line 685 ⟶ 1,817:
</pre>
 
<langsyntaxhighlight NetRexxlang="netrexx">/* NetRexx */
options replace format comments java crossref savelog symbols
 
Line 738 ⟶ 1,870:
end
 
return</langsyntaxhighlight>
 
'''Output'''
Line 747 ⟶ 1,879:
 
=={{header|Nial}}==
<langsyntaxhighlight lang="nial">sort >= 9 6 8 7 1 10
= 10 9 8 7 6 1</langsyntaxhighlight>
 
=={{header|Nim}}==
<syntaxhighlight lang="nim">import algorithm
var a: array[0..8, int] = [2, 3, 5, 8, 4, 1, 6, 9, 7]
a.sort(Ascending)
for x in a:
echo x</syntaxhighlight>
{{out}}
<pre>1
2
3
4
5
6
7
8
9</pre>
 
=={{header|Niue}}==
'''Library'''
<langsyntaxhighlight Niuelang="niue">2 6 1 0 3 8 sort .s
0 1 2 3 6 8</langsyntaxhighlight>
 
=={{header|Objective-C}}==
{{works with|GCC|4.0.1 (apple)}}
<lang objc>- (void)example
{
NSArray *nums, *sorted;
nums = [NSArray arrayWithObjects:
[NSNumber numberWithInt:2],
[NSNumber numberWithInt:4],
[NSNumber numberWithInt:3],
[NSNumber numberWithInt:1],
[NSNumber numberWithInt:2],
nil];
sorted = [nums sortedArrayUsingSelector:@selector(compare:)];
}</lang>
 
=={{header|Objeck}}==
<langsyntaxhighlight lang="objeck">bundle Default {
class Sort {
function : Main(args : System.String[]) ~ Nil {
Line 778 ⟶ 1,913:
}
}
}</langsyntaxhighlight>
 
=={{header|Objective-C}}==
<syntaxhighlight lang="objc">NSArray *nums = @[@2, @4, @3, @1, @2];
NSArray *sorted = [nums sortedArrayUsingSelector:@selector(compare:)];</syntaxhighlight>
 
=={{header|OCaml}}==
===Array===
<langsyntaxhighlight lang="ocaml">let nums = [|2; 4; 3; 1; 2|]
Array.sort compare nums</langsyntaxhighlight>
 
===List===
<langsyntaxhighlight lang="ocaml">let nums = [2; 4; 3; 1; 2]
let sorted = List.sort compare nums</langsyntaxhighlight>
 
=={{header|Octave}}==
Line 793 ⟶ 1,932:
The variable <tt>v</tt> can be a vector or a matrix (columns will be sorted).
 
<langsyntaxhighlight lang="octave">sortedv = sort(v);</langsyntaxhighlight>
 
=={{header|Oforth}}==
 
<syntaxhighlight lang="oforth">[ 8, 2, 5, 9, 1, 3, 6, 7, 4 ] sort</syntaxhighlight>
 
=={{header|ooRexx}}==
<syntaxhighlight lang="rexx">a = .array~of(4, 1, 6, -2, 99, -12)
<lang ooRexx>
a = .array~of(4, 1, 6, -2, 99, -12)
a~sortWith(.numbercomparator~new)
say "The sorted numbers are"
say a~sortWith(.numericComparator~new)~makeString</syntaxhighlight>
do num over a
say num
end
 
-- a custom comparator that sorts strings as numeric values rather than
-- strings
::class numberComparator subclass comparator
::method compare
use strict arg left, right
-- perform the comparison on the names. By subtracting
-- the two and returning the sign, we give the expected
-- results for the compares
return (left - right)~sign
</lang>
Output:
<pre>
Line 824 ⟶ 1,952:
99
</pre>
 
=={{header|Order}}==
Passing the less-than operator to the built-in sequence (i.e. list) sort function:
<syntaxhighlight lang="c">#include <order/interpreter.h>
 
ORDER_PP( 8seq_sort(8less, 8seq(2, 4, 3, 1, 2)) )</syntaxhighlight>
 
=={{header|Oz}}==
<langsyntaxhighlight lang="oz">declare
Nums = [2 4 3 1 2]
Sorted = {List.sort Nums Value.'<'}
in
{Show Sorted}</langsyntaxhighlight>
 
=={{header|PARI/GP}}==
<syntaxhighlight lang ="parigp">vecsort(v)</langsyntaxhighlight>
 
=={{header|Peloton}}==
Sorting a list of numbers as strings and as numbers (from the manual.)
<syntaxhighlight lang="sgml">Construct a list of numbers
<@ LETCNSLSTLIT>L|65^84^1^25^77^4^47^2^42^44^41^25^69^3^51^45^4^39^</@>
Numbers sort as strings
<@ ACTSRTENTLST>L</@>
<@ SAYDMPLST>L</@>
<@ ACTSRTENTLSTLIT>L|__StringDescending</@>
<@ SAYDMPLST>L</@>
Construct another list of numbers
<@ LETCNSLSTLIT>list|65^84^1^25^77^4^47^2^42^44^41^25^69^3^51^45^4^39^</@>
Numbers sorted as numbers
<@ ACTSRTENTLSTLIT>list|__Numeric</@>
<@ SAYDMPLST>list</@>
<@ ACTSRTENTLSTLIT>list|__NumericDescending</@>
<@ SAYDMPLST>list</@></syntaxhighlight>
 
Output
<syntaxhighlight lang="html">Construct a list of numbers
Numbers sort as strings
1^2^25^25^3^39^4^4^41^42^44^45^47^51^65^69^77^84^
84^77^69^65^51^47^45^44^42^41^4^4^39^3^25^25^2^1^
Construct another list of numbers
Numbers sorted as numbers
1^2^3^4^4^25^25^39^41^42^44^45^47^51^65^69^77^84^
84^77^69^65^51^47^45^44^42^41^39^25^25^4^4^3^2^1^</syntaxhighlight>
 
=={{header|Perl}}==
{{works with|Perl|5.8.6}}
<langsyntaxhighlight lang="perl">@nums = (2,4,3,1,2);
@sorted = sort {$a <=> $b} @nums;</langsyntaxhighlight>
 
=={{header|Perl 6Phix}}==
{{libheader|Phix/basics}}
{{works with|Rakudo|#23 "Lisbon"}}
<!--<syntaxhighlight lang="phix">-->
<span style="color: #0000FF;">?</span><span style="color: #7060A8;">sort</span><span style="color: #0000FF;">({</span><span style="color: #000000;">9</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">10</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">3</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">1</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">4</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">5</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">8</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">7</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">6</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">2</span><span style="color: #0000FF;">})</span>
<!--</syntaxhighlight>-->
 
=={{header|Phixmonti}}==
If <code>@a</code> contains only numbers:
<syntaxhighlight lang="phixmonti">include ..\Utilitys.pmt
 
<lang perl6>my @sorted = sort @a;</lang>
 
If some elements of <code>@a</code> are strings or are otherwise non-numeric but you want to treat them as numbers:
 
<lang perl6>my @sorted = sort +*, @a;</lang>
 
For an in-place sort:
 
( 9 10 3 1 4 5 8 7 6 2 ) sort print</syntaxhighlight>
<lang perl6>@a .= sort;</lang>
 
=={{header|PHP}}==
{{works with|PHP|4.4.4 CLI}}
<langsyntaxhighlight lang="php"><?php
$nums = array(2,4,3,1,2);
sort($nums);
?></langsyntaxhighlight>
 
=={{header|PicoLisp}}==
The [http://software-lab.de/doc/refS.html#sort sort] function in PicoLisp
returns already by default an ascending list (of any type, not only integers):
<langsyntaxhighlight PicoLisplang="picolisp">(sort (2 4 3 1 2))
-> (1 2 2 3 4)</langsyntaxhighlight>
 
=={{header|PL/I}}==
{{works with|IBM PL/I|7.5}}
<langsyntaxhighlight lang="pli">DCL (T(10)) FIXED BIN(31); /* scratch space of length N/2 */
 
MERGE: PROCEDURE (A,LA,B,LB,C);
Line 906 ⟶ 2,071:
CALL MERGE(T,M,AMP1,N-M,A);
RETURN;
END MERGESORT;</langsyntaxhighlight>
 
=={{header|Pop11}}==
Pop11 library function sorts lists. So we first convert array to list, then sort and finally convert back:
 
<langsyntaxhighlight lang="pop11">lvars ar = {2 4 3 1 2};
;;; Convert array to list.
;;; destvector leaves its results and on the pop11 stack + an integer saying how many there were
Line 921 ⟶ 2,086:
;;; Convert list to array
destlist(ls);
consvector() -> ar;</langsyntaxhighlight>
 
The above can be abbreviated to more economical, but possibly more opaque, syntax, using pop11 as a functional language:
 
<langsyntaxhighlight lang="pop11">lvars ar = {2 4 3 1 2};
consvector(destlist(sort(conslist(destvector(ar))))) -> ar;
;;; print the sorted vector:
ar =>
** {1 2 2 3 4}</langsyntaxhighlight>
 
(The list created by conslist will be garbage-collected.)
Line 935 ⟶ 2,100:
Alternatively, using the datalist function, even more economically:
 
<langsyntaxhighlight lang="pop11">lvars ar = {2 4 3 1 2};
consvector(destlist(sort(datalist(ar)))) -> ar;</langsyntaxhighlight>
 
or in Forth-like pop11 postfix syntax:
 
<langsyntaxhighlight lang="pop11">lvars ar = {2 4 3 1 2};
ar.datalist.sort.destlist.consvector -> ar;</langsyntaxhighlight>
 
=={{header|Potion}}==
<syntaxhighlight lang="potion">(7, 5, 1, 2, 3, 8, 9) sort join(", ") print</syntaxhighlight>
 
=={{header|PowerBASIC}}==
PowerBASIC has several options available for sorting. At its simplest, an array (of any type) is sorted using <code>ARRAY SORT</code>:
<syntaxhighlight lang ="powerbasic">ARRAY SORT x()</langsyntaxhighlight>
 
Options are available to limit sorting to only part of the array, collate string arrays, sort multiple arrays together, etc. (Details [http://www.powerbasic.com/support/help/pbwin/html/ARRAY_SORT_statement.htm here].)
 
=={{header|PowerShell}}==
<langsyntaxhighlight lang="powershell">34,12,23,56,1,129,4,2,73 | Sort-Object</langsyntaxhighlight>
 
=={{header|Prolog}}==
<pre> ?- msort([10,5,13,3, 85,3,1], L).
L = [1,3,3,5,10,13,85].</pre>
Note that [http://www.swi-prolog.org/pldoc/man?predicate=sort/2 sort/2] removeremoves duplicates.
 
=={{header|PureBasic}}==
<langsyntaxhighlight PureBasiclang="purebasic">Dim numbers(20)
For i = 0 To 20
numbers(i) = Random(1000)
Next
 
SortArray(numbers(), #PB_Sort_Ascending)</langsyntaxhighlight>
 
=={{header|Python}}==
{{works with|Python|2.3}}
<langsyntaxhighlight lang="python">nums = [2,4,3,1,2]
nums.sort()</langsyntaxhighlight>
 
'''Note:''' The array <tt>nums</tt> is sorted in place.
Line 977 ⟶ 2,145:
You could also use the built-in sorted() function
 
<langsyntaxhighlight lang="python">nums = sorted([2,4,3,1,2])</langsyntaxhighlight>
 
=={{header|Quackery}}==
 
As a dialogue in the Quackery shell.
 
<pre>/O> [] 20 times [ 10 random join ]
... dup echo cr
... sort
... echo cr
...
[ 5 2 5 0 4 5 1 5 1 1 0 3 7 2 0 9 6 1 8 7 ]
[ 0 0 0 1 1 1 1 2 2 3 4 5 5 5 5 6 7 7 8 9 ]
</pre>
 
=={{header|R}}==
<langsyntaxhighlight lang="r">nums <- c(2,4,3,1,2)
sorted <- sort(nums)</langsyntaxhighlight>
 
=={{header|Racket}}==
<syntaxhighlight lang="racket">
-> (sort '(1 9 2 8 3 7 4 6 5) <)
'(1 2 3 4 5 6 7 8 9)
</syntaxhighlight>
 
=={{header|Raku}}==
(formerly Perl 6)
If <code>@a</code> contains only numbers:
 
<syntaxhighlight lang="raku" line>my @sorted = sort @a;</syntaxhighlight>
 
For an in-place sort:
 
<syntaxhighlight lang="raku" line>@a .= sort;</syntaxhighlight>
 
=={{header|Rascal}}==
Rascal has a built-in sort function that sort the elements of a list. Additionally, one can give a LessThenOrEqual function to compare the elements (See [http://tutor.rascal-mpl.org/Courses/Rascal/Rascal.html#/Courses/Rascal/Libraries/Prelude/List/sort/sort.html documentation]).
<langsyntaxhighlight lang="rascal">rascal>import List;
ok
 
Line 995 ⟶ 2,192:
 
rascal>sort(a, bool(int a, int b){return a >= b;})
list[int]: [5,4,3,2,1]</langsyntaxhighlight>
 
=={{header|Raven}}==
Sort list in place:
 
<langsyntaxhighlight lang="raven">[ 2 4 3 1 2 ] sort</langsyntaxhighlight>
 
=={{header|REBOL}}==
<langsyntaxhighlight lang="rebol">sort [2 4 3 1 2]</langsyntaxhighlight>
 
=={{header|Red}}==
<syntaxhighlight lang="red">>> nums: [3 2 6 4 1 9 0 5 7]
== [3 2 6 4 1 9 0 5 7]
>> sort nums
== [0 1 2 3 4 5 6 7 9]</syntaxhighlight>
 
=={{header|REXX}}==
===version 1, sort an array===
This REXX version creates an array with over a score of Euler numbers (integers), then sorts it.
<langsyntaxhighlight lang="rexx">/*REXX program tosorts sortan array (E-sortusing E─sort), in anthis arraycase, the (whicharray contains integers). */
numeric digits 30 numeric digits 30 /*handleenables handling larger Euler numbers.*/
a @. = 0; @.1 = 1
a @.23 = -1; @.5 = 05
@.7 = -61; @.9 = 1385
a.3= -1
a @.411= -50521; @.13= 02702765
a @.515= -199360981; 5 @.17= 19391512145
@.19= -2404879675441; @.21= 370371188237525
a.6= 0
#= 21 /*indicate there're 21 Euler numbers.*/
a.7= -61
call tell 'unsorted' /*display the array before the eSort. */
a.8= 0
call eSort # /*sort the array of some Euler numbers.*/
a.9= 1385
call tell ' sorted' /*display the array after the eSort. */
a.10= 0
exit /*stick a fork in it, we're all done. */
a.11= -50521
/*──────────────────────────────────────────────────────────────────────────────────────*/
a.12= 0
eSort: procedure expose @.; parse arg N; h=N /*an eXchange sort.*/
a.13= 2702765
do while h>1; h= h%2 /*define a segment.*/
a.14= 0
do i=1 for N-h; j=i; k= h+i /*sort top segment.*/
a.15= -199360981
do while @.k<@.j /*see if need swap.*/
a.16= 0
parse value @.j @.k with @.k @.j /*swap two elements*/
a.17= 19391512145
if h>=j then leave; j= j-h; k= k-h /*this part sorted?*/
a.18= 0
end /*while @.k<@.j*/
a.19= -2404879675441
a.20= 0 end /*i*/
end /*while h>1*/
a.21= 370371188237525
return
 
/*──────────────────────────────────────────────────────────────────────────────────────*/
size=21 /*we have a list of 21 Euler numbers.*/
tell: say copies('─', 65); _= left('',9); w= length(#)
call tell 'un-sorted'
do j=1 for #; say _ arg(1) 'array element' right(j, w)"="right(@.j, 20)
call esort size
end /*j*/
call tell ' sorted'
return</syntaxhighlight>
exit
{{out|output|text=&nbsp; when using the default internal input:}}
/*──────────────────────────────────ESORT subroutine────────────────────*/
<pre>
esort: procedure expose a.; parse arg N; h=N
─────────────────────────────────────────────────────────────────
do while h>1; h=h%2
dounsorted array element i=1= for N-h; j=i; k=h+i 1
unsorted array element do2= while a.k<a.j 0
unsorted array element parse3= value a.j a.k with a.k a.j /*swap two elements.*/ -1
unsorted array element if h>4=j then leave; j=j-h; k=k-h 0
unsorted array element end5= /*while a.k<a.j*/ 5
endunsorted array element 6= /*i*/ 0
end unsorted array element 7= /*while h>1*/ -61
unsorted array element 8= 0
return
unsorted array element 9= 1385
/*──────────────────────────────────TELL subroutine─────────────────────*/
unsorted array element 10= 0
tell: say center(arg(1),50,'─')
do junsorted array element 11=1 for size -50521
say arg(1)unsorted 'array element' right(j,length(size))'12='right(a.j,20) 0
end unsorted array /*j*/element 13= 2702765
unsorted array element 14= 0
say
unsorted array element 15= -199360981
return</lang>
unsorted array element 16= 0
'''output'''
unsorted array element 17= 19391512145
<pre style="height:40ex;overflow:scroll">
unsorted array element 18= 0
────────────────────un-sorted─────────────────────
un-sorted array element 1= unsorted array element 19= 1-2404879675441
un-sorted unsorted array element 220= 0
un-sorted array element 3= unsorted array element 21= -1370371188237525
─────────────────────────────────────────────────────────────────
un-sorted array element 4= 0
un-sorted array element 5= sorted array element 1= 5-2404879675441
un-sorted array element 6= sorted array element 2= 0 -199360981
un- sorted array element 73= -6150521
un- sorted array element 84= 0-61
un- sorted array element 95= 1385 -1
un- sorted array element 10 6= 0
un- sorted array element 11 7= -50521 0
un- sorted array element 12 8= 0
un- sorted array element 13 9= 2702765 0
un- sorted array element 1410= 0
un- sorted array element 1511= -199360981 0
un- sorted array element 1612= 0
un- sorted array element 1713= 19391512145 0
un- sorted array element 1814= 0
un- sorted array element 1915= -2404879675441 0
un- sorted array element 2016= 01
un- sorted array element 2117= 370371188237525 5
sorted array element 18= 1385
 
sorted array element 19= 2702765
──────────────────── sorted─────────────────────
sorted array element 120= -2404879675441 19391512145
sorted array element 2= sorted array element 21= -199360981370371188237525
sorted array element 3= -50521
sorted array element 4= -61
sorted array element 5= -1
sorted array element 6= 0
sorted array element 7= 0
sorted array element 8= 0
sorted array element 9= 0
sorted array element 10= 0
sorted array element 11= 0
sorted array element 12= 0
sorted array element 13= 0
sorted array element 14= 0
sorted array element 15= 0
sorted array element 16= 1
sorted array element 17= 5
sorted array element 18= 1385
sorted array element 19= 2702765
sorted array element 20= 19391512145
sorted array element 21= 370371188237525
</pre>
 
===version 2, sort a list===
This REXX version creates a list with a bunch of interesting integers, then sorts it.
<br>Because it so much more efficient to sort an array, an array is built from the list,
<br>sorted, than the list is re-constituted.
<lang rexx>/*REXX program sorts (using E-sort) a list of some interesting integers.*/
 
Because it so much more efficient to sort an array, &nbsp; an array is built from the list,
/*quotes aren't needed if all elements in a list are non-negative.*/
<br>it is then sorted, &nbsp; and then the list is re-constituted.
bell= 1 1 2 5 15 52 203 877 4140 21147 115975 /*some Bell numbers.*/
<syntaxhighlight lang="rexx">/*REXX program sorts (using E─sort) and displays a list of some interesting integers. */
bern= '1 -1 1 0 -1 0 1 0 -1 0 5 0 -691 0 7 0 -3617' /*some Bernoulli num*/
perrin Bell=3 0 21 31 2 5 515 752 10203 877 4140 21147 115975 12 17 22 29 39 51 68 90 /*somea few Bell " Perrin nums. */
list Bern=bell bern'1 perrin-1 1 0 -1 0 1 0 -1 0 5 0 -691 0 7 0 -3617' /*" " Bernoulli /*throw" 'em───>a pot*/
sayPerrin= 'original ='3 list0 2 3 2 5 5 7 10 12 17 22 29 39 51 68 90 /*" " Perrin " /*an annoucement... */
size=words( list)= Bell Bern Perrin /*nicethrow tothem haveall SIZE───► a pot. */
say 'unsorted =' list do j=1 for size /*build andisplay array,what's 1being shown.*/
#= words(list) a.j=word(list,j) /*elementnice to have at# aof timeelements.*/
end do j=1 for # /*jbuild an array, a single */
call esort size @.j=word(list, j) /*sort the stuff. ··· element at a time.*/
bList=a.1 end /*start with 1st. j*/
call eSort # do k=2 to size /*build a list. /*sort the collection of #s. */
$=; bList do k=bList1 a for #; $= $ @.k /*build a list from the array*/
end /*k*/
say ' sorted =' bListspace($) /*showdisplay &the tellsorted timelist. */
exit /*stick a fork in it, we're all done.*/
exit
/*──────────────────────────────────────────────────────────────────────────────────────*/
/*──────────────────────────────────ESORT subroutine────────────────────*/
esorteSort: procedure expose a@.; parse arg N; h= N /*an eXchange sort.*/
do while h>1; h= h % 2 /*define a segment.*/
do i=1 for N-h; j= i; k= h + i /*sort top segment.*/
do while a @.k<a@.j /*see if need swap.*/
parse value a @.j a @.k with a @.k a @.j /*swap two elements.*/
if h>=j then leave; j= j - h; k= k - h /*this part sorted?*/
end /*while a@.k<a@.j*/
end end /*i*/
end end /*while h>1*/
return</langsyntaxhighlight>
{{out|output|text=&nbsp; when using the default internal inputs:}}
'''output'''
 
<pre style="overflow:scroll">
(Shown at &nbsp; <big>'''<sup>5</sup>/<sub>6</sub>'''</big> &nbsp; size.)
original = 1 1 2 5 15 52 203 877 4140 21147 115975 1 -1 1 0 -1 0 1 0 -1 0 5 0 -691 0 7 0 -3617 3 0 2 3 2 5 5 7 10 12 17 22 29 39 51 68 90
 
<pre style="font-size:83%">
unsorted = 1 1 2 5 15 52 203 877 4140 21147 115975 1 -1 1 0 -1 0 1 0 -1 0 5 0 -691 0 7 0 -3617 3 0 2 3 2 5 5 7 10 12 17 22 29 39 51 68 90
sorted = -3617 -691 -1 -1 -1 0 0 0 0 0 0 0 0 1 1 1 1 1 2 2 2 3 3 5 5 5 5 7 7 10 12 15 17 22 29 39 51 52 68 90 203 877 4140 21147 115975
</pre>
 
=={{header|Ring}}==
<syntaxhighlight lang="ring">aArray = [2,4,3,1,2]
see sort(aArray)</syntaxhighlight>
 
=={{header|RPL}}==
{{works with|HP|48G}}
{2 4 3 1 2} SORT
{{out}}
<pre>
1: { 1 2 2 3 4 }
</pre>
=={{header|Ruby}}==
<syntaxhighlight lang="ruby">nums = [2,4,3,1,2]
{{works with|Ruby|1.8.4}}
sorted = nums.sort # returns a new sorted array. 'nums' is unchanged
<lang ruby>nums = [2,4,3,1,2]
p sorted = nums.sort # returns a new sorted array. 'nums' is unchanged #=> [1, 2, 2, 3, 4]
p nums #=> [2, 4, 3, 1, 2]
nums.sort! # sort 'nums' "in-place"</lang>
 
nums.sort! # sort 'nums' "in-place"
p nums #=> [1, 2, 2, 3, 4]</syntaxhighlight>
 
=={{header|Rust}}==
Uses merge sort in place (undocumented), allocating ~2*n memory where n is a length of an array.
<syntaxhighlight lang="rust">fn main() {
let mut a = vec!(9, 8, 7, 6, 5, 4, 3, 2, 1, 0);
 
a.sort();
println!("{:?}", a);
}</syntaxhighlight>
 
=={{header|Sather}}==
<syntaxhighlight lang="sather">class MAIN is
main is
arr: ARRAY{INT} := |4, 6, 7, 2, 1, 0, 100, 21, 34|;
#OUT+"unsorted: " + arr + "\n";
 
-- sort in place:
arr.sort;
 
#OUT+" sorted: " + arr + "\n";
end;
end;</syntaxhighlight>
 
Output:
<syntaxhighlight lang="text">unsorted: {4,6,7,2,1,0,100,21,34}
sorted: {0,1,2,4,6,7,21,34,100}</syntaxhighlight>
 
=={{header|Scala}}==
{{libheader|Scala}}
<lang scala>println(List(5,2,78,2,578,-42).sortWith(_<_))
===Array===
//--> List(-42, 2, 2, 5, 78, 578)</lang>
Scala's "default" Array is a ''mutable'' data structure, very close to Java's Array. Generally speaking, that means an "array" is not very Scala-lesque, even as mutable data structures go. It can serves a purpose, though. If array is the right data type for your need, then that is how you sort it.<syntaxhighlight lang="scala">import scala.compat.Platform
 
object Sort_an_integer_array extends App {
val array = Array((for (i <- 0 to 10) yield scala.util.Random.nextInt()):
_* /*Sequence is passed as multiple parameters to Array(xs : T*)*/)
 
/** Function test the array if it is in order */
def isSorted[T](arr: Array[T]) = array.sliding(2).forall(pair => pair(0) <= pair(1))
 
assert(!isSorted(array), "Not random")
scala.util.Sorting.quickSort(array)
assert(isSorted(array), "Not sorted")
 
println(s"Array in sorted order.\nSuccessfully completed without errors. [total ${Platform.currentTime - executionStart} ms]")
}</syntaxhighlight>
===List===
<syntaxhighlight lang="scala">println(List(5,2,78,2,578,-42).sorted)
//--> List(-42, 2, 2, 5, 78, 578)</syntaxhighlight>
 
=={{header|Scheme}}==
{{works with|Guile}}
Same as [[Common Lisp]]
<langsyntaxhighlight lang="scheme">(sort #(9 -2 1 2 8 0 1 2) #'<)</langsyntaxhighlight>
 
{{libheader|Scheme/SRFIs}}
 
Sorting is also available through SRFIs. SRFI 132 provides separate list-sort and vector-sort routines:
 
<syntaxhighlight lang="scheme">
> (import (srfi 132))
> (list-sort < '(9 -2 1 2 8 0 1 2))
(-2 0 1 1 2 2 8 9)
 
> (vector-sort < #(9 -2 1 2 8 0 1 2))
#(-2 0 1 1 2 2 8 9)
</syntaxhighlight>
 
SRFI 132 replaced the older SRFI 95, which is still found in many implementations. SRFI 95 provides a generic sort function (but note the order of the sequence and comparator!):
 
<syntaxhighlight lang="scheme">
> (import (srfi 95))
> (sort '(9 -2 1 2 8 0 1 2) <)
(-2 0 1 1 2 2 8 9)
> (sort #(9 -2 1 2 8 0 1 2) <)
#(-2 0 1 1 2 2 8 9)
</syntaxhighlight>
 
=={{header|Seed7}}==
<langsyntaxhighlight lang="seed7">var array integer: nums is [] (2, 4, 3, 1, 2);
 
nums := sort(nums);</langsyntaxhighlight>
 
=={{header|Sidef}}==
<syntaxhighlight lang="ruby">var nums = [2,4,3,1,2];
var sorted = nums.sort; # returns a new sorted array.
nums.sort!; # sort 'nums' "in-place"</syntaxhighlight>
 
=={{header|Slate}}==
<langsyntaxhighlight lang="slate"> #(7 5 2 9 0 -1) sort</langsyntaxhighlight>
 
=={{header|Smalltalk}}==
<langsyntaxhighlight lang="smalltalk"> #(7 5 2 9 0 -1) asSortedCollection</langsyntaxhighlight>
or destructive:
<syntaxhighlight lang="smalltalk"> #(7 5 2 9 0 -1) sort</syntaxhighlight>
 
=={{header|SparForte}}==
As a structured script.
<syntaxhighlight lang="ada">#!/usr/local/bin/spar
pragma annotate( summary, "int_sort" )
@( description, "Sort an array (or list) of integers in ascending" )
@( description, "numerical order. Use a sorting facility provided by" )
@( description, "the language/library if possible." )
@( category, "tutorials" )
@( author, "Ken O. Burtch" )
@( see_also, "http://rosettacode.org/wiki/Sort_an_integer_array" );
pragma license( unrestricted );
 
pragma software_model( nonstandard );
pragma restriction( no_external_commands );
 
procedure int_sort is
type int_array is array (1..9) of integer;
int_values : int_array := (0,1,8,2,7,3,6,4,5);
begin
arrays.heap_sort( int_values );
for i in arrays.first( int_values )..arrays.last( int_values ) loop
? int_values(i);
end loop;
end int_sort;</syntaxhighlight>
 
=={{header|Sparkling}}==
<syntaxhighlight lang="sparkling">var arr = { 2, 8, 1, 4, 6, 5, 3, 7, 0, 9 };
sort(arr);</syntaxhighlight>
 
=={{header|Standard ML}}==
Line 1,175 ⟶ 2,476:
===Array===
{{works with|SML/NJ}}
<langsyntaxhighlight lang="sml">- val nums = Array.fromList [2, 4, 3, 1, 2];
val nums = [|2,4,3,1,2|] : int array
- ArrayQSort.sort Int.compare nums;
val it = () : unit
- nums;
val it = [|1,2,2,3,4|] : int array</langsyntaxhighlight>
 
{{works with|Moscow ML}}
<langsyntaxhighlight lang="sml">- load "Arraysort";
> val it = () : unit
- load "Int";
Line 1,192 ⟶ 2,493:
> val it = () : unit
- Array.foldr op:: [] nums;
> val it = [1, 2, 2, 3, 4] : int list</langsyntaxhighlight>
 
===List===
{{works with|SML/NJ}}
<langsyntaxhighlight lang="sml">- val nums = [2, 4, 3, 1, 2];
val nums = [2,4,3,1,2] : int list
- val sorted = ListMergeSort.sort op> nums;
val sorted = [1,2,2,3,4] : int list</langsyntaxhighlight>
 
{{works with|Moscow ML}}
<langsyntaxhighlight lang="sml">- load "Listsort";
> val it = () : unit
- load "Int";
Line 1,209 ⟶ 2,510:
> val nums = [2, 4, 3, 1, 2] : int list
- val sorted = Listsort.sort Int.compare nums;
> val sorted = [1, 2, 2, 3, 4] : int list</langsyntaxhighlight>
 
=={{header|Stata}}==
=== Sort a Stata dataset ===
See '''[https://www.stata.com/help.cgi?sort sort]''' in Stata help.
 
<syntaxhighlight lang="stata">. clear
. matrix a=(2,9,4,7,5,3,6,1,8)'
. qui svmat a
. sort a
. list
 
+----+
| a1 |
|----|
1. | 1 |
2. | 2 |
3. | 3 |
4. | 4 |
5. | 5 |
|----|
6. | 6 |
7. | 7 |
8. | 8 |
9. | 9 |
+----+</syntaxhighlight>
 
=== Sort a macro list ===
See '''[https://www.stata.com/help.cgi?macrolists macrolists]''' in Stata help for other functions on lists stored in macros.
 
<syntaxhighlight lang="stata">. local a 2 9 4 7 5 3 6 1 8
. di "`: list sort a'"
1 2 3 4 5 6 7 8 9</syntaxhighlight>
 
=== Mata ===
See Mata's '''[http://www.stata.com/help.cgi?mf_sort sort]''' function.
 
<syntaxhighlight lang="stata">mata
: a=2\9\4\7\5\3\6\1\8
 
: sort(a,1)
1
+-----+
1 | 1 |
2 | 2 |
3 | 3 |
4 | 4 |
5 | 5 |
6 | 6 |
7 | 7 |
8 | 8 |
9 | 9 |
+-----+
end</syntaxhighlight>
 
=={{header|Swift}}==
===Sort in place===
{{works with|Swift|2.x+}}
<syntaxhighlight lang="swift">var nums = [2, 4, 3, 1, 2]
nums.sortInPlace()
print(nums)</syntaxhighlight>
or
<syntaxhighlight lang="swift">var nums = [2, 4, 3, 1, 2]
nums.sortInPlace(<)
print(nums)</syntaxhighlight>
 
{{works with|Swift|1.x}}
<syntaxhighlight lang="swift">var nums = [2, 4, 3, 1, 2]
nums.sort(<)
println(nums)</syntaxhighlight>
or
<syntaxhighlight lang="swift">var nums = [2, 4, 3, 1, 2]
sort(&nums)
println(nums)</syntaxhighlight>
or
<syntaxhighlight lang="swift">var nums = [2, 4, 3, 1, 2]
sort(&nums, <)
println(nums)</syntaxhighlight>
 
===Return new array===
You could also create a new sorted array without affecting the original one:
 
{{works with|Swift|2.x+}}
<syntaxhighlight lang="swift">let nums = [2,4,3,1,2].sort()
print(nums)</syntaxhighlight>
or
<syntaxhighlight lang="swift">let nums = [2,4,3,1,2].sort(<)
print(nums)</syntaxhighlight>
 
{{works with|Swift|1.x}}
<syntaxhighlight lang="swift">let nums = sorted([2,4,3,1,2])
println(nums)</syntaxhighlight>
or
<syntaxhighlight lang="swift">let nums = [2,4,3,1,2].sorted(<)
println(nums)</syntaxhighlight>
 
=={{header|Tcl}}==
<langsyntaxhighlight lang="tcl">set result [lsort -integer $unsorted_list]</langsyntaxhighlight>
 
=={{header|TI-83 BASIC}}==
Line 1,223 ⟶ 2,618:
This can be done by using the bubble sort library:
 
<langsyntaxhighlight lang="toka">needs bsort
arrayname number_elements bsort</langsyntaxhighlight>
 
See the Toka entry on [[Bubble Sort]] for a full example.
Line 1,231 ⟶ 2,626:
Each shell parameter separates the integers using the default IFS whitespace (space, tab, newline).
 
<langsyntaxhighlight lang="bash">nums="2 4 3 1 5"
sorted=`printf "%s\n" $nums | sort -n`
echo $sorted # prints 1 2 3 4 5</langsyntaxhighlight>
 
Alternate solution: <tt>sorted=`for i in $nums; do echo $i; done | sort -n`</tt>
Line 1,241 ⟶ 2,636:
 
{{works with|pdksh|5.2.14}}
<langsyntaxhighlight lang="bash">set -A nums 2 4 3 1 5
set -A sorted $(printf "%s\n" ${nums[*]} | sort -n)
echo ${sorted[*]} # prints 1 2 3 4 5</langsyntaxhighlight>
 
Users of [[bash]], [[ksh93]] and [[mksh]] can probably use the <tt>nums=(2 4 3 1 2)</tt> syntax.
 
=={{header|Ursa}}==
<syntaxhighlight lang="ursa">decl int<> nums
append 2 4 3 1 2 nums
sort nums</syntaxhighlight>
 
=={{header|Ursala}}==
using the built in sort operator, -<, with the nleq library function
for comparing natural numbers
<langsyntaxhighlight Ursalalang="ursala">#import nat
 
#cast %nL
 
example = nleq-< <39,47,40,53,14,23,88,52,78,62,41,92,88,66,5,40></langsyntaxhighlight>
output:
<pre><5,14,23,39,40,40,41,47,52,53,62,66,78,88,88,92></pre>
 
=={{header|V (Vlang)}}==
<syntaxhighlight lang="v (vlang)">fn main() {
mut nums := [3, 2, 4, 1, 6, 7, 5, 0]
nums.sort()
println(nums)
}</syntaxhighlight>
 
{{out}}
<pre>
[0, 1, 2, 3, 4, 5, 6, 7]
</pre>
 
=={{header|WDTE}}==
<syntaxhighlight lang="wdte">let a => import 'arrays';
a.sort [39; 47; 40; 53; 14; 23; 88; 52; 78; 62; 41; 92; 88; 66; 5; 40] < -- io.writeln io.stdout;</syntaxhighlight>
 
=={{header|Wortel}}==
<syntaxhighlight lang="wortel">@sort [39 47 40 53 14 23 88 52 78 62 41 92 88 66 5 40]</syntaxhighlight>
 
=={{header|Wren}}==
{{libheader|Wren-sort}}
<syntaxhighlight lang="wren">import "./sort" for Sort
 
var a = [7, 10, 2, 4, 6, 1, 8, 3, 9, 5]
Sort.quick(a)
System.print(a)</syntaxhighlight>
 
{{out}}
<pre>
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
</pre>
 
=={{header|XPL0}}==
<langsyntaxhighlight XPL0lang="xpl0">include c:\cxpl\codes; \intrinsic 'code' declarations
 
proc SSort(A, N); \Shell sort array in ascending order
Line 1,285 ⟶ 2,717:
for I:= 0 to 10-1 do [IntOut(0, A(I)); ChOut(0, ^ )];
CrLf(0);
]</langsyntaxhighlight>
 
Output:
Line 1,291 ⟶ 2,723:
1 1 2 3 4 4 5 5 6 9
</pre>
 
=={{header|Yabasic}}==
<syntaxhighlight lang="yabasic">export sub shell_sort(x())
// Shell sort based on insertion sort
 
local gap, i, j, first, last, tempi, tempj
 
last = arraysize(x(),1)
gap = int(last / 10) + 1
while(TRUE)
first = gap + 1
for i = first to last
tempi = x(i)
j = i - gap
while(TRUE)
tempj = x(j)
if tempi >= tempj then
j = j + gap
break
end if
x(j+gap) = tempj
if j <= gap then
break
end if
j = j - gap
wend
x(j) = tempi
next i
if gap = 1 then
return
else
gap = int(gap / 3.5) + 1
end if
wend
end sub
 
if peek$("library") = "main" then
 
clear screen
ITEMS = 100
dim numeros(ITEMS)
for n = 1 to ITEMS
numeros(n) = ran(ITEMS + 1)
next n
print time$
shell_sort(numeros())
print time$
print "Press a key to see ordered numbers."
inkey$
for n = 1 to ITEMS
print numeros(n),", ";
next n
 
end if</syntaxhighlight>
 
=={{header|Yorick}}==
In Yorick, ''sort'' returns an index list into the array that will put it in sorted order.
<langsyntaxhighlight lang="yorick">
nums = [2,4,3,1,2];
nums = nums(sort(nums));
</syntaxhighlight>
</lang>
 
=={{header|zkl}}==
In place sorting read/write list:
<syntaxhighlight lang="zkl">a:=L(4,5,2,6); a.sort(); a.println() //--> L(2,4,5,6)</syntaxhighlight>
Sort a read only list:
<syntaxhighlight lang="zkl">a:=T(4,5,2,6); b:=a.sort();
b.println(); //--> L(2,4,5,6)
a.println(); //--> L(4,5,2,6)</syntaxhighlight>
 
=={{header|Zoea}}==
<syntaxhighlight lang="zoea">
program: sort_integer_array
input: [2,4,3,1]
output: [1,2,3,4]
</syntaxhighlight>
 
=={{header|Zoea Visual}}==
[http://zoea.co.uk/examples/zv-rc/Sort_integer_array.png Sort integer array]
9,483

edits