task_url
stringlengths
30
116
task_name
stringlengths
2
86
task_description
stringlengths
0
14.4k
language_url
stringlengths
2
53
language_name
stringlengths
1
52
code
stringlengths
0
61.9k
http://rosettacode.org/wiki/Stable_marriage_problem
Stable marriage problem
Solve the Stable marriage problem using the Gale/Shapley algorithm. Problem description Given an equal number of men and women to be paired for marriage, each man ranks all the women in order of his preference and each woman ranks all the men in order of her preference. A stable set of engagements for marriage is one where no man prefers a woman over the one he is engaged to, where that other woman also prefers that man over the one she is engaged to. I.e. with consulting marriages, there would be no reason for the engagements between the people to change. Gale and Shapley proved that there is a stable set of engagements for any set of preferences and the first link above gives their algorithm for finding a set of stable engagements. Task Specifics Given ten males: abe, bob, col, dan, ed, fred, gav, hal, ian, jon And ten females: abi, bea, cath, dee, eve, fay, gay, hope, ivy, jan And a complete list of ranked preferences, where the most liked is to the left: abe: abi, eve, cath, ivy, jan, dee, fay, bea, hope, gay bob: cath, hope, abi, dee, eve, fay, bea, jan, ivy, gay col: hope, eve, abi, dee, bea, fay, ivy, gay, cath, jan dan: ivy, fay, dee, gay, hope, eve, jan, bea, cath, abi ed: jan, dee, bea, cath, fay, eve, abi, ivy, hope, gay fred: bea, abi, dee, gay, eve, ivy, cath, jan, hope, fay gav: gay, eve, ivy, bea, cath, abi, dee, hope, jan, fay hal: abi, eve, hope, fay, ivy, cath, jan, bea, gay, dee ian: hope, cath, dee, gay, bea, abi, fay, ivy, jan, eve jon: abi, fay, jan, gay, eve, bea, dee, cath, ivy, hope abi: bob, fred, jon, gav, ian, abe, dan, ed, col, hal bea: bob, abe, col, fred, gav, dan, ian, ed, jon, hal cath: fred, bob, ed, gav, hal, col, ian, abe, dan, jon dee: fred, jon, col, abe, ian, hal, gav, dan, bob, ed eve: jon, hal, fred, dan, abe, gav, col, ed, ian, bob fay: bob, abe, ed, ian, jon, dan, fred, gav, col, hal gay: jon, gav, hal, fred, bob, abe, col, ed, dan, ian hope: gav, jon, bob, abe, ian, dan, hal, ed, col, fred ivy: ian, col, hal, gav, fred, bob, abe, ed, jon, dan jan: ed, hal, gav, abe, bob, jon, col, ian, fred, dan Use the Gale Shapley algorithm to find a stable set of engagements Perturb this set of engagements to form an unstable set of engagements then check this new set for stability. References The Stable Marriage Problem. (Eloquent description and background information). Gale-Shapley Algorithm Demonstration. Another Gale-Shapley Algorithm Demonstration. Stable Marriage Problem - Numberphile (Video). Stable Marriage Problem (the math bit) (Video). The Stable Marriage Problem and School Choice. (Excellent exposition)
#Python
Python
import copy   guyprefers = { 'abe': ['abi', 'eve', 'cath', 'ivy', 'jan', 'dee', 'fay', 'bea', 'hope', 'gay'], 'bob': ['cath', 'hope', 'abi', 'dee', 'eve', 'fay', 'bea', 'jan', 'ivy', 'gay'], 'col': ['hope', 'eve', 'abi', 'dee', 'bea', 'fay', 'ivy', 'gay', 'cath', 'jan'], 'dan': ['ivy', 'fay', 'dee', 'gay', 'hope', 'eve', 'jan', 'bea', 'cath', 'abi'], 'ed': ['jan', 'dee', 'bea', 'cath', 'fay', 'eve', 'abi', 'ivy', 'hope', 'gay'], 'fred': ['bea', 'abi', 'dee', 'gay', 'eve', 'ivy', 'cath', 'jan', 'hope', 'fay'], 'gav': ['gay', 'eve', 'ivy', 'bea', 'cath', 'abi', 'dee', 'hope', 'jan', 'fay'], 'hal': ['abi', 'eve', 'hope', 'fay', 'ivy', 'cath', 'jan', 'bea', 'gay', 'dee'], 'ian': ['hope', 'cath', 'dee', 'gay', 'bea', 'abi', 'fay', 'ivy', 'jan', 'eve'], 'jon': ['abi', 'fay', 'jan', 'gay', 'eve', 'bea', 'dee', 'cath', 'ivy', 'hope']} galprefers = { 'abi': ['bob', 'fred', 'jon', 'gav', 'ian', 'abe', 'dan', 'ed', 'col', 'hal'], 'bea': ['bob', 'abe', 'col', 'fred', 'gav', 'dan', 'ian', 'ed', 'jon', 'hal'], 'cath': ['fred', 'bob', 'ed', 'gav', 'hal', 'col', 'ian', 'abe', 'dan', 'jon'], 'dee': ['fred', 'jon', 'col', 'abe', 'ian', 'hal', 'gav', 'dan', 'bob', 'ed'], 'eve': ['jon', 'hal', 'fred', 'dan', 'abe', 'gav', 'col', 'ed', 'ian', 'bob'], 'fay': ['bob', 'abe', 'ed', 'ian', 'jon', 'dan', 'fred', 'gav', 'col', 'hal'], 'gay': ['jon', 'gav', 'hal', 'fred', 'bob', 'abe', 'col', 'ed', 'dan', 'ian'], 'hope': ['gav', 'jon', 'bob', 'abe', 'ian', 'dan', 'hal', 'ed', 'col', 'fred'], 'ivy': ['ian', 'col', 'hal', 'gav', 'fred', 'bob', 'abe', 'ed', 'jon', 'dan'], 'jan': ['ed', 'hal', 'gav', 'abe', 'bob', 'jon', 'col', 'ian', 'fred', 'dan']}   guys = sorted(guyprefers.keys()) gals = sorted(galprefers.keys())     def check(engaged): inverseengaged = dict((v,k) for k,v in engaged.items()) for she, he in engaged.items(): shelikes = galprefers[she] shelikesbetter = shelikes[:shelikes.index(he)] helikes = guyprefers[he] helikesbetter = helikes[:helikes.index(she)] for guy in shelikesbetter: guysgirl = inverseengaged[guy] guylikes = guyprefers[guy] if guylikes.index(guysgirl) > guylikes.index(she): print("%s and %s like each other better than " "their present partners: %s and %s, respectively"  % (she, guy, he, guysgirl)) return False for gal in helikesbetter: girlsguy = engaged[gal] gallikes = galprefers[gal] if gallikes.index(girlsguy) > gallikes.index(he): print("%s and %s like each other better than " "their present partners: %s and %s, respectively"  % (he, gal, she, girlsguy)) return False return True   def matchmaker(): guysfree = guys[:] engaged = {} guyprefers2 = copy.deepcopy(guyprefers) galprefers2 = copy.deepcopy(galprefers) while guysfree: guy = guysfree.pop(0) guyslist = guyprefers2[guy] gal = guyslist.pop(0) fiance = engaged.get(gal) if not fiance: # She's free engaged[gal] = guy print("  %s and %s" % (guy, gal)) else: # The bounder proposes to an engaged lass! galslist = galprefers2[gal] if galslist.index(fiance) > galslist.index(guy): # She prefers new guy engaged[gal] = guy print("  %s dumped %s for %s" % (gal, fiance, guy)) if guyprefers2[fiance]: # Ex has more girls to try guysfree.append(fiance) else: # She is faithful to old fiance if guyslist: # Look again guysfree.append(guy) return engaged     print('\nEngagements:') engaged = matchmaker()   print('\nCouples:') print(' ' + ',\n '.join('%s is engaged to %s' % couple for couple in sorted(engaged.items()))) print() print('Engagement stability check PASSED' if check(engaged) else 'Engagement stability check FAILED')   print('\n\nSwapping two fiances to introduce an error') engaged[gals[0]], engaged[gals[1]] = engaged[gals[1]], engaged[gals[0]] for gal in gals[:2]: print('  %s is now engaged to %s' % (gal, engaged[gal])) print() print('Engagement stability check PASSED' if check(engaged) else 'Engagement stability check FAILED')
http://rosettacode.org/wiki/Stack
Stack
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A stack is a container of elements with   last in, first out   access policy.   Sometimes it also called LIFO. The stack is accessed through its top. The basic stack operations are:   push   stores a new element onto the stack top;   pop   returns the last pushed stack element, while removing it from the stack;   empty   tests if the stack contains no elements. Sometimes the last pushed stack element is made accessible for immutable access (for read) or mutable access (for write):   top   (sometimes called peek to keep with the p theme) returns the topmost element without modifying the stack. Stacks allow a very simple hardware implementation. They are common in almost all processors. In programming, stacks are also very popular for their way (LIFO) of resource management, usually memory. Nested scopes of language objects are naturally implemented by a stack (sometimes by multiple stacks). This is a classical way to implement local variables of a re-entrant or recursive subprogram. Stacks are also used to describe a formal computational framework. See stack machine. Many algorithms in pattern matching, compiler construction (e.g. recursive descent parsers), and machine learning (e.g. based on tree traversal) have a natural representation in terms of stacks. Task Create a stack supporting the basic operations: push, pop, empty. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#IS-BASIC
IS-BASIC
100 LET N=255 ! Size of stack 110 NUMERIC STACK(1 TO N) 120 LET PTR=1 130 DEF PUSH(X) 140 IF PTR>N THEN 150 PRINT "Stack is full.":STOP 160 ELSE 170 LET STACK(PTR)=X:LET PTR=PTR+1 180 END IF 190 END DEF 200 DEF POP 210 IF PTR=1 THEN 220 PRINT "Stack is empty.":STOP 230 ELSE 240 LET PTR=PTR-1:LET POP=STACK(PTR) 250 END IF 260 END DEF 270 DEF EMPTY 280 LET PTR=1 290 END DEF 300 DEF TOP=STACK(PTR-1) 310 CALL PUSH(3):CALL PUSH(5) 320 PRINT POP+POP
http://rosettacode.org/wiki/Spiral_matrix
Spiral matrix
Task Produce a spiral array. A   spiral array   is a square arrangement of the first   N2   natural numbers,   where the numbers increase sequentially as you go around the edges of the array spiraling inwards. For example, given   5,   produce this array: 0 1 2 3 4 15 16 17 18 5 14 23 24 19 6 13 22 21 20 7 12 11 10 9 8 Related tasks   Zig-zag matrix   Identity_matrix   Ulam_spiral_(for_primes)
#IS-BASIC
IS-BASIC
100 PROGRAM "SpiralMa.bas" 110 TEXT 80 120 INPUT PROMPT "Enter size of matrix (max. 10): ":N 130 NUMERIC A(1 TO N,1 TO N) 140 CALL INIT(A) 150 CALL WRITE(A) 160 DEF INIT(REF T) 170 LET BCOL,BROW,COL,ROW=1:LET TCOL,TROW=N:LET DIR=0 180 FOR I=0 TO N^2-1 190 LET T(COL,ROW)=I 200 SELECT CASE DIR 210 CASE 0 220 IF ROW<TROW THEN 230 LET ROW=ROW+1 240 ELSE 250 LET DIR=1:LET COL=COL+1:LET BCOL=BCOL+1 260 END IF 270 CASE 1 280 IF COL<TCOL THEN 290 LET COL=COL+1 300 ELSE 310 LET DIR=2:LET ROW=ROW-1:LET TROW=TROW-1 320 END IF 330 CASE 2 340 IF ROW>BROW THEN 350 LET ROW=ROW-1 360 ELSE 370 LET DIR=3:LET COL=COL-1:LET TCOL=TCOL-1 380 END IF 390 CASE 3 400 IF COL>BCOL THEN 410 LET COL=COL-1 420 ELSE 430 LET DIR=0:LET ROW=ROW+1:LET BROW=BROW+1 440 END IF 450 END SELECT 460 NEXT 470 END DEF 480 DEF WRITE(REF T) 490 FOR I=LBOUND(T,1) TO UBOUND(T,1) 500 FOR J=LBOUND(T,2) TO UBOUND(T,2) 510 PRINT USING " ##":T(I,J); 520 NEXT 530 PRINT 540 NEXT 550 END DEF
http://rosettacode.org/wiki/Special_variables
Special variables
Special variables have a predefined meaning within a computer programming language. Task List the special variables used within the language.
#VBA
VBA
*PACKAGE* *READTABLE* *ERROR-HANDLER* *UNBOUND-HANDLER* *LOAD-PATH* *STANDARD-INPUT* *STANDARD-OUTPUT* *ERROR-OUTPUT* *FIXNUM-FORMAT* *HEXNUM-FORMAT* *FLONUM-FORMAT* *PRINT-CASE* *SOFTWARE-TYPE* T  ; bound to #T NIL  ; bound to '() OBJECT CLASS
http://rosettacode.org/wiki/Special_variables
Special variables
Special variables have a predefined meaning within a computer programming language. Task List the special variables used within the language.
#XLISP
XLISP
*PACKAGE* *READTABLE* *ERROR-HANDLER* *UNBOUND-HANDLER* *LOAD-PATH* *STANDARD-INPUT* *STANDARD-OUTPUT* *ERROR-OUTPUT* *FIXNUM-FORMAT* *HEXNUM-FORMAT* *FLONUM-FORMAT* *PRINT-CASE* *SOFTWARE-TYPE* T  ; bound to #T NIL  ; bound to '() OBJECT CLASS
http://rosettacode.org/wiki/Sorting_algorithms/Radix_sort
Sorting algorithms/Radix sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an integer array with the   radix sort algorithm. The primary purpose is to complete the characterization of sort algorithms task.
#C.23
C#
using System;   namespace RadixSort { class Program { static void Sort(int[] old) { int i, j; int[] tmp = new int[old.Length]; for (int shift = 31; shift > -1; --shift) { j = 0; for (i = 0; i < old.Length; ++i) { bool move = (old[i] << shift) >= 0; if (shift == 0 ? !move : move) // shift the 0's to old's head old[i-j] = old[i]; else // move the 1's to tmp tmp[j++] = old[i]; } Array.Copy(tmp, 0, old, old.Length-j, j); } } static void Main(string[] args) { int[] old = new int[] { 2, 5, 1, -3, 4 }; Console.WriteLine(string.Join(", ", old)); Sort(old); Console.WriteLine(string.Join(", ", old)); Console.Read(); } } }
http://rosettacode.org/wiki/Sorting_algorithms/Quicksort
Sorting algorithms/Quicksort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Quicksort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Sort an array (or list) elements using the   quicksort   algorithm. The elements must have a   strict weak order   and the index of the array can be of any discrete type. For languages where this is not possible, sort an array of integers. Quicksort, also known as   partition-exchange sort,   uses these steps.   Choose any element of the array to be the pivot.   Divide all other elements (except the pivot) into two partitions.   All elements less than the pivot must be in the first partition.   All elements greater than the pivot must be in the second partition.   Use recursion to sort both partitions.   Join the first sorted partition, the pivot, and the second sorted partition. The best pivot creates partitions of equal length (or lengths differing by   1). The worst pivot creates an empty partition (for example, if the pivot is the first or last element of a sorted array). The run-time of Quicksort ranges from   O(n log n)   with the best pivots, to   O(n2)   with the worst pivots, where   n   is the number of elements in the array. This is a simple quicksort algorithm, adapted from Wikipedia. function quicksort(array) less, equal, greater := three empty arrays if length(array) > 1 pivot := select any element of array for each x in array if x < pivot then add x to less if x = pivot then add x to equal if x > pivot then add x to greater quicksort(less) quicksort(greater) array := concatenate(less, equal, greater) A better quicksort algorithm works in place, by swapping elements within the array, to avoid the memory allocation of more arrays. function quicksort(array) if length(array) > 1 pivot := select any element of array left := first index of array right := last index of array while left ≤ right while array[left] < pivot left := left + 1 while array[right] > pivot right := right - 1 if left ≤ right swap array[left] with array[right] left := left + 1 right := right - 1 quicksort(array from first index to right) quicksort(array from left to last index) Quicksort has a reputation as the fastest sort. Optimized variants of quicksort are common features of many languages and libraries. One often contrasts quicksort with   merge sort,   because both sorts have an average time of   O(n log n). "On average, mergesort does fewer comparisons than quicksort, so it may be better when complicated comparison routines are used. Mergesort also takes advantage of pre-existing order, so it would be favored for using sort() to merge several sorted arrays. On the other hand, quicksort is often faster for small arrays, and on arrays of a few distinct values, repeated many times." — http://perldoc.perl.org/sort.html Quicksort is at one end of the spectrum of divide-and-conquer algorithms, with merge sort at the opposite end. Quicksort is a conquer-then-divide algorithm, which does most of the work during the partitioning and the recursive calls. The subsequent reassembly of the sorted partitions involves trivial effort. Merge sort is a divide-then-conquer algorithm. The partioning happens in a trivial way, by splitting the input array in half. Most of the work happens during the recursive calls and the merge phase. With quicksort, every element in the first partition is less than or equal to every element in the second partition. Therefore, the merge phase of quicksort is so trivial that it needs no mention! This task has not specified whether to allocate new arrays, or sort in place. This task also has not specified how to choose the pivot element. (Common ways to are to choose the first element, the middle element, or the median of three elements.) Thus there is a variety among the following implementations.
#AArch64_Assembly
AArch64 Assembly
  /* ARM assembly AARCH64 Raspberry PI 3B */ /* program quickSort64.s */   /*******************************************/ /* 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,11 #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 // first element mov x2,NBELEMENTS // number of élements bl quickSort 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 /***************************************************/ /* Appel récursif Tri Rapide quicksort */ /***************************************************/ /* x0 contains the address of table */ /* x1 contains index of first item */ /* x2 contains the number of elements > 0 */ quickSort: stp x2,lr,[sp,-16]! // save registers stp x3,x4,[sp,-16]! // save registers str x5, [sp,-16]! // save registers sub x2,x2,1 // last item index cmp x1,x2 // first > last ? bge 100f // yes -> end mov x4,x0 // save x0 mov x5,x2 // save x2 bl partition1 // cutting into 2 parts mov x2,x0 // index partition mov x0,x4 // table address bl quickSort // sort lower part add x1,x2,1 // index begin = index partition + 1 add x2,x5,1 // number of elements bl quickSort // sort higter part   100: // end function ldr x5, [sp],16 // restaur 1 register ldp x3,x4,[sp],16 // restaur 2 registers ldp x2,lr,[sp],16 // restaur 2 registers ret // return to address lr x30   /******************************************************************/ /* Partition table elements */ /******************************************************************/ /* x0 contains the address of table */ /* x1 contains index of first item */ /* x2 contains index of last item */ partition1: 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 ldr x3,[x0,x2,lsl 3] // load value last index mov x4,x1 // init with first index mov x5,x1 // init with first index 1: // begin loop ldr x6,[x0,x5,lsl 3] // load value cmp x6,x3 // compare value bge 2f ldr x7,[x0,x4,lsl 3] // if < swap value table str x6,[x0,x4,lsl 3] str x7,[x0,x5,lsl 3] add x4,x4,1 // and increment index 1 2: add x5,x5,1 // increment index 2 cmp x5,x2 // end ? blt 1b // no loop ldr x7,[x0,x4,lsl 3] // swap value str x3,[x0,x4,lsl 3] str x7,[x0,x2,lsl 3] mov x0,x4 // return index partition 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 conversion10S // 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 mov x0,x2 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"  
http://rosettacode.org/wiki/Sorting_algorithms/Patience_sort
Sorting algorithms/Patience sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Sort an array of numbers (of any convenient size) into ascending order using   Patience sorting. Related task   Longest increasing subsequence
#ARM_Assembly
ARM Assembly
  /* ARM assembly Raspberry PI */ /* program patienceSort.s */   /* 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"   .include "../../ficmacros.s" /*******************************************/ /* Structures */ /********************************************/ /* structure Doublylinkedlist*/ .struct 0 dllist_head: @ head node .struct dllist_head + 4 dllist_tail: @ tail node .struct dllist_tail + 4 dllist_fin: /* structure Node Doublylinked List*/ .struct 0 NDlist_next: @ next element .struct NDlist_next + 4 NDlist_prev: @ previous element .struct NDlist_prev + 4 NDlist_value: @ element value or key .struct NDlist_value + 4 NDlist_fin:   /*********************************/ /* 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,11,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   ldr r0,iAdrTableNumber @ address number table mov r1,#0 @ first element mov r2,#NBELEMENTS @ number of élements bl patienceSort 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 1f ldr r0,iAdrszMessSortNok @ no !! error sort bl affichageMess b 100f 1: @ 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   /******************************************************************/ /* patience sort */ /******************************************************************/ /* r0 contains the address of table */ /* r1 contains first start index /* r2 contains the number of elements */ patienceSort: push {r1-r9,lr} @ save registers lsl r9,r2,#1 @ compute total size of piles (2 list pointer by pile ) lsl r10,r9,#2 @ 4 bytes by number sub sp,sp,r10 @ reserve place to stack mov fp,sp @ frame pointer = stack mov r3,#0 @ index mov r4,#0 1: str r4,[fp,r3,lsl #2] @ init piles area add r3,r3,#1 @ increment index cmp r3,r9 blt 1b mov r3,#0 @ index value mov r4,#0 @ counter first pile mov r8,r0 @ save table address 2: ldr r1,[r8,r3,lsl #2] @ load value add r0,fp,r4,lsl #3 @ pile address bl isEmpty cmp r0,#0 @ pile empty ? bne 3f add r0,fp,r4,lsl #3 @ pile address bl insertHead @ insert value r1 b 5f 3: add r0,fp,r4,lsl #3 @ pile address ldr r5,[r0,#dllist_head] ldr r5,[r5,#NDlist_value] @ load first list value cmp r1,r5 @ compare value and last value on the pile blt 4f add r0,fp,r4,lsl #3 @ pile address bl insertHead @ insert value r1 b 5f 4: @ value is smaller créate a new pile add r4,r4,#1 add r0,fp,r4,lsl #3 @ pile address bl insertHead @ insert value r1 5: add r3,r3,#1 @ increment index value cmp r3,r2 @ end blt 2b @ and loop   /* step 2 */ mov r6,#0 @ index value table 6: mov r3,#0 @ index pile mov r5,# 1<<30 @ min 7: @ search minimum add r0,fp,r3,lsl #3 bl isEmpty cmp r0,#0 beq 8f add r0,fp,r3,lsl #3 bl searchMinList cmp r0,r5 @ compare min global movlt r5,r0 @ smaller -> store new min movlt r7,r1 @ and pointer to min addlt r9,fp,r3,lsl #3 @ and head list 8: add r3,r3,#1 @ next pile cmp r3,r4 @ end ? ble 7b str r5,[r8,r6,lsl #2] @ store min to table value mov r0,r9 @ and suppress the value in the pile mov r1,r7 bl suppressNode add r6,r6,#1 @ increment index value cmp r6,r2 @ end ? blt 6b   add sp,sp,r10 @ stack alignement 100: pop {r1-r9,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 conversion10S @ 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 mov r0,r2 100: pop {r0-r3,lr} bx lr iAdrsZoneConv: .int sZoneConv /******************************************************************/ /* list is empty ? */ /******************************************************************/ /* r0 contains the address of the list structure */ /* r0 return 0 if empty else return 1 */ isEmpty: ldr r0,[r0,#dllist_head] cmp r0,#0 movne r0,#1 bx lr @ return /******************************************************************/ /* insert value at list head */ /******************************************************************/ /* r0 contains the address of the list structure */ /* r1 contains value */ insertHead: push {r1-r4,lr} @ save registers mov r4,r0 @ save address mov r0,r1 @ value bl createNode cmp r0,#-1 @ allocation error ? beq 100f ldr r2,[r4,#dllist_head] @ load address first node str r2,[r0,#NDlist_next] @ store in next pointer on new node mov r1,#0 str r1,[r0,#NDlist_prev] @ store zero in previous pointer on new node str r0,[r4,#dllist_head] @ store address new node in address head list cmp r2,#0 @ address first node is null ? strne r0,[r2,#NDlist_prev] @ no store adresse new node in previous pointer streq r0,[r4,#dllist_tail] @ else store new node in tail address 100: pop {r1-r4,lr} @ restaur registers bx lr @ return   /******************************************************************/ /* search value minimum */ /******************************************************************/ /* r0 contains the address of the list structure */ /* r0 return min */ /* r1 return address of node */ searchMinList: push {r2,r3,lr} @ save registers ldr r0,[r0,#dllist_head] @ load first node mov r3,#1<<30 mov r1,#0 1: cmp r0,#0 @ null -> end moveq r0,r3 beq 100f ldr r2,[r0,#NDlist_value] @ load node value cmp r2,r3 @ min ? movlt r3,r2 @ value -> min movlt r1,r0 @ store pointer ldr r0,[r0,#NDlist_next] @ load addresse next node b 1b @ and loop 100: pop {r2,r3,lr} @ restaur registers bx lr @ return /******************************************************************/ /* suppress node */ /******************************************************************/ /* r0 contains the address of the list structure */ /* r1 contains the address to node to suppress */ suppressNode: push {r2,r3,lr} @ save registers ldr r2,[r1,#NDlist_next] @ load addresse next node ldr r3,[r1,#NDlist_prev] @ load addresse prev node cmp r3,#0 strne r2,[r3,#NDlist_next] streq r3,[r0,#NDlist_next] cmp r2,#0 strne r3,[r2,#NDlist_prev] streq r2,[r0,#NDlist_prev] 100: pop {r2,r3,lr} @ restaur registers bx lr @ return /******************************************************************/ /* Create new node */ /******************************************************************/ /* r0 contains the value */ /* r0 return node address or -1 if allocation error*/ createNode: push {r1-r7,lr} @ save registers mov r4,r0 @ save value @ allocation place on the heap mov r0,#0 @ allocation place heap mov r7,#0x2D @ call system 'brk' svc #0 mov r5,r0 @ save address heap for output string add r0,#NDlist_fin @ reservation place one element mov r7,#0x2D @ call system 'brk' svc #0 cmp r0,#-1 @ allocation error beq 100f mov r0,r5 str r4,[r0,#NDlist_value] @ store value mov r2,#0 str r2,[r0,#NDlist_next] @ store zero to pointer next str r2,[r0,#NDlist_prev] @ store zero to pointer previous 100: pop {r1-r7,lr} @ restaur registers bx lr @ return /***************************************************/ /* ROUTINES INCLUDE */ /***************************************************/ .include "../affichage.inc"  
http://rosettacode.org/wiki/Sorting_algorithms/Permutation_sort
Sorting algorithms/Permutation sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Implement a permutation sort, which proceeds by generating the possible permutations of the input array/list until discovering the sorted one. Pseudocode: while not InOrder(list) do nextPermutation(list) done
#EchoLisp
EchoLisp
  ;; This efficient sort method uses the list library for permutations   (lib 'list) (define (in-order L) (cond ((empty? L) #t) ((empty? (rest L)) #t) (else (and ( < (first L) (second L)) (in-order (rest L))))))   (define L (shuffle (iota 6))) → (1 5 4 2 0 3)   (for ((p (in-permutations (length L )))) #:when (in-order (list-permute L p)) (writeln (list-permute L p)) #:break #t)   → (0 1 2 3 4 5)  
http://rosettacode.org/wiki/Sorting_algorithms/Pancake_sort
Sorting algorithms/Pancake sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array of integers (of any convenient size) into ascending order using Pancake sorting. In short, instead of individual elements being sorted, the only operation allowed is to "flip" one end of the list, like so: Before: 6 7 8 9 2 5 3 4 1 After: 9 8 7 6 2 5 3 4 1 Only one end of the list can be flipped; this should be the low end, but the high end is okay if it's easier to code or works better, but it must be the same end for the entire solution. (The end flipped can't be arbitrarily changed.) Show both the initial, unsorted list and the final sorted list. (Intermediate steps during sorting are optional.) Optimizations are optional (but recommended). Related tasks   Number reversal game   Topswops Also see   Wikipedia article:   pancake sorting.
#ARM_Assembly
ARM Assembly
  /* ARM assembly Raspberry PI */ /* program pancakeSort.s */   /* 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" sMessCounter: .asciz "sorted in @ flips \n" szCarriageReturn: .asciz "\n"   .align 4 #TableNumber: .int 1,11,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   ldr r0,iAdrTableNumber @ address number table mov r1,#0 @ first element mov r2,#NBELEMENTS @ number of élements mov r10,#0 @ flips counter bl pancakeSort ldr r0,iAdrTableNumber @ address number table bl displayTable mov r0,r10 @ display counter ldr r1,iAdrsZoneConv @ bl conversion10S @ décimal conversion ldr r0,iAdrsMessCounter ldr r1,iAdrsZoneConv @ insert conversion bl strInsertAtCharInc bl affichageMess @ display message     ldr r0,iAdrTableNumber @ address number table mov r1,#NBELEMENTS @ number of élements bl isSorted @ control sort cmp r0,#1 @ sorted ? beq 1f ldr r0,iAdrszMessSortNok @ no !! error sort bl affichageMess b 100f 1: @ 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 iAdrsMessCounter: .int sMessCounter /******************************************************************/ /* 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 /******************************************************************/ /* flip */ /******************************************************************/ /* r0 contains the address of table */ /* r1 contains first start index /* r2 contains the number of elements */ /* r3 contains the position of flip */ flip: push {r1-r6,lr} @ save registers add r10,r10,#1 @ flips counter cmp r3,r2 subge r3,r2,#1 @ last index if position >= size mov r4,r1 1: cmp r1,r3 bge 100f ldr r5,[r0,r1,lsl #2] @ load value first index ldr r6,[r0,r3,lsl #2] @ load value position index str r6,[r0,r1,lsl #2] @ inversion str r5,[r0,r3,lsl #2] @ sub r3,r3,#1 add r1,r1,#1 b 1b 100: pop {r1-r6,lr} bx lr @ return /******************************************************************/ /* pancake sort */ /******************************************************************/ /* r0 contains the address of table */ /* r1 contains first start index /* r2 contains the number of elements */ pancakeSort: push {r1-r9,lr} @ save registers sub r7,r2,#1 1: mov r5,r1 @ index mov r4,#0 @ max mov r3,#0 @ position mov r8,#0 @ top sorted ldr r9,[r0,r5,lsl #2] @ load value A[i-1] 2: ldr r6,[r0,r5,lsl #2] @ load value cmp r6,r4 @ compare max movge r4,r6 movge r3,r5 cmp r6,r9 @ cmp A[i] A[i-1] sorted ? movlt r8,#1 @ no mov r9,r6 @ A[i-1] = A[i] add r5,r5,#1 @ increment index cmp r5,r7 @ end ble 2b cmp r8,#0 @ sorted ? beq 100f @ yes -> end cmp r3,r7 @ position ok ? beq 3f @ yes cmp r3,#0 @ first position ? blne flip @ flip if not greather in first position mov r3,r7 @ and flip the whole stack bl flip @ 3: subs r7,r7,#1 @ decrement number of pancake bge 1b @ and loop 100: pop {r1-r9,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 conversion10S @ 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 mov r0,r2 100: pop {r0-r3,lr} bx lr iAdrsZoneConv: .int sZoneConv /***************************************************/ /* ROUTINES INCLUDE */ /***************************************************/ .include "../affichage.inc"    
http://rosettacode.org/wiki/Special_characters
Special characters
Special characters are symbols (single characters or sequences of characters) that have a "special" built-in meaning in the language and typically cannot be used in identifiers. Escape sequences are methods that the language uses to remove the special meaning from the symbol, enabling it to be used as a normal character, or sequence of characters when this can be done. Task List the special characters and show escape sequences in the language. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Pascal
Pascal
Delimiters #$:.%\^ Operators , = := == != < <= > >= @= @== @!= @< @<= @> @>= + - * / += -= *= /= @+= @-= @*= @/= .. & &= ? ; : | Braces ()[]{} BlockComment /* */ --/* --*/ LineComment -- TokenStart abcedfghijklmnopqrstuvwxyz TokenStart ABCDEFGHIJKLMNOPQRSTUVWXYZ_ TokenChar 0123456789 Escapes \rnt\'"eE#x0buU
http://rosettacode.org/wiki/Sorting_algorithms/Stooge_sort
Sorting algorithms/Stooge sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Stooge sort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Show the   Stooge Sort   for an array of integers. The Stooge Sort algorithm is as follows: algorithm stoogesort(array L, i = 0, j = length(L)-1) if L[j] < L[i] then L[i] ↔ L[j] if j - i > 1 then t := (j - i + 1)/3 stoogesort(L, i , j-t) stoogesort(L, i+t, j ) stoogesort(L, i , j-t) return L
#Go
Go
package main   import "fmt"   var a = []int{170, 45, 75, -90, -802, 24, 2, 66}   func main() { fmt.Println("before:", a) stoogesort(a) fmt.Println("after: ", a) fmt.Println("nyuk nyuk nyuk") }   func stoogesort(a []int) { last := len(a) - 1 if a[last] < a[0] { a[0], a[last] = a[last], a[0] } if last > 1 { t := len(a) / 3 stoogesort(a[:len(a)-t]) stoogesort(a[t:]) stoogesort(a[:len(a)-t]) } }
http://rosettacode.org/wiki/Sorting_algorithms/Sleep_sort
Sorting algorithms/Sleep sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort In general, sleep sort works by starting a separate task for each item to be sorted, where each task sleeps for an interval corresponding to the item's sort key, then emits the item. Items are then collected sequentially in time. Task: Write a program that implements sleep sort. Have it accept non-negative integers on the command line and print the integers in sorted order. If this is not idomatic in your language or environment, input and output may be done differently. Enhancements for optimization, generalization, practicality, robustness, and so on are not required. Sleep sort was presented anonymously on 4chan and has been discussed on Hacker News.
#JavaScript
JavaScript
Array.prototype.timeoutSort = function (f) { this.forEach(function (n) { setTimeout(function () { f(n) }, 5 * n) }); }  
http://rosettacode.org/wiki/Sorting_algorithms/Sleep_sort
Sorting algorithms/Sleep sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort In general, sleep sort works by starting a separate task for each item to be sorted, where each task sleeps for an interval corresponding to the item's sort key, then emits the item. Items are then collected sequentially in time. Task: Write a program that implements sleep sort. Have it accept non-negative integers on the command line and print the integers in sorted order. If this is not idomatic in your language or environment, input and output may be done differently. Enhancements for optimization, generalization, practicality, robustness, and so on are not required. Sleep sort was presented anonymously on 4chan and has been discussed on Hacker News.
#jq
jq
echo '[5, 1, 3, 2, 11, 6, 4]' | jq ' def f: if .unsorted == [] then .sorted else { unsorted: [.unsorted[] | .t = .t - 1 | select(.t != 0)] , sorted: (.sorted + [.unsorted[] | .t = .t - 1 | select(.t == 0) | .v]) } | f end; {unsorted: [.[] | {v: ., t: .}], sorted: []} | f | .[] '
http://rosettacode.org/wiki/Sorting_algorithms/Selection_sort
Sorting algorithms/Selection sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array (or list) of elements using the Selection sort algorithm. It works as follows: First find the smallest element in the array and exchange it with the element in the first position, then find the second smallest element and exchange it with the element in the second position, and continue in this way until the entire array is sorted. Its asymptotic complexity is   O(n2)   making it inefficient on large arrays. Its primary purpose is for when writing data is very expensive (slow) when compared to reading, eg. writing to flash memory or EEPROM. No other sorting algorithm has less data movement. References   Rosetta Code:   O     (complexity).   Wikipedia:   Selection sort.   Wikipedia:   [Big O notation].
#BASIC
BASIC
  10 'SAVE"SELSORT",A 20 ' Selection Sort Algorithm 30 ' 40 ' VAR 50 DEFINT A-Z 60 OPTION BASE 1 70 I=0: J=0: IMINV = 0: IMAX = 0: TP! = 0: TL! = 0 80 ' 90 CLS 100 PRINT "This program does the Selection Sort Algorithm" 110 INPUT "Number of elements to sort (Max=1000, Enter=10)";IMAX 120 IF IMAX = 0 THEN IMAX = 10 130 IF IMAX > 1000 THEN IMAX = 1000 140 DIM N(IMAX) 150 ' Creates and shows the unsorted list 160 RANDOMIZE TIMER 170 FOR I=1 TO IMAX: N(I) = I: NEXT I 180 FOR I=1 TO IMAX 190 J = INT(RND*IMAX)+1 200 SWAP N(I), N(J) 210 NEXT I 220 PRINT: PRINT "Unsorted list:"; 230 FOR I=1 TO IMAX: PRINT N(I);: NEXT I 240 PRINT: PRINT 250 ' Sorts the list through the Selection Sort Algorithm and shows the results 260 TL! = TIMER 270 PRINT "Sorting"; IMAX; "numbers"; 280 COLOR 7+16: X = POS(0): PRINT"...";: COLOR 7 290 ITP = 0 300 FOR I=1 TO IMAX-1 310 IMINV = I 320 FOR J=I+1 TO IMAX 330 IF N(IMINV)>N(J) THEN IMINV = J 340 NEXT J 350 IF IMINV>I THEN SWAP N(IMINV), N(I): TP! = TP! + 1 360 NEXT I 370 LOCATE ,X: PRINT ". Done!" 380 PRINT: PRINT "Sorted list:"; 390 FOR I=1 TO IMAX: PRINT N(I);: NEXT I 400 ' Final results 410 PRINT: PRINT: PRINT "Numbers sorted:"; IMAX 420 PRINT "Total permutations done:";TP! 430 PRINT "Time lapse:"; TIMER-TL!; "seconds." 440 PRINT 450 PRINT "End of program" 460 END  
http://rosettacode.org/wiki/Soundex
Soundex
Soundex is an algorithm for creating indices for words based on their pronunciation. Task The goal is for homophones to be encoded to the same representation so that they can be matched despite minor differences in spelling   (from the   soundex   Wikipedia article). Caution There is a major issue in many of the implementations concerning the separation of two consonants that have the same soundex code! According to the official Rules [[1]]. So check for instance if Ashcraft is coded to A-261. If a vowel (A, E, I, O, U) separates two consonants that have the same soundex code, the consonant to the right of the vowel is coded. Tymczak is coded as T-522 (T, 5 for the M, 2 for the C, Z ignored (see "Side-by-Side" rule above), 2 for the K). Since the vowel "A" separates the Z and K, the K is coded. If "H" or "W" separate two consonants that have the same soundex code, the consonant to the right of the vowel is not coded. Example: Ashcraft is coded A-261 (A, 2 for the S, C ignored, 6 for the R, 1 for the F). It is not coded A-226.
#Clipper.2FXBase.2B.2B
Clipper/XBase++
FUNCTION Soundex(cWord)   /*   This is a Clipper/XBase++ implementation of the standard American Soundex procedure.   */ LOCAL cSoundex, i, nLast, cChar, nCode   cWord:=ALLTRIM(UPPER(cWord)) cSoundex:=LEFT(cWord, 1) // first letter is first char nLast:=-1 FOR i:=2 TO LEN(cWord) cChar:=SUBSTR(cWord, i, 1) // get char nCode:=SoundexCode(cChar) // get soundex code for char IF nCode=0 // if 0, ignore LOOP ENDIF IF nCode#nLast // if not same code, add to soundex nLast:=nCode // and replace the last one cSoundex+=STR(nCode, 1) ENDIF NEXT cSoundex:=PADR(cSoundex, 4, "0")   RETURN(cSoundex)   ******************************************************************************* STATIC FUNCTION SoundexCode(cLetter) LOCAL aCodes:={"BFPV", "CGJKQSXZ", "DT", "L", "MN", "R"}, i, nRet:=0   FOR i:=1 TO LEN(aCodes) IF cLetter $ aCodes[i] nRet:=i EXIT ENDIF NEXT   RETURN(nRet)   ******************************************************************************* FUNCTION SoundexDifference(cSound1, cSound2) LOCAL nMatch:=0, nLen1, nLen2, i   nLen1:=LEN(cSound1) nLen2:=LEN(cSound2)   // make the two words the same length. This is a safety. They both should be 4 characters long. IF nLen1 > nLen2 cSound2:=PADR(cSound2, nLen1-nLen2, "0") ELSEIF nLen1 < nLen2 cSound1:=PADR(cSound1, nLen2-nLen1, "0") ENDIF   // compare the corresponding characters between the two words FOR i:=1 TO LEN(cSound1) IF SUBSTR(cSound1, i, 1) == SUBSTR(cSound2, i, 1) ++nMatch ENDIF NEXT   RETURN(nMatch)   *******************************************************************************
http://rosettacode.org/wiki/Sorting_algorithms/Shell_sort
Sorting algorithms/Shell sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array of elements using the Shell sort algorithm, a diminishing increment sort. The Shell sort   (also known as Shellsort or Shell's method)   is named after its inventor, Donald Shell, who published the algorithm in 1959. Shell sort is a sequence of interleaved insertion sorts based on an increment sequence. The increment size is reduced after each pass until the increment size is 1. With an increment size of 1, the sort is a basic insertion sort, but by this time the data is guaranteed to be almost sorted, which is insertion sort's "best case". Any sequence will sort the data as long as it ends in 1, but some work better than others. Empirical studies have shown a geometric increment sequence with a ratio of about 2.2 work well in practice. [1] Other good sequences are found at the On-Line Encyclopedia of Integer Sequences.
#E
E
/** Shell sort (in-place) */ def shellSort(array) { var inc := array.size() // 2 while (inc.aboveZero()) { for var i => a in array { while (i >= inc && (def b := array[i - inc]) > a) { array[i] := b i -= inc } array[i] := a } inc := if (inc <=> 2) { 1 } else { (inc * 5.0 / 11).floor() } } }
http://rosettacode.org/wiki/Sparkline_in_unicode
Sparkline in unicode
A sparkline is a graph of successive values laid out horizontally where the height of the line is proportional to the values in succession. Task Use the following series of Unicode characters to create a program that takes a series of numbers separated by one or more whitespace or comma characters and generates a sparkline-type bar graph of the values on a single line of output. The eight characters: '▁▂▃▄▅▆▇█' (Unicode values U+2581 through U+2588). Use your program to show sparklines for the following input, here on this page: 1 2 3 4 5 6 7 8 7 6 5 4 3 2 1 1.5, 0.5 3.5, 2.5 5.5, 4.5 7.5, 6.5 (note the mix of separators in this second case)! Notes A space is not part of the generated sparkline. The sparkline may be accompanied by simple statistics of the data such as its range. A suggestion emerging in later discussion (see Discussion page) is that the bounds between bins should ideally be set to yield the following results for two particular edge cases: "0, 1, 19, 20" -> ▁▁██ (Aiming to use just two spark levels) "0, 999, 4000, 4999, 7000, 7999" -> ▁▁▅▅██ (Aiming to use just three spark levels) It may be helpful to include these cases in output tests. You may find that the unicode sparklines on this page are rendered less noisily by Google Chrome than by Firefox or Safari.
#R
R
  bars <- intToUtf8(seq(0x2581, 0x2588), multiple = T) # ▁ ▂ ▃ ▄ ▅ ▆ ▇ █ n_chars <- length(bars)   sparkline <- function(numbers) { mn <- min(numbers) mx <- max(numbers) interval <- mx - mn   bins <- sapply( numbers, function(i) bars[[1 + min(n_chars - 1, floor((i - mn) / interval * n_chars))]] ) sparkline <- paste0(bins, collapse = "")   return(sparkline) }   sparkline(c(1, 2, 3, 4, 5, 6, 7, 8, 7, 6, 5, 4, 3, 2, 1)) sparkline(c(1.5, 0.5, 3.5, 2.5, 5.5, 4.5, 7.5, 6.5)) sparkline(c(0, 999, 4000, 4999, 7000, 7999)) sparkline(c(0, 0, 1, 1)) sparkline(c(0, 1, 19, 20))  
http://rosettacode.org/wiki/Sorting_algorithms/Strand_sort
Sorting algorithms/Strand sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Strand sort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Implement the Strand sort. This is a way of sorting numbers by extracting shorter sequences of already sorted numbers from an unsorted list.
#Ring
Ring
  # Project : Sorting algorithms/Strand sort   test = [-2,0,-2,5,5,3,-1,-3,5,5,0,2,-4,4,2] results = [] resultsend = [] see "before sort:" + nl showarray(test) test = strandsort(test) see "after sort:" + nl showarray(test)   func strandsort(a) while len(a) > 0 sublist = [] add(sublist,a[1]) del(a,1) for i = 1 to len(a) if a[i] > sublist[len(sublist)] add(sublist,a[i]) del(a,i) ok next for n = 1 to len(sublist) add(results,sublist[n]) next for n = 1 to len(results) for m = n + 1 to len(results) if results[m] < results[n] temp = results[m] results[m] = results[n] results[n] = temp ok next next end return results   func showarray(vect) svect = "" for n = 1 to len(vect) svect = svect + vect[n] + " " next svect = left(svect, len(svect) - 1) see svect + nl  
http://rosettacode.org/wiki/Sorting_algorithms/Strand_sort
Sorting algorithms/Strand sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Strand sort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Implement the Strand sort. This is a way of sorting numbers by extracting shorter sequences of already sorted numbers from an unsorted list.
#Ruby
Ruby
class Array def strandsort a = dup result = [] until a.empty? v = a.first sublist, a = a.partition{|val| v=val if v<=val} # In case of v>val, it becomes nil.   result.each_index do |idx| break if sublist.empty? result.insert(idx, sublist.shift) if sublist.first < result[idx] end result += sublist end result end   def strandsort! replace(strandsort) end end   p [1, 6, 3, 2, 1, 7, 5, 3].strandsort
http://rosettacode.org/wiki/Stable_marriage_problem
Stable marriage problem
Solve the Stable marriage problem using the Gale/Shapley algorithm. Problem description Given an equal number of men and women to be paired for marriage, each man ranks all the women in order of his preference and each woman ranks all the men in order of her preference. A stable set of engagements for marriage is one where no man prefers a woman over the one he is engaged to, where that other woman also prefers that man over the one she is engaged to. I.e. with consulting marriages, there would be no reason for the engagements between the people to change. Gale and Shapley proved that there is a stable set of engagements for any set of preferences and the first link above gives their algorithm for finding a set of stable engagements. Task Specifics Given ten males: abe, bob, col, dan, ed, fred, gav, hal, ian, jon And ten females: abi, bea, cath, dee, eve, fay, gay, hope, ivy, jan And a complete list of ranked preferences, where the most liked is to the left: abe: abi, eve, cath, ivy, jan, dee, fay, bea, hope, gay bob: cath, hope, abi, dee, eve, fay, bea, jan, ivy, gay col: hope, eve, abi, dee, bea, fay, ivy, gay, cath, jan dan: ivy, fay, dee, gay, hope, eve, jan, bea, cath, abi ed: jan, dee, bea, cath, fay, eve, abi, ivy, hope, gay fred: bea, abi, dee, gay, eve, ivy, cath, jan, hope, fay gav: gay, eve, ivy, bea, cath, abi, dee, hope, jan, fay hal: abi, eve, hope, fay, ivy, cath, jan, bea, gay, dee ian: hope, cath, dee, gay, bea, abi, fay, ivy, jan, eve jon: abi, fay, jan, gay, eve, bea, dee, cath, ivy, hope abi: bob, fred, jon, gav, ian, abe, dan, ed, col, hal bea: bob, abe, col, fred, gav, dan, ian, ed, jon, hal cath: fred, bob, ed, gav, hal, col, ian, abe, dan, jon dee: fred, jon, col, abe, ian, hal, gav, dan, bob, ed eve: jon, hal, fred, dan, abe, gav, col, ed, ian, bob fay: bob, abe, ed, ian, jon, dan, fred, gav, col, hal gay: jon, gav, hal, fred, bob, abe, col, ed, dan, ian hope: gav, jon, bob, abe, ian, dan, hal, ed, col, fred ivy: ian, col, hal, gav, fred, bob, abe, ed, jon, dan jan: ed, hal, gav, abe, bob, jon, col, ian, fred, dan Use the Gale Shapley algorithm to find a stable set of engagements Perturb this set of engagements to form an unstable set of engagements then check this new set for stability. References The Stable Marriage Problem. (Eloquent description and background information). Gale-Shapley Algorithm Demonstration. Another Gale-Shapley Algorithm Demonstration. Stable Marriage Problem - Numberphile (Video). Stable Marriage Problem (the math bit) (Video). The Stable Marriage Problem and School Choice. (Excellent exposition)
#Racket
Racket
  #lang racket   (define MEN '([abe abi eve cath ivy jan dee fay bea hope gay ] [bob cath hope abi dee eve fay bea jan ivy gay ] [col hope eve abi dee bea fay ivy gay cath jan ] [dan ivy fay dee gay hope eve jan bea cath abi ] [ed jan dee bea cath fay eve abi ivy hope gay ] [fred bea abi dee gay eve ivy cath jan hope fay ] [gav gay eve ivy bea cath abi dee hope jan fay ] [hal abi eve hope fay ivy cath jan bea gay dee ] [ian hope cath dee gay bea abi fay ivy jan eve ] [jon abi fay jan gay eve bea dee cath ivy hope])) (define WOMEN '([abi bob fred jon gav ian abe dan ed col hal ] [bea bob abe col fred gav dan ian ed jon hal ] [cath fred bob ed gav hal col ian abe dan jon ] [dee fred jon col abe ian hal gav dan bob ed ] [eve jon hal fred dan abe gav col ed ian bob ] [fay bob abe ed ian jon dan fred gav col hal ] [gay jon gav hal fred bob abe col ed dan ian ] [hope gav jon bob abe ian dan hal ed col fred] [ivy ian col hal gav fred bob abe ed jon dan ] [jan ed hal gav abe bob jon col ian fred dan ]))   ;; x is better than y according to the l order (define (better? x y l) (memq y (cdr (memq x l))))   (define (stable-matching Mprefs Wprefs) (define M (map car Mprefs)) (define engagements (make-hasheq)) (define preferences (make-hasheq)) (define (engage! m w) (hash-set! engagements m w) (hash-set! engagements w m)) (for ([m Mprefs]) (hash-set! preferences (car m) (cdr m))) (for ([w Wprefs]) (hash-set! preferences (car w) (cdr w))) (let loop () (define m+w (for/or ([m M]) (and (not (hash-ref engagements m #f))  ; m is free (let ([p (hash-ref preferences m)]) ; can propose (and (pair? p) (let ([w (car p)]) (hash-set! preferences m (cdr p)) ; drop w from m (cons m w))))))) (when m+w (define m (car m+w)) (define w (cdr m+w)) (define m* (hash-ref engagements w #f))  ; m* is w's prev engagement (cond [(not m*) (engage! m w)]  ; w is free [(better? m m* (hash-ref preferences w)) ; w prefers m over m* (engage! m w) (hash-set! engagements m* #f)])  ; m* becomes free (loop))) engagements)   (define (find-unstable Mprefs Wprefs matches) (for*/or ([m (map car Mprefs)] [w (map car Wprefs)]) (define w* (hash-ref matches m)) (define m* (hash-ref matches w)) (and (not (eq? m m*)) (better? w w* (cdr (assq m Mprefs))) (better? m m* (cdr (assq w Wprefs))) (cons m w))))   (define (check-stability) (let ([u (find-unstable MEN WOMEN matches)]) (if u (printf "Unstable: ~a and ~a prefer each other over partners.\n" (car u) (cdr u)) (printf "The match is stable.\n")))) (define matches (stable-matching MEN WOMEN)) (printf "Found matches:\n") (for ([m (map car MEN)]) (printf " ~a, ~a\n" m (hash-ref matches m))) (check-stability) (let ([M (map car (take (shuffle MEN) 2))]) (printf "Swapping wives of ~a and ~a\n" (car M) (cadr M)) (define (swap! x y) (define t (hash-ref matches x)) (hash-set! matches x (hash-ref matches y)) (hash-set! matches y t)) (swap! (car M) (cadr M)) (swap! (hash-ref matches (car M)) (hash-ref matches (cadr M)))) (check-stability)  
http://rosettacode.org/wiki/Stack
Stack
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A stack is a container of elements with   last in, first out   access policy.   Sometimes it also called LIFO. The stack is accessed through its top. The basic stack operations are:   push   stores a new element onto the stack top;   pop   returns the last pushed stack element, while removing it from the stack;   empty   tests if the stack contains no elements. Sometimes the last pushed stack element is made accessible for immutable access (for read) or mutable access (for write):   top   (sometimes called peek to keep with the p theme) returns the topmost element without modifying the stack. Stacks allow a very simple hardware implementation. They are common in almost all processors. In programming, stacks are also very popular for their way (LIFO) of resource management, usually memory. Nested scopes of language objects are naturally implemented by a stack (sometimes by multiple stacks). This is a classical way to implement local variables of a re-entrant or recursive subprogram. Stacks are also used to describe a formal computational framework. See stack machine. Many algorithms in pattern matching, compiler construction (e.g. recursive descent parsers), and machine learning (e.g. based on tree traversal) have a natural representation in terms of stacks. Task Create a stack supporting the basic operations: push, pop, empty. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#J
J
stack=: '' push=: monad def '0$stack=:stack,y' pop=: monad def 'r[ stack=:}:stack[ r=.{:stack' empty=: monad def '0=#stack'
http://rosettacode.org/wiki/Spiral_matrix
Spiral matrix
Task Produce a spiral array. A   spiral array   is a square arrangement of the first   N2   natural numbers,   where the numbers increase sequentially as you go around the edges of the array spiraling inwards. For example, given   5,   produce this array: 0 1 2 3 4 15 16 17 18 5 14 23 24 19 6 13 22 21 20 7 12 11 10 9 8 Related tasks   Zig-zag matrix   Identity_matrix   Ulam_spiral_(for_primes)
#J
J
spiral =: ,~ $ [: /: }.@(2 # >:@i.@-) +/\@# <:@+: $ (, -)@(1&,)   spiral 5 0 1 2 3 4 15 16 17 18 5 14 23 24 19 6 13 22 21 20 7 12 11 10 9 8
http://rosettacode.org/wiki/Special_variables
Special variables
Special variables have a predefined meaning within a computer programming language. Task List the special variables used within the language.
#Wren
Wren
class Parent { construct new(name) { _name = name }   name { _name } }   class Child is Parent { construct new(name, parentName) { _name = name super(parentName) // call parent's constructor }   name { _name } // overrides Parent's name method   printNames() { System.print("My name is %(this.name) and my parent's name is %(super.name).") } }   var c = Child.new("John", "Fred") c.printNames()
http://rosettacode.org/wiki/Special_variables
Special variables
Special variables have a predefined meaning within a computer programming language. Task List the special variables used within the language.
#Z80_Assembly
Z80 Assembly
org &0066   NMI_HANDLER: ;this label is optional, the CPU doesn't need it to know how to jump here. retn ;in this example, the NMI routine will immediately return without doing anything.
http://rosettacode.org/wiki/Sorting_algorithms/Radix_sort
Sorting algorithms/Radix sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an integer array with the   radix sort algorithm. The primary purpose is to complete the characterization of sort algorithms task.
#C.2B.2B
C++
#include <algorithm> #include <iostream> #include <iterator>   // Radix sort comparator for 32-bit two's complement integers class radix_test { const int bit; // bit position [0..31] to examine public: radix_test(int offset) : bit(offset) {} // constructor   bool operator()(int value) const // function call operator { if (bit == 31) // sign bit return value < 0; // negative int to left partition else return !(value & (1 << bit)); // 0 bit to left partition } };   // Least significant digit radix sort void lsd_radix_sort(int *first, int *last) { for (int lsb = 0; lsb < 32; ++lsb) // least-significant-bit { std::stable_partition(first, last, radix_test(lsb)); } }   // Most significant digit radix sort (recursive) void msd_radix_sort(int *first, int *last, int msb = 31) { if (first != last && msb >= 0) { int *mid = std::partition(first, last, radix_test(msb)); msb--; // decrement most-significant-bit msd_radix_sort(first, mid, msb); // sort left partition msd_radix_sort(mid, last, msb); // sort right partition } }   // test radix_sort int main() { int data[] = { 170, 45, 75, -90, -802, 24, 2, 66 };   lsd_radix_sort(data, data + 8); // msd_radix_sort(data, data + 8);   std::copy(data, data + 8, std::ostream_iterator<int>(std::cout, " "));   return 0; }
http://rosettacode.org/wiki/Sorting_algorithms/Quicksort
Sorting algorithms/Quicksort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Quicksort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Sort an array (or list) elements using the   quicksort   algorithm. The elements must have a   strict weak order   and the index of the array can be of any discrete type. For languages where this is not possible, sort an array of integers. Quicksort, also known as   partition-exchange sort,   uses these steps.   Choose any element of the array to be the pivot.   Divide all other elements (except the pivot) into two partitions.   All elements less than the pivot must be in the first partition.   All elements greater than the pivot must be in the second partition.   Use recursion to sort both partitions.   Join the first sorted partition, the pivot, and the second sorted partition. The best pivot creates partitions of equal length (or lengths differing by   1). The worst pivot creates an empty partition (for example, if the pivot is the first or last element of a sorted array). The run-time of Quicksort ranges from   O(n log n)   with the best pivots, to   O(n2)   with the worst pivots, where   n   is the number of elements in the array. This is a simple quicksort algorithm, adapted from Wikipedia. function quicksort(array) less, equal, greater := three empty arrays if length(array) > 1 pivot := select any element of array for each x in array if x < pivot then add x to less if x = pivot then add x to equal if x > pivot then add x to greater quicksort(less) quicksort(greater) array := concatenate(less, equal, greater) A better quicksort algorithm works in place, by swapping elements within the array, to avoid the memory allocation of more arrays. function quicksort(array) if length(array) > 1 pivot := select any element of array left := first index of array right := last index of array while left ≤ right while array[left] < pivot left := left + 1 while array[right] > pivot right := right - 1 if left ≤ right swap array[left] with array[right] left := left + 1 right := right - 1 quicksort(array from first index to right) quicksort(array from left to last index) Quicksort has a reputation as the fastest sort. Optimized variants of quicksort are common features of many languages and libraries. One often contrasts quicksort with   merge sort,   because both sorts have an average time of   O(n log n). "On average, mergesort does fewer comparisons than quicksort, so it may be better when complicated comparison routines are used. Mergesort also takes advantage of pre-existing order, so it would be favored for using sort() to merge several sorted arrays. On the other hand, quicksort is often faster for small arrays, and on arrays of a few distinct values, repeated many times." — http://perldoc.perl.org/sort.html Quicksort is at one end of the spectrum of divide-and-conquer algorithms, with merge sort at the opposite end. Quicksort is a conquer-then-divide algorithm, which does most of the work during the partitioning and the recursive calls. The subsequent reassembly of the sorted partitions involves trivial effort. Merge sort is a divide-then-conquer algorithm. The partioning happens in a trivial way, by splitting the input array in half. Most of the work happens during the recursive calls and the merge phase. With quicksort, every element in the first partition is less than or equal to every element in the second partition. Therefore, the merge phase of quicksort is so trivial that it needs no mention! This task has not specified whether to allocate new arrays, or sort in place. This task also has not specified how to choose the pivot element. (Common ways to are to choose the first element, the middle element, or the median of three elements.) Thus there is a variety among the following implementations.
#ABAP
ABAP
  report z_quicksort.   data(numbers) = value int4_table( ( 4 ) ( 65 ) ( 2 ) ( -31 ) ( 0 ) ( 99 ) ( 2 ) ( 83 ) ( 782 ) ( 1 ) ). perform quicksort changing numbers.   write `[`. loop at numbers assigning field-symbol(<numbers>). write <numbers>. endloop. write `]`.   form quicksort changing numbers type int4_table. data(less) = value int4_table( ). data(equal) = value int4_table( ). data(greater) = value int4_table( ).   if lines( numbers ) > 1. data(pivot) = numbers[ lines( numbers ) / 2 ].   loop at numbers assigning field-symbol(<number>). if <number> < pivot. append <number> to less. elseif <number> = pivot. append <number> to equal. elseif <number> > pivot. append <number> to greater. endif. endloop.   perform quicksort changing less. perform quicksort changing greater.   clear numbers. append lines of less to numbers. append lines of equal to numbers. append lines of greater to numbers. endif. endform.  
http://rosettacode.org/wiki/Sorting_algorithms/Patience_sort
Sorting algorithms/Patience sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Sort an array of numbers (of any convenient size) into ascending order using   Patience sorting. Related task   Longest increasing subsequence
#ATS
ATS
(*------------------------------------------------------------------*)   #include "share/atspre_staload.hats"   vtypedef array_tup_vt (a : vt@ype+, p : addr, n : int) = (* An array, without size information attached. *) @(array_v (a, p, n), mfree_gc_v p | ptr p)   extern fn {a : t@ype} patience_sort {ifirst, len  : int | 0 <= ifirst} {n  : int | ifirst + len <= n} (arr  : &RD(array (a, n)), ifirst  : size_t ifirst, len  : size_t len)  :<!wrt> (* Return an array of indices into arr. *) [p : addr] array_tup_vt ([i : int | len == 0 || (ifirst <= i && i < ifirst + len)] size_t i, p, len)   (* patience_sort$lt : the order predicate. *) extern fn {a : t@ype} patience_sort$lt (x : a, y : a) :<> bool   (*------------------------------------------------------------------*) (*   In the following implementation of next_power_of_two:   * I implement it as a template for all types of kind g1uint. This includes dependent forms of uint, usint, ulint, ullint, size_t, and yet more types in the prelude; also whatever others one may create.   * I prove the result is not less than the input.   * I prove the result is less than twice the input.   * I prove the result is a power of two. This last proof is provided in the form of an EXP2 prop.   * I do NOT return what number two is raised to (though I easily could have). I leave that number "existentially defined". In other words, I prove only that some such non-negative number exists.   *)   fn {tk : tkind} next_power_of_two {i : pos} (i : g1uint (tk, i))  :<> [k : int | i <= k; k < 2 * i] [n : nat] @(EXP2 (n, k) | g1uint (tk, k)) = let (* This need not be a fast implementation. *)   val one : g1uint (tk, 1) = g1u2u 1u   fun loop {j  : pos | j < i} .<i + i - j>. (pf : [n : nat] EXP2 (n, j) | j  : g1uint (tk, j))  :<> [k : int | i <= k; k < 2 * i] [n : nat] @(EXP2 (n, k) | g1uint (tk, k)) = let val j2 = j + j in if i <= j2 then @(EXP2ind pf | j2) else loop (EXP2ind pf | j2) end in if i = one then @(EXP2bas () | one) else loop (EXP2bas () | one) end   (*------------------------------------------------------------------*)   stadef link (ifirst : int, ilast : int, i : int) : bool = 0 <= i && i <= ilast - ifirst + 1   typedef link_t (ifirst : int, ilast : int, i : int) = (* A size_t within legal range for a normalized link, including the "nil" link 0. *) [link (ifirst, ilast, i)] size_t i typedef link_t (ifirst : int, ilast : int) = [i : int] link_t (ifirst, ilast, i)   fn {a : t@ype} find_pile {ifirst, ilast : int | ifirst <= ilast} {n  : int | ilast < n} {num_piles  : nat | num_piles <= ilast - ifirst + 1} {n_piles  : int | ilast - ifirst + 1 <= n_piles} {q  : pos | q <= ilast - ifirst + 1} (ifirst  : size_t ifirst, arr  : &RD(array (a, n)), num_piles  : size_t num_piles, piles  : &RD(array (link_t (ifirst, ilast), n_piles)), q  : size_t q)  :<> [i : pos | i <= num_piles + 1] size_t i = (* Bottenbruch search for the leftmost pile whose top is greater than or equal to the next value dealt by "deal".   References:   * H. Bottenbruch, "Structure and use of ALGOL 60", Journal of the ACM, Volume 9, Issue 2, April 1962, pp.161-221. https://doi.org/10.1145/321119.321120   The general algorithm is described on pages 214 and 215.   * https://en.wikipedia.org/w/index.php?title=Binary_search_algorithm&oldid=1062988272#Alternative_procedure *) if num_piles = i2sz 0 then i2sz 1 else let macdef lt = patience_sort$lt<a>   prval () = lemma_g1uint_param ifirst prval () = prop_verify {0 <= ifirst} ()   fun loop {j, k  : nat | j <= k; k < num_piles} .<k - j>. (arr  : &RD(array (a, n)), piles : &array (link_t (ifirst, ilast), n_piles), j  : size_t j, k  : size_t k)  :<> [i : pos | i <= num_piles + 1] size_t i = if j = k then begin if succ j <> num_piles then succ j else let val piles_j = piles[j] val () = $effmask_exn assertloc (piles_j <> g1u2u 0u)   val x1 = arr[pred q + ifirst] and x2 = arr[pred piles_j + ifirst] in if x2 \lt x1 then succ (succ j) else succ j end end else let typedef index (i : int) = [0 <= i; i < n] size_t i typedef index = [i : int] index i   stadef i = j + ((k - j) / 2) val i : size_t i = j + ((k - j) / g1u2u 2u)   val piles_j = piles[j] val () = $effmask_exn assertloc (piles_j <> g1u2u 0u)   val x1 = arr[pred q + ifirst] and x2 = arr[pred piles_j + ifirst] in if x2 \lt x1 then loop (arr, piles, i + 1, k) else loop (arr, piles, j, i) end in loop (arr, piles, g1u2u 0u, pred num_piles) end   fn {a : t@ype} deal {ifirst, ilast : int | ifirst <= ilast} {n  : int | ilast < n} (ifirst : size_t ifirst, ilast  : size_t ilast, arr  : &RD(array (a, n)))  :<!wrt> [num_piles  : int | num_piles <= ilast - ifirst + 1] [n_piles  : int | ilast - ifirst + 1 <= n_piles] [n_links  : int | ilast - ifirst + 1 <= n_links] [p_piles  : addr] [p_links  : addr] @(size_t num_piles, array_tup_vt (link_t (ifirst, ilast), p_piles, n_piles), array_tup_vt (link_t (ifirst, ilast), p_links, n_links)) = let prval () = prop_verify {0 < ilast - ifirst + 1} ()   stadef num_elems = ilast - ifirst + 1 val num_elems : size_t num_elems = succ (ilast - ifirst)   typedef link_t (i : int) = link_t (ifirst, ilast, i) typedef link_t = link_t (ifirst, ilast)   val zero : size_t 0 = g1u2u 0u val one : size_t 1 = g1u2u 1u val link_nil : link_t 0 = g1u2u 0u   fun loop {q  : pos | q <= num_elems + 1} {m  : nat | m <= num_elems} .<num_elems + 1 - q>. (arr  : &RD(array (a, n)), q  : size_t q, piles  : &array (link_t, num_elems), links  : &array (link_t, num_elems), m  : size_t m)  :<!wrt> [num_piles : nat | num_piles <= num_elems] size_t num_piles = if q = succ (num_elems) then m else let val i = find_pile {ifirst, ilast} (ifirst, arr, m, piles, q)   (* We have no proof the number of elements will not exceed storage. However, we know it will not, because the number of piles cannot exceed the size of the input. Let us get a "proof" by runtime check. *) val () = $effmask_exn assertloc (i <= num_elems) in links[pred q] := piles[pred i]; piles[pred i] := q; if i = succ m then loop {q + 1} (arr, succ q, piles, links, succ m) else loop {q + 1} (arr, succ q, piles, links, m) end   val piles_tup = array_ptr_alloc<link_t> num_elems macdef piles = !(piles_tup.2) val () = array_initize_elt<link_t> (piles, num_elems, link_nil)   val links_tup = array_ptr_alloc<link_t> num_elems macdef links = !(links_tup.2) val () = array_initize_elt<link_t> (links, num_elems, link_nil)   val num_piles = loop (arr, one, piles, links, zero) in @(num_piles, piles_tup, links_tup) end   fn {a : t@ype} k_way_merge {ifirst, ilast : int | ifirst <= ilast} {n  : int | ilast < n} {n_piles  : int | ilast - ifirst + 1 <= n_piles} {num_piles  : pos | num_piles <= ilast - ifirst + 1} {n_links  : int | ilast - ifirst + 1 <= n_links} (ifirst  : size_t ifirst, ilast  : size_t ilast, arr  : &RD(array (a, n)), num_piles  : size_t num_piles, piles  : &array (link_t (ifirst, ilast), n_piles), links  : &array (link_t (ifirst, ilast), n_links))  :<!wrt> (* Return an array of indices into arr. *) [p : addr] array_tup_vt ([i : int | ifirst <= i; i <= ilast] size_t i, p, ilast - ifirst + 1) = (* k-way merge by tournament tree.   See Knuth, volume 3, and also https://en.wikipedia.org/w/index.php?title=K-way_merge_algorithm&oldid=1047851465#Tournament_Tree   However, I store a winners tree instead of the recommended losers tree. If the tree were stored as linked nodes, it would probably be more efficient to store a losers tree. However, I am storing the tree as an array, and one can find an opponent quickly by simply toggling the least significant bit of a competitor's array index. *) let typedef link_t (i : int) = link_t (ifirst, ilast, i) typedef link_t = [i : int] link_t i   val link_nil : link_t 0 = g1u2u 0u   typedef index_t (i : int) = [ifirst <= i; i <= ilast] size_t i typedef index_t = [i : int] index_t i   val [total_external_nodes : int] @(_ | total_external_nodes) = next_power_of_two num_piles prval () = prop_verify {num_piles <= total_external_nodes} ()   stadef total_nodes = (2 * total_external_nodes) - 1 val total_nodes : size_t total_nodes = pred (g1u2u 2u * total_external_nodes)   (* We will ignore index 0 of the winners tree arrays. *) stadef winners_size = total_nodes + 1 val winners_size : size_t winners_size = succ total_nodes   val winners_values_tup = array_ptr_alloc<link_t> winners_size macdef winners_values = !(winners_values_tup.2) val () = array_initize_elt<link_t> (winners_values, winners_size, link_nil)   val winners_links_tup = array_ptr_alloc<link_t> winners_size macdef winners_links = !(winners_links_tup.2) val () = array_initize_elt<link_t> (winners_links, winners_size, link_nil)   (* - - - - - - - - - - - - - - - - - - - - - - - - - - *) (* Record which pile a winner will have come from. *)   fun init_pile_links {i : nat | i <= num_piles} .<num_piles - i>. (winners_links : &array (link_t, winners_size), i  : size_t i)  :<!wrt> void = if i <> num_piles then begin winners_links[total_external_nodes + i] := succ i; init_pile_links (winners_links, succ i) end   val () = init_pile_links (winners_links, g1u2u 0u)   (* - - - - - - - - - - - - - - - - - - - - - - - - - - *) (* The top of each pile becomes a starting competitor. *)   fun init_competitors {i : nat | i <= num_piles} .<num_piles - i>. (winners_values : &array (link_t, winners_size), piles  : &array (link_t, n_piles), i  : size_t i)  :<!wrt> void = if i <> num_piles then begin winners_values[total_external_nodes + i] := piles[i]; init_competitors (winners_values, piles, succ i) end   val () = init_competitors (winners_values, piles, g1u2u 0u)   (* - - - - - - - - - - - - - - - - - - - - - - - - - - *) (* Discard the top of each pile. *)   fun discard_tops {i : nat | i <= num_piles} .<num_piles - i>. (piles : &array (link_t, n_piles), links : &array (link_t, n_links), i  : size_t i)  :<!wrt> void = if i <> num_piles then let val link = piles[i]   (* None of the piles should have been empty. *) val () = $effmask_exn assertloc (link <> g1u2u 0u) in piles[i] := links[pred link]; discard_tops (piles, links, succ i) end   val () = discard_tops (piles, links, g1u2u 0u)   (* - - - - - - - - - - - - - - - - - - - - - - - - - - *) (* How to play a game. *)   fn play_game {i  : int | 2 <= i; i <= total_nodes} (arr  : &RD(array (a, n)), winners_values : &array (link_t, winners_size), i  : size_t i)  :<> [iwinner : pos | iwinner <= total_nodes] size_t iwinner = let macdef lt = patience_sort$lt<a>   fn find_opponent {i : int | 2 <= i; i <= total_nodes} (i : size_t i)  :<> [j : int | 2 <= j; j <= total_nodes] size_t j = let (* The prelude contains bitwise operations only for non-dependent unsigned integer. We will not bother to add them ourselves, but instead go back and forth between dependent and non-dependent. *) val i0 = g0ofg1 i val j0 = g0uint_lxor<size_kind> (i0, g0u2u 1u) val j = g1ofg0 j0   (* We have no proof the opponent is in the proper range. Create a "proof" by runtime checks. *) val () = $effmask_exn assertloc (g1u2u 2u <= j) val () = $effmask_exn assertloc (j <= total_nodes) in j end   val j = find_opponent i val winner_i = winners_values[i] and winner_j = winners_values[j] in if winner_i = link_nil then j else if winner_j = link_nil then i else let val i1 = pred winner_i + ifirst and i2 = pred winner_j + ifirst prval () = lemma_g1uint_param i1 prval () = lemma_g1uint_param i2 in if arr[i2] \lt arr[i1] then j else i end end   (* - - - - - - - - - - - - - - - - - - - - - - - - - - *)   fun build_tree {istart : pos | istart <= total_external_nodes} .<istart>. (arr  : &RD(array (a, n)), winners_values : &array (link_t, winners_size), winners_links  : &array (link_t, winners_size), istart  : size_t istart)  :<!wrt> void = if istart <> 1 then let fun play_initial_games {i : int | istart <= i; i <= (2 * istart) + 1} .<(2 * istart) + 1 - i>. (arr  : &RD(array (a, n)), winners_values : &array (link_t, winners_size), winners_links  : &array (link_t, winners_size), i  : size_t i)  :<!wrt> void = if i <= pred (istart + istart) then let val iwinner = play_game (arr, winners_values, i) and i2 = i / g1u2u 2u in winners_values[i2] := winners_values[iwinner]; winners_links[i2] := winners_links[iwinner]; play_initial_games (arr, winners_values, winners_links, succ (succ i)) end in play_initial_games (arr, winners_values, winners_links, istart); build_tree (arr, winners_values, winners_links, istart / g1u2u 2u) end   val () = build_tree (arr, winners_values, winners_links, total_external_nodes)   (* - - - - - - - - - - - - - - - - - - - - - - - - - - *)   fun replay_games {i : pos | i <= total_nodes} .<i>. (arr  : &RD(array (a, n)), winners_values : &array (link_t, winners_size), winners_links  : &array (link_t, winners_size), i  : size_t i)  :<!wrt> void = if i <> g1u2u 1u then let val iwinner = play_game (arr, winners_values, i) and i2 = i / g1u2u 2u in winners_values[i2] := winners_values[iwinner]; winners_links[i2] := winners_links[iwinner]; replay_games (arr, winners_values, winners_links, i2) end   stadef num_elems = ilast - ifirst + 1 val num_elems : size_t num_elems = succ (ilast - ifirst)   val sorted_tup = array_ptr_alloc<index_t> num_elems   fun merge {isorted  : nat | isorted <= num_elems} {p_sorted : addr} .<num_elems - isorted>. (pf_sorted  : !array_v (index_t?, p_sorted, num_elems - isorted) >> array_v (index_t, p_sorted, num_elems - isorted) | arr  : &RD(array (a, n)), piles  : &array (link_t, n_piles), links  : &array (link_t, n_links), winners_values : &array (link_t, winners_size), winners_links  : &array (link_t, winners_size), p_sorted  : ptr p_sorted, isorted  : size_t isorted)  :<!wrt> void = (* This function not only fills in the "sorted_tup" array, but transforms it from "uninitialized" to "initialized". *) if isorted <> num_elems then let prval @(pf_elem, pf_rest) = array_v_uncons pf_sorted val winner = winners_values[1] val () = $effmask_exn assertloc (winner <> link_nil) val () = !p_sorted := pred winner + ifirst   (* Move to the next element in the winner's pile. *) val ilink = winners_links[1] val () = $effmask_exn assertloc (ilink <> link_nil) val inext = piles[pred ilink] val () = (if inext <> link_nil then piles[pred ilink] := links[pred inext])   (* Replay games, with the new element as a competitor. *) val i = (total_nodes / g1u2u 2u) + ilink val () = $effmask_exn assertloc (i <= total_nodes) val () = winners_values[i] := inext val () = replay_games (arr, winners_values, winners_links, i)   val () = merge (pf_rest | arr, piles, links, winners_values, winners_links, ptr_succ<index_t> p_sorted, succ isorted) prval () = pf_sorted := array_v_cons (pf_elem, pf_rest) in end else let prval () = pf_sorted := array_v_unnil_nil{index_t?, index_t} pf_sorted in end   val () = merge (sorted_tup.0 | arr, piles, links, winners_values, winners_links, sorted_tup.2, i2sz 0)   val () = array_ptr_free (winners_values_tup.0, winners_values_tup.1 | winners_values_tup.2) val () = array_ptr_free (winners_links_tup.0, winners_links_tup.1 | winners_links_tup.2) in sorted_tup end   implement {a} patience_sort (arr, ifirst, len) = let prval () = lemma_g1uint_param ifirst prval () = lemma_g1uint_param len in if len = i2sz 0 then let val sorted_tup = array_ptr_alloc<size_t 0> len prval () = sorted_tup.0 := array_v_unnil_nil{Size_t?, Size_t} sorted_tup.0 in sorted_tup end else let val ilast = ifirst + pred len val @(num_piles, piles_tup, links_tup) = deal<a> (ifirst, ilast, arr) macdef piles = !(piles_tup.2) macdef links = !(links_tup.2) prval () = lemma_g1uint_param num_piles val () = $effmask_exn assertloc (num_piles <> i2sz 0) val sorted_tup = k_way_merge<a> (ifirst, ilast, arr, num_piles, piles, links) in array_ptr_free (piles_tup.0, piles_tup.1 | piles_tup.2); array_ptr_free (links_tup.0, links_tup.1 | links_tup.2); sorted_tup end end   (*------------------------------------------------------------------*)   fn int_patience_sort_ascending {ifirst, len  : int | 0 <= ifirst} {n  : int | ifirst + len <= n} (arr  : &RD(array (int, n)), ifirst  : size_t ifirst, len  : size_t len)  :<!wrt> [p : addr] array_tup_vt ([i : int | len == 0 || (ifirst <= i && i < ifirst + len)] size_t i, p, len) = let implement patience_sort$lt<int> (x, y) = x < y in patience_sort<int> (arr, ifirst, len) end   fn {a : t@ype} find_length {n  : int} (lst : list (a, n))  :<> [m : int | m == n] size_t m = let prval () = lemma_list_param lst in g1i2u (length lst) end   implement main0 () = let val example_list = $list (22, 15, 98, 82, 22, 4, 58, 70, 80, 38, 49, 48, 46, 54, 93, 8, 54, 2, 72, 84, 86, 76, 53, 37, 90)   val ifirst = i2sz 10 val [len : int] len = find_length example_list   #define ARRSZ 100 val () = assertloc (i2sz 10 + len <= ARRSZ)   var arr : array (int, ARRSZ) val () = array_initize_elt<int> (arr, i2sz ARRSZ, 0)   prval @(pf_left, pf_right) = array_v_split {int} {..} {ARRSZ} {10} (view@ arr) prval @(pf_middle, pf_right) = array_v_split {int} {..} {90} {len} pf_right   val p = ptr_add<int> (addr@ arr, 10) val () = array_copy_from_list<int> (!p, example_list)   prval pf_right = array_v_unsplit (pf_middle, pf_right) prval () = view@ arr := array_v_unsplit (pf_left, pf_right)   val @(pf_sorted, pfgc_sorted | p_sorted) = int_patience_sort_ascending (arr, i2sz 10, len)   macdef sorted = !p_sorted   var i : [i : nat | i <= len] size_t i in print! ("unsorted "); for (i := i2sz 0; i <> len; i := succ i) print! (" ", arr[i2sz 10 + i]); println! ();   print! ("sorted "); for (i := i2sz 0; i <> len; i := succ i) print! (" ", arr[sorted[i]]); println! ();   array_ptr_free (pf_sorted, pfgc_sorted | p_sorted) end   (*------------------------------------------------------------------*)
http://rosettacode.org/wiki/Sorting_algorithms/Permutation_sort
Sorting algorithms/Permutation sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Implement a permutation sort, which proceeds by generating the possible permutations of the input array/list until discovering the sorted one. Pseudocode: while not InOrder(list) do nextPermutation(list) done
#Elixir
Elixir
defmodule Sort do def permutation_sort([]), do: [] def permutation_sort(list) do Enum.find(permutation(list), fn [h|t] -> in_order?(t, h) end) end   defp permutation([]), do: [[]] defp permutation(list) do for x <- list, y <- permutation(list -- [x]), do: [x|y] end   defp in_order?([], _), do: true defp in_order?([h|_], pre) when h<pre, do: false defp in_order?([h|t], _), do: in_order?(t, h) end   IO.inspect list = for _ <- 1..9, do: :rand.uniform(20) IO.inspect Sort.permutation_sort(list)
http://rosettacode.org/wiki/Sorting_algorithms/Permutation_sort
Sorting algorithms/Permutation sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Implement a permutation sort, which proceeds by generating the possible permutations of the input array/list until discovering the sorted one. Pseudocode: while not InOrder(list) do nextPermutation(list) done
#Factor
Factor
USING: grouping io math.combinatorics math.order prettyprint ; IN: rosetta-code.permutation-sort   : permutation-sort ( seq -- seq' ) [ [ before=? ] monotonic? ] find-permutation ;   { 10 2 6 8 1 4 3 } permutation-sort . "apple" permutation-sort print
http://rosettacode.org/wiki/Sorting_algorithms/Pancake_sort
Sorting algorithms/Pancake sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array of integers (of any convenient size) into ascending order using Pancake sorting. In short, instead of individual elements being sorted, the only operation allowed is to "flip" one end of the list, like so: Before: 6 7 8 9 2 5 3 4 1 After: 9 8 7 6 2 5 3 4 1 Only one end of the list can be flipped; this should be the low end, but the high end is okay if it's easier to code or works better, but it must be the same end for the entire solution. (The end flipped can't be arbitrarily changed.) Show both the initial, unsorted list and the final sorted list. (Intermediate steps during sorting are optional.) Optimizations are optional (but recommended). Related tasks   Number reversal game   Topswops Also see   Wikipedia article:   pancake sorting.
#Arturo
Arturo
pancakeSort: function [items][ arr: new items len: size arr loop (len-1)..1 'endIdx [ maxim: max slice arr 0 endIdx maximIdx: index arr maxim if maximIdx=endIdx -> continue   if maximIdx > 0 [ arr: (reverse slice arr 0 maximIdx) ++ slice arr maximIdx+1 (size arr)-1 ]   arr: (reverse slice arr 0 endIdx) ++ slice arr endIdx+1 (size arr)-1 ] arr ]   print pancakeSort [3 1 2 8 5 7 9 4 6]
http://rosettacode.org/wiki/Sorting_algorithms/Pancake_sort
Sorting algorithms/Pancake sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array of integers (of any convenient size) into ascending order using Pancake sorting. In short, instead of individual elements being sorted, the only operation allowed is to "flip" one end of the list, like so: Before: 6 7 8 9 2 5 3 4 1 After: 9 8 7 6 2 5 3 4 1 Only one end of the list can be flipped; this should be the low end, but the high end is okay if it's easier to code or works better, but it must be the same end for the entire solution. (The end flipped can't be arbitrarily changed.) Show both the initial, unsorted list and the final sorted list. (Intermediate steps during sorting are optional.) Optimizations are optional (but recommended). Related tasks   Number reversal game   Topswops Also see   Wikipedia article:   pancake sorting.
#AutoHotkey
AutoHotkey
;--------------------------------------------------------------------------- Loop { ; test loop ;--------------------------------------------------------------------------- Loop, % Data0 := 10 Random, Data%A_Index%, 10, 99 Unsorted := Array2List("Data") PancakeSort("Data") Sorted := Array2List("Data") MsgBox, 1, Pancake Sort, %Unsorted%`n%Sorted% IfMsgBox, Cancel, Break }       ;--------------------------------------------------------------------------- PancakeSort(Array) { ; implementation of pancake sort algorithm ;--------------------------------------------------------------------------- Loop, % %Array%0 - 1 { m := 0 Loop, % s := %Array%0 - A_Index + 1 If (m <= %Array%%A_Index%) m := %Array%%A_Index%, p := A_Index If (p < s) && (p > 1) Flip(Array, p) If (p < s) Flip(Array, s) } }       ;--------------------------------------------------------------------------- Flip(Array, n) { ; flip the first n members of Array ;--------------------------------------------------------------------------- Loop, % x := n // 2 { i := n - A_Index + 1 %Array%%i% := (%Array%%A_Index% "", %Array%%A_Index% := %Array%%i%) } }       ;--------------------------------------------------------------------------- Array2List(Array) { ; returns a space separated list from an array ;--------------------------------------------------------------------------- Loop, % %Array%0 List .= (A_Index = 1 ? "" : " ") %Array%%A_Index% Return, List }  
http://rosettacode.org/wiki/Special_characters
Special characters
Special characters are symbols (single characters or sequences of characters) that have a "special" built-in meaning in the language and typically cannot be used in identifiers. Escape sequences are methods that the language uses to remove the special meaning from the symbol, enabling it to be used as a normal character, or sequence of characters when this can be done. Task List the special characters and show escape sequences in the language. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Perl
Perl
Delimiters #$:.%\^ Operators , = := == != < <= > >= @= @== @!= @< @<= @> @>= + - * / += -= *= /= @+= @-= @*= @/= .. & &= ? ; : | Braces ()[]{} BlockComment /* */ --/* --*/ LineComment -- TokenStart abcedfghijklmnopqrstuvwxyz TokenStart ABCDEFGHIJKLMNOPQRSTUVWXYZ_ TokenChar 0123456789 Escapes \rnt\'"eE#x0buU
http://rosettacode.org/wiki/Special_characters
Special characters
Special characters are symbols (single characters or sequences of characters) that have a "special" built-in meaning in the language and typically cannot be used in identifiers. Escape sequences are methods that the language uses to remove the special meaning from the symbol, enabling it to be used as a normal character, or sequence of characters when this can be done. Task List the special characters and show escape sequences in the language. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Phix
Phix
Delimiters #$:.%\^ Operators , = := == != < <= > >= @= @== @!= @< @<= @> @>= + - * / += -= *= /= @+= @-= @*= @/= .. & &= ? ; : | Braces ()[]{} BlockComment /* */ --/* --*/ LineComment -- TokenStart abcedfghijklmnopqrstuvwxyz TokenStart ABCDEFGHIJKLMNOPQRSTUVWXYZ_ TokenChar 0123456789 Escapes \rnt\'"eE#x0buU
http://rosettacode.org/wiki/Special_characters
Special characters
Special characters are symbols (single characters or sequences of characters) that have a "special" built-in meaning in the language and typically cannot be used in identifiers. Escape sequences are methods that the language uses to remove the special meaning from the symbol, enabling it to be used as a normal character, or sequence of characters when this can be done. Task List the special characters and show escape sequences in the language. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#PicoLisp
PicoLisp
Markup: () [] List . Dotted pair (when surounded by white space) " Transient symbol (string) {} External symbol (database object) \ Escape for following character # Comment line #{ }# Comment block Read macros: ' The 'quote' function ` Evaluate and insert a list element ~ Evaluate and splice a partial list , Indexed reference Within strings: ^ ASCII control character \ At end of line: Continue on next line, skipping white space
http://rosettacode.org/wiki/Sorting_algorithms/Stooge_sort
Sorting algorithms/Stooge sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Stooge sort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Show the   Stooge Sort   for an array of integers. The Stooge Sort algorithm is as follows: algorithm stoogesort(array L, i = 0, j = length(L)-1) if L[j] < L[i] then L[i] ↔ L[j] if j - i > 1 then t := (j - i + 1)/3 stoogesort(L, i , j-t) stoogesort(L, i+t, j ) stoogesort(L, i , j-t) return L
#Haskell
Haskell
import Data.List import Control.Arrow import Control.Monad   insertAt e k = uncurry(++).second ((e:).drop 1). splitAt k   swapElems :: [a] -> Int -> Int -> [a] swapElems xs i j = insertAt (xs!!j) i $ insertAt (xs!!i) j xs   stoogeSort [] = [] stoogeSort [x] = [x] stoogeSort xs = doss 0 (length xs - 1) xs doss :: (Ord a) => Int -> Int -> [a] -> [a] doss i j xs | j-i>1 = doss i (j-t) $ doss (i+t) j $ doss i (j-t) xs' | otherwise = xs' where t = (j-i+1)`div`3 xs' | xs!!j < xs!!i = swapElems xs i j | otherwise = xs
http://rosettacode.org/wiki/Sorting_algorithms/Sleep_sort
Sorting algorithms/Sleep sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort In general, sleep sort works by starting a separate task for each item to be sorted, where each task sleeps for an interval corresponding to the item's sort key, then emits the item. Items are then collected sequentially in time. Task: Write a program that implements sleep sort. Have it accept non-negative integers on the command line and print the integers in sorted order. If this is not idomatic in your language or environment, input and output may be done differently. Enhancements for optimization, generalization, practicality, robustness, and so on are not required. Sleep sort was presented anonymously on 4chan and has been discussed on Hacker News.
#Julia
Julia
function sleepsort(V::Vector{T}) where {T <: Real} U = Vector{T}() sizehint!(U, length(V)) @sync for v in V @async begin sleep(abs(v)) (v < 0 ? pushfirst! : push!)(U, v) end end return U end       v = rand(-10:10, 10) println("# unordered: $v\n -> ordered: ", sleepsort(v))
http://rosettacode.org/wiki/Sorting_algorithms/Sleep_sort
Sorting algorithms/Sleep sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort In general, sleep sort works by starting a separate task for each item to be sorted, where each task sleeps for an interval corresponding to the item's sort key, then emits the item. Items are then collected sequentially in time. Task: Write a program that implements sleep sort. Have it accept non-negative integers on the command line and print the integers in sorted order. If this is not idomatic in your language or environment, input and output may be done differently. Enhancements for optimization, generalization, practicality, robustness, and so on are not required. Sleep sort was presented anonymously on 4chan and has been discussed on Hacker News.
#Kotlin
Kotlin
// version 1.1.51   import kotlin.concurrent.thread   fun sleepSort(list: List<Int>, interval: Long) { print("Sorted  : ") for (i in list) { thread { Thread.sleep(i * interval) print("$i ") } } thread { // print a new line after displaying sorted list Thread.sleep ((1 + list.max()!!) * interval) println() } }   fun main(args: Array<String>) { val list = args.map { it.toInt() }.filter { it >= 0 } // ignore negative integers println("Unsorted: ${list.joinToString(" ")}") sleepSort(list, 50) }
http://rosettacode.org/wiki/Sorting_algorithms/Selection_sort
Sorting algorithms/Selection sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array (or list) of elements using the Selection sort algorithm. It works as follows: First find the smallest element in the array and exchange it with the element in the first position, then find the second smallest element and exchange it with the element in the second position, and continue in this way until the entire array is sorted. Its asymptotic complexity is   O(n2)   making it inefficient on large arrays. Its primary purpose is for when writing data is very expensive (slow) when compared to reading, eg. writing to flash memory or EEPROM. No other sorting algorithm has less data movement. References   Rosetta Code:   O     (complexity).   Wikipedia:   Selection sort.   Wikipedia:   [Big O notation].
#BCPL
BCPL
get "libhdr"   let selectionsort(A, len) be if len > 1 $( let minloc = A and t = ? for i=0 to len-1 if !minloc > A!i do minloc := A+i t := !A  !A := !minloc  !minloc := t selectionsort(A+1, len-1) $)   let writearray(A, len) be for i=0 to len-1 do writed(A!i, 6)   let start() be $( let array = table 52, -5, -20, 199, 65, -3, 190, 25, 9999, -5342 let length = 10   writes("Input: ") ; writearray(array, length) ; wrch('*N') selectionsort(array, length) writes("Output: ") ; writearray(array, length) ; wrch('*N') $)
http://rosettacode.org/wiki/Sorting_algorithms/Selection_sort
Sorting algorithms/Selection sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array (or list) of elements using the Selection sort algorithm. It works as follows: First find the smallest element in the array and exchange it with the element in the first position, then find the second smallest element and exchange it with the element in the second position, and continue in this way until the entire array is sorted. Its asymptotic complexity is   O(n2)   making it inefficient on large arrays. Its primary purpose is for when writing data is very expensive (slow) when compared to reading, eg. writing to flash memory or EEPROM. No other sorting algorithm has less data movement. References   Rosetta Code:   O     (complexity).   Wikipedia:   Selection sort.   Wikipedia:   [Big O notation].
#C
C
#include <stdio.h>   void selection_sort (int *a, int n) { int i, j, m, t; for (i = 0; i < n; i++) { for (j = i, m = i; j < n; j++) { if (a[j] < a[m]) { m = j; } } t = a[i]; a[i] = a[m]; a[m] = t; } }   int main () { int a[] = {4, 65, 2, -31, 0, 99, 2, 83, 782, 1}; int n = sizeof a / sizeof a[0]; int i; for (i = 0; i < n; i++) printf("%d%s", a[i], i == n - 1 ? "\n" : " "); selection_sort(a, n); for (i = 0; i < n; i++) printf("%d%s", a[i], i == n - 1 ? "\n" : " "); return 0; }  
http://rosettacode.org/wiki/Soundex
Soundex
Soundex is an algorithm for creating indices for words based on their pronunciation. Task The goal is for homophones to be encoded to the same representation so that they can be matched despite minor differences in spelling   (from the   soundex   Wikipedia article). Caution There is a major issue in many of the implementations concerning the separation of two consonants that have the same soundex code! According to the official Rules [[1]]. So check for instance if Ashcraft is coded to A-261. If a vowel (A, E, I, O, U) separates two consonants that have the same soundex code, the consonant to the right of the vowel is coded. Tymczak is coded as T-522 (T, 5 for the M, 2 for the C, Z ignored (see "Side-by-Side" rule above), 2 for the K). Since the vowel "A" separates the Z and K, the K is coded. If "H" or "W" separate two consonants that have the same soundex code, the consonant to the right of the vowel is not coded. Example: Ashcraft is coded A-261 (A, 2 for the S, C ignored, 6 for the R, 1 for the F). It is not coded A-226.
#Clojure
Clojure
(defn get-code [c] (case c (\B \F \P \V) 1 (\C \G \J \K \Q \S \X \Z) 2 (\D \T) 3 \L 4 (\M \N) 5 \R 6 nil)) ;(\A \E \I \O \U \H \W \Y)   (defn soundex [s] (let [[f & s] (.toUpperCase s)] (-> (map get-code s) distinct (concat , "0000") (->> (cons f ,) (remove nil? ,) (take 4 ,) (apply str ,)))))
http://rosettacode.org/wiki/Sorting_algorithms/Shell_sort
Sorting algorithms/Shell sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array of elements using the Shell sort algorithm, a diminishing increment sort. The Shell sort   (also known as Shellsort or Shell's method)   is named after its inventor, Donald Shell, who published the algorithm in 1959. Shell sort is a sequence of interleaved insertion sorts based on an increment sequence. The increment size is reduced after each pass until the increment size is 1. With an increment size of 1, the sort is a basic insertion sort, but by this time the data is guaranteed to be almost sorted, which is insertion sort's "best case". Any sequence will sort the data as long as it ends in 1, but some work better than others. Empirical studies have shown a geometric increment sequence with a ratio of about 2.2 work well in practice. [1] Other good sequences are found at the On-Line Encyclopedia of Integer Sequences.
#Eiffel
Eiffel
class MY_SORTED_SET [G -> COMPARABLE] inherit TWO_WAY_SORTED_SET [G] redefine sort end create make   feature   sort -- Shell sort local inc: INTEGER j: INTEGER l_value: like item do from inc := (count.to_double / 2.0).rounded until inc <= 0 loop across inc |..| (count - 1) as ii loop l_value := Current [ii.item + 1] from j := ii.item until j < inc or Current [j - inc + 1] <= l_value loop Current [j + 1] := Current [j - inc + 1] j := j - inc end Current [j + 1] := l_value end inc := (inc.to_double / 2.2).rounded end end   end
http://rosettacode.org/wiki/Sparkline_in_unicode
Sparkline in unicode
A sparkline is a graph of successive values laid out horizontally where the height of the line is proportional to the values in succession. Task Use the following series of Unicode characters to create a program that takes a series of numbers separated by one or more whitespace or comma characters and generates a sparkline-type bar graph of the values on a single line of output. The eight characters: '▁▂▃▄▅▆▇█' (Unicode values U+2581 through U+2588). Use your program to show sparklines for the following input, here on this page: 1 2 3 4 5 6 7 8 7 6 5 4 3 2 1 1.5, 0.5 3.5, 2.5 5.5, 4.5 7.5, 6.5 (note the mix of separators in this second case)! Notes A space is not part of the generated sparkline. The sparkline may be accompanied by simple statistics of the data such as its range. A suggestion emerging in later discussion (see Discussion page) is that the bounds between bins should ideally be set to yield the following results for two particular edge cases: "0, 1, 19, 20" -> ▁▁██ (Aiming to use just two spark levels) "0, 999, 4000, 4999, 7000, 7999" -> ▁▁▅▅██ (Aiming to use just three spark levels) It may be helpful to include these cases in output tests. You may find that the unicode sparklines on this page are rendered less noisily by Google Chrome than by Firefox or Safari.
#Racket
Racket
  #lang racket (require syntax/parse)   (define bars "▁▂▃▄▅▆▇█") (define bar-count (string-length bars))   (define (sparks str) (define ns (map string->number (string-split str #rx"[ ,]" #:repeat? #t))) (define mn (apply min ns)) (define bar-width (/ (- (apply max ns) mn) (- bar-count 1))) (apply string (for/list ([n ns]) (string-ref bars (exact-floor (/ (- n mn) bar-width))))))   (sparks "1 2 3 4 5 6 7 8 7 6 5 4 3 2 1") (sparks "1.5, 0.5 3.5, 2.5 5.5, 4.5 7.5, 6.5")  
http://rosettacode.org/wiki/Sparkline_in_unicode
Sparkline in unicode
A sparkline is a graph of successive values laid out horizontally where the height of the line is proportional to the values in succession. Task Use the following series of Unicode characters to create a program that takes a series of numbers separated by one or more whitespace or comma characters and generates a sparkline-type bar graph of the values on a single line of output. The eight characters: '▁▂▃▄▅▆▇█' (Unicode values U+2581 through U+2588). Use your program to show sparklines for the following input, here on this page: 1 2 3 4 5 6 7 8 7 6 5 4 3 2 1 1.5, 0.5 3.5, 2.5 5.5, 4.5 7.5, 6.5 (note the mix of separators in this second case)! Notes A space is not part of the generated sparkline. The sparkline may be accompanied by simple statistics of the data such as its range. A suggestion emerging in later discussion (see Discussion page) is that the bounds between bins should ideally be set to yield the following results for two particular edge cases: "0, 1, 19, 20" -> ▁▁██ (Aiming to use just two spark levels) "0, 999, 4000, 4999, 7000, 7999" -> ▁▁▅▅██ (Aiming to use just three spark levels) It may be helpful to include these cases in output tests. You may find that the unicode sparklines on this page are rendered less noisily by Google Chrome than by Firefox or Safari.
#Raku
Raku
constant @bars = '▁' ... '█'; while prompt 'Numbers separated by anything: ' -> $_ { my @numbers = map +*, .comb(/ '-'? [[\d+ ['.' \d*]?] | ['.' \d+]] /); my ($mn,$mx) = @numbers.minmax.bounds; say "min: $mn.fmt('%5f'); max: $mx.fmt('%5f')"; say @bars[ @numbers.map: { @bars * ($_ - $mn) / ($mx - $mn) min @bars - 1 } ].join; }
http://rosettacode.org/wiki/Sorting_algorithms/Strand_sort
Sorting algorithms/Strand sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Strand sort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Implement the Strand sort. This is a way of sorting numbers by extracting shorter sequences of already sorted numbers from an unsorted list.
#Sidef
Sidef
func merge(x, y) { var out = []; while (x && y) { given (x[-1] <=> y[-1]) { when ( 1) { out.prepend(x.pop) } when (-1) { out.prepend(y.pop) } default { out.prepend(x.pop, y.pop) } } } x + y + out; }   func strand(x) { x || return []; var out = [x.shift]; if (x.len) { for i in (-x.len .. -1) { if (x[i] >= out[-1]) { out.append(x.pop_at(i)); } } } return out; }   func strand_sort(x) { var out = []; while (var strd = strand(x)) { out = merge(out, strd); } return out; }   var a = 10.of { 100.irand }; say "Before: #{a}"; say "After: #{strand_sort(a)}";
http://rosettacode.org/wiki/Stable_marriage_problem
Stable marriage problem
Solve the Stable marriage problem using the Gale/Shapley algorithm. Problem description Given an equal number of men and women to be paired for marriage, each man ranks all the women in order of his preference and each woman ranks all the men in order of her preference. A stable set of engagements for marriage is one where no man prefers a woman over the one he is engaged to, where that other woman also prefers that man over the one she is engaged to. I.e. with consulting marriages, there would be no reason for the engagements between the people to change. Gale and Shapley proved that there is a stable set of engagements for any set of preferences and the first link above gives their algorithm for finding a set of stable engagements. Task Specifics Given ten males: abe, bob, col, dan, ed, fred, gav, hal, ian, jon And ten females: abi, bea, cath, dee, eve, fay, gay, hope, ivy, jan And a complete list of ranked preferences, where the most liked is to the left: abe: abi, eve, cath, ivy, jan, dee, fay, bea, hope, gay bob: cath, hope, abi, dee, eve, fay, bea, jan, ivy, gay col: hope, eve, abi, dee, bea, fay, ivy, gay, cath, jan dan: ivy, fay, dee, gay, hope, eve, jan, bea, cath, abi ed: jan, dee, bea, cath, fay, eve, abi, ivy, hope, gay fred: bea, abi, dee, gay, eve, ivy, cath, jan, hope, fay gav: gay, eve, ivy, bea, cath, abi, dee, hope, jan, fay hal: abi, eve, hope, fay, ivy, cath, jan, bea, gay, dee ian: hope, cath, dee, gay, bea, abi, fay, ivy, jan, eve jon: abi, fay, jan, gay, eve, bea, dee, cath, ivy, hope abi: bob, fred, jon, gav, ian, abe, dan, ed, col, hal bea: bob, abe, col, fred, gav, dan, ian, ed, jon, hal cath: fred, bob, ed, gav, hal, col, ian, abe, dan, jon dee: fred, jon, col, abe, ian, hal, gav, dan, bob, ed eve: jon, hal, fred, dan, abe, gav, col, ed, ian, bob fay: bob, abe, ed, ian, jon, dan, fred, gav, col, hal gay: jon, gav, hal, fred, bob, abe, col, ed, dan, ian hope: gav, jon, bob, abe, ian, dan, hal, ed, col, fred ivy: ian, col, hal, gav, fred, bob, abe, ed, jon, dan jan: ed, hal, gav, abe, bob, jon, col, ian, fred, dan Use the Gale Shapley algorithm to find a stable set of engagements Perturb this set of engagements to form an unstable set of engagements then check this new set for stability. References The Stable Marriage Problem. (Eloquent description and background information). Gale-Shapley Algorithm Demonstration. Another Gale-Shapley Algorithm Demonstration. Stable Marriage Problem - Numberphile (Video). Stable Marriage Problem (the math bit) (Video). The Stable Marriage Problem and School Choice. (Excellent exposition)
#Raku
Raku
my %he-likes = abe => < abi eve cath ivy jan dee fay bea hope gay >, bob => < cath hope abi dee eve fay bea jan ivy gay >, col => < hope eve abi dee bea fay ivy gay cath jan >, dan => < ivy fay dee gay hope eve jan bea cath abi >, ed => < jan dee bea cath fay eve abi ivy hope gay >, fred => < bea abi dee gay eve ivy cath jan hope fay >, gav => < gay eve ivy bea cath abi dee hope jan fay >, hal => < abi eve hope fay ivy cath jan bea gay dee >, ian => < hope cath dee gay bea abi fay ivy jan eve >, jon => < abi fay jan gay eve bea dee cath ivy hope >, ;   my %she-likes = abi => < bob fred jon gav ian abe dan ed col hal >, bea => < bob abe col fred gav dan ian ed jon hal >, cath => < fred bob ed gav hal col ian abe dan jon >, dee => < fred jon col abe ian hal gav dan bob ed >, eve => < jon hal fred dan abe gav col ed ian bob >, fay => < bob abe ed ian jon dan fred gav col hal >, gay => < jon gav hal fred bob abe col ed dan ian >, hope => < gav jon bob abe ian dan hal ed col fred >, ivy => < ian col hal gav fred bob abe ed jon dan >, jan => < ed hal gav abe bob jon col ian fred dan >, ;   my %fiancé; my %fiancée; my %proposed;   sub she-prefers ($her, $hottie) { .index($hottie) < .index(%fiancé{$her}) given ~%she-likes{$her} } sub he-prefers ($him, $hottie) { .index($hottie) < .index(%fiancée{$him}) given ~%he-likes{$him} }   match'em; check-stability;   perturb'em; check-stability;   sub match'em { #' say 'Matchmaking:'; while unmatched-guy() -> $guy { my $gal = preferred-choice($guy); %proposed{"$guy $gal"} = '❤'; if not %fiancé{$gal} { engage($guy, $gal); say "\t$gal and $guy"; } elsif she-prefers($gal, $guy) { my $engaged-guy = %fiancé{$gal}; engage($guy, $gal); %fiancée{$engaged-guy} = ''; say "\t$gal dumped $engaged-guy for $guy"; } } }   sub check-stability { my @instabilities = gather for flat %he-likes.keys X %she-likes.keys -> $m, $w { if he-prefers($m, $w) and she-prefers($w, $m) { take "\t$w prefers $m to %fiancé{$w} and $m prefers $w to %fiancée{$m}"; } }   say 'Stablility:'; if @instabilities { .say for @instabilities; } else { say "\t(all marriages stable)"; } }   sub unmatched-guy { %he-likes.keys.first: { not %fiancée{$_} } }   sub preferred-choice($guy) { %he-likes{$guy}.first: { not %proposed{"$guy $_" } } }   sub engage($guy, $gal) { %fiancé{$gal} = $guy; %fiancée{$guy} = $gal; }   sub perturb'em { #' say 'Perturb:'; say "\tengage abi with fred and bea with jon"; engage('fred', 'abi'); engage('jon', 'bea'); }
http://rosettacode.org/wiki/Stack
Stack
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A stack is a container of elements with   last in, first out   access policy.   Sometimes it also called LIFO. The stack is accessed through its top. The basic stack operations are:   push   stores a new element onto the stack top;   pop   returns the last pushed stack element, while removing it from the stack;   empty   tests if the stack contains no elements. Sometimes the last pushed stack element is made accessible for immutable access (for read) or mutable access (for write):   top   (sometimes called peek to keep with the p theme) returns the topmost element without modifying the stack. Stacks allow a very simple hardware implementation. They are common in almost all processors. In programming, stacks are also very popular for their way (LIFO) of resource management, usually memory. Nested scopes of language objects are naturally implemented by a stack (sometimes by multiple stacks). This is a classical way to implement local variables of a re-entrant or recursive subprogram. Stacks are also used to describe a formal computational framework. See stack machine. Many algorithms in pattern matching, compiler construction (e.g. recursive descent parsers), and machine learning (e.g. based on tree traversal) have a natural representation in terms of stacks. Task Create a stack supporting the basic operations: push, pop, empty. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Java
Java
import java.util.Stack;   public class StackTest { public static void main( final String[] args ) { final Stack<String> stack = new Stack<String>();   System.out.println( "New stack empty? " + stack.empty() );   stack.push( "There can be only one" ); System.out.println( "Pushed stack empty? " + stack.empty() ); System.out.println( "Popped single entry: " + stack.pop() );   stack.push( "First" ); stack.push( "Second" ); System.out.println( "Popped entry should be second: " + stack.pop() );   // Popping an empty stack will throw... stack.pop(); stack.pop(); } }
http://rosettacode.org/wiki/Spiral_matrix
Spiral matrix
Task Produce a spiral array. A   spiral array   is a square arrangement of the first   N2   natural numbers,   where the numbers increase sequentially as you go around the edges of the array spiraling inwards. For example, given   5,   produce this array: 0 1 2 3 4 15 16 17 18 5 14 23 24 19 6 13 22 21 20 7 12 11 10 9 8 Related tasks   Zig-zag matrix   Identity_matrix   Ulam_spiral_(for_primes)
#Java
Java
public class Blah {   public static void main(String[] args) { print2dArray(getSpiralArray(5)); }   public static int[][] getSpiralArray(int dimension) { int[][] spiralArray = new int[dimension][dimension];   int numConcentricSquares = (int) Math.ceil((dimension) / 2.0);   int j; int sideLen = dimension; int currNum = 0;   for (int i = 0; i < numConcentricSquares; i++) { // do top side for (j = 0; j < sideLen; j++) { spiralArray[i][i + j] = currNum++; }   // do right side for (j = 1; j < sideLen; j++) { spiralArray[i + j][dimension - 1 - i] = currNum++; }   // do bottom side for (j = sideLen - 2; j > -1; j--) { spiralArray[dimension - 1 - i][i + j] = currNum++; }   // do left side for (j = sideLen - 2; j > 0; j--) { spiralArray[i + j][i] = currNum++; }   sideLen -= 2; }   return spiralArray; }   public static void print2dArray(int[][] array) { for (int[] row : array) { for (int elem : row) { System.out.printf("%3d", elem); } System.out.println(); } } }
http://rosettacode.org/wiki/Special_variables
Special variables
Special variables have a predefined meaning within a computer programming language. Task List the special variables used within the language.
#zkl
zkl
__DATE__, __DEBUG__, __FILE__, __LINE__, __NAME__, __TIME__
http://rosettacode.org/wiki/Special_variables
Special variables
Special variables have a predefined meaning within a computer programming language. Task List the special variables used within the language.
#ZX_Spectrum_Basic
ZX Spectrum Basic
10 PRINT "The border colour is "; PEEK (23624): REM bordcr 20 PRINT "The ramtop address is "; PEEK (23730) + 256 * PEEK (23731): REM ramtop 30 POKE 23609,50: REM set keyboard pip to 50
http://rosettacode.org/wiki/Sorting_algorithms/Radix_sort
Sorting algorithms/Radix sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an integer array with the   radix sort algorithm. The primary purpose is to complete the characterization of sort algorithms task.
#D
D
import std.stdio, std.math, std.traits, std.range, std.algorithm;   ElementType!R[] radixSort(size_t N=10, R)(R r) if (hasLength!R && isRandomAccessRange!R && isIntegral!(ElementType!R)) { alias ElementType!R E;   static if (isDynamicArray!R) alias r res; // input is array => in place sort else E[] res = r.array(); // input is Range => return a new array   E absMax = r.map!abs().reduce!max(); immutable nPasses = 1 + cast(int)(log(absMax) / log(N));   foreach (pass; 0 .. nPasses) { auto bucket = new E[][](2 * N - 1, 0); foreach (v; res) { int bIdx = abs(v / (N ^^ pass)) % N; bIdx = (v < 0) ? -bIdx : bIdx; bucket[N + bIdx - 1] ~= v; } res = bucket.join(); }   return res; }   void main() { auto items = [170, 45, 75, -90, 2, 24, -802, 66]; items.radixSort().writeln(); items.map!q{1 - a}().radixSort().writeln(); }
http://rosettacode.org/wiki/Sorting_algorithms/Quicksort
Sorting algorithms/Quicksort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Quicksort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Sort an array (or list) elements using the   quicksort   algorithm. The elements must have a   strict weak order   and the index of the array can be of any discrete type. For languages where this is not possible, sort an array of integers. Quicksort, also known as   partition-exchange sort,   uses these steps.   Choose any element of the array to be the pivot.   Divide all other elements (except the pivot) into two partitions.   All elements less than the pivot must be in the first partition.   All elements greater than the pivot must be in the second partition.   Use recursion to sort both partitions.   Join the first sorted partition, the pivot, and the second sorted partition. The best pivot creates partitions of equal length (or lengths differing by   1). The worst pivot creates an empty partition (for example, if the pivot is the first or last element of a sorted array). The run-time of Quicksort ranges from   O(n log n)   with the best pivots, to   O(n2)   with the worst pivots, where   n   is the number of elements in the array. This is a simple quicksort algorithm, adapted from Wikipedia. function quicksort(array) less, equal, greater := three empty arrays if length(array) > 1 pivot := select any element of array for each x in array if x < pivot then add x to less if x = pivot then add x to equal if x > pivot then add x to greater quicksort(less) quicksort(greater) array := concatenate(less, equal, greater) A better quicksort algorithm works in place, by swapping elements within the array, to avoid the memory allocation of more arrays. function quicksort(array) if length(array) > 1 pivot := select any element of array left := first index of array right := last index of array while left ≤ right while array[left] < pivot left := left + 1 while array[right] > pivot right := right - 1 if left ≤ right swap array[left] with array[right] left := left + 1 right := right - 1 quicksort(array from first index to right) quicksort(array from left to last index) Quicksort has a reputation as the fastest sort. Optimized variants of quicksort are common features of many languages and libraries. One often contrasts quicksort with   merge sort,   because both sorts have an average time of   O(n log n). "On average, mergesort does fewer comparisons than quicksort, so it may be better when complicated comparison routines are used. Mergesort also takes advantage of pre-existing order, so it would be favored for using sort() to merge several sorted arrays. On the other hand, quicksort is often faster for small arrays, and on arrays of a few distinct values, repeated many times." — http://perldoc.perl.org/sort.html Quicksort is at one end of the spectrum of divide-and-conquer algorithms, with merge sort at the opposite end. Quicksort is a conquer-then-divide algorithm, which does most of the work during the partitioning and the recursive calls. The subsequent reassembly of the sorted partitions involves trivial effort. Merge sort is a divide-then-conquer algorithm. The partioning happens in a trivial way, by splitting the input array in half. Most of the work happens during the recursive calls and the merge phase. With quicksort, every element in the first partition is less than or equal to every element in the second partition. Therefore, the merge phase of quicksort is so trivial that it needs no mention! This task has not specified whether to allocate new arrays, or sort in place. This task also has not specified how to choose the pivot element. (Common ways to are to choose the first element, the middle element, or the median of three elements.) Thus there is a variety among the following implementations.
#ACL2
ACL2
(defun partition (p xs) (if (endp xs) (mv nil nil) (mv-let (less more) (partition p (rest xs)) (if (< (first xs) p) (mv (cons (first xs) less) more) (mv less (cons (first xs) more))))))   (defun qsort (xs) (if (endp xs) nil (mv-let (less more) (partition (first xs) (rest xs)) (append (qsort less) (list (first xs)) (qsort more)))))
http://rosettacode.org/wiki/Sorting_algorithms/Patience_sort
Sorting algorithms/Patience sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Sort an array of numbers (of any convenient size) into ascending order using   Patience sorting. Related task   Longest increasing subsequence
#AutoHotkey
AutoHotkey
PatienceSort(A){ P:=0, Pile:=[], Result:=[] for k, v in A { Pushed := 0 loop % P { i := A_Index if Pile[i].Count() && (Pile[i, 1] >= v) { Pile[i].InsertAt(1, v) pushed := true break } } if Pushed continue P++ Pile[p] := [] Pile[p].InsertAt(1, v) }   ; optional to show steps ;;;;;;;;;;;;;;;;;;;;;;; loop % P { i := A_Index, step := "" for k, v in Pile[i] step .= v ", " step := "Pile" i " = " Trim(step, ", ") steps .= step "`n" } MsgBox % steps ; end optional ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;   loop % A.Count() { Collect:=[] loop % P if Pile[A_index].Count() Collect.Push(Pile[A_index, 1])   for k, v in Collect if k=1 m := v else if (v < m) { m := v break }   Result.push(m) loop % P if (m = Pile[A_index, 1]) { Pile[A_index].RemoveAt(1) break } } return Result }
http://rosettacode.org/wiki/Sorting_algorithms/Permutation_sort
Sorting algorithms/Permutation sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Implement a permutation sort, which proceeds by generating the possible permutations of the input array/list until discovering the sorted one. Pseudocode: while not InOrder(list) do nextPermutation(list) done
#FreeBASIC
FreeBASIC
' version 07-04-2017 ' compile with: fbc -s console   ' Heap's algorithm non-recursive Function permutation_sort(a() As ULong) As ULong   Dim As ULong i, j, count Dim As ULong lb = LBound(a), ub = UBound(a) Dim As ULong n = ub - lb +1 Dim As ULong c(lb To ub)   While i < n If c(i) < i Then If (i And 1) = 0 Then Swap a(0), a(i) Else Swap a(c(i)), a(i) End If count += 1 For j = lb To ub -1 If a(j) > a(j +1) Then j = 99 Next If j < 99 Then Return count c(i) += 1 i = 0 Else c(i) = 0 i += 1 End If Wend   End Function   ' ------=< MAIN >=------   Dim As ULong k, p, arr(0 To 9) Randomize Timer   Print "unsorted array" For k = LBound(arr) To UBound(arr) arr(k) = Rnd * 1000 Print arr(k) & IIf(k = UBound(arr), "", ", "); Next Print : Print   p = permutation_sort(arr())   Print "sorted array" For k = LBound(arr) To UBound(arr) Print arr(k) & IIf(k = UBound(arr), "", ", "); Next Print : Print Print "sorted array in "; p; " permutations"   ' empty keyboard buffer While Inkey <> "" : Wend Print : Print "hit any key to end program" Sleep End
http://rosettacode.org/wiki/Sorting_algorithms/Pancake_sort
Sorting algorithms/Pancake sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array of integers (of any convenient size) into ascending order using Pancake sorting. In short, instead of individual elements being sorted, the only operation allowed is to "flip" one end of the list, like so: Before: 6 7 8 9 2 5 3 4 1 After: 9 8 7 6 2 5 3 4 1 Only one end of the list can be flipped; this should be the low end, but the high end is okay if it's easier to code or works better, but it must be the same end for the entire solution. (The end flipped can't be arbitrarily changed.) Show both the initial, unsorted list and the final sorted list. (Intermediate steps during sorting are optional.) Optimizations are optional (but recommended). Related tasks   Number reversal game   Topswops Also see   Wikipedia article:   pancake sorting.
#BASIC
BASIC
RANDOMIZE TIMER   DIM nums(9) AS INTEGER DIM L0 AS INTEGER, L1 AS INTEGER, n AS INTEGER   'initial values FOR L0 = 0 TO 9 nums(L0) = L0 NEXT 'scramble FOR L0 = 9 TO 1 STEP -1 n = INT(RND * (L0)) + 1 IF n <> L0 THEN SWAP nums(n), nums(L0) NEXT 'display initial condition FOR L0 = 0 TO 9 PRINT nums(L0); NEXT PRINT   FOR L1 = 9 TO 1 STEP -1 n = 0 FOR L0 = 1 TO L1 IF nums(n) < nums(L0) THEN n = L0 NEXT   IF (n < L1) THEN IF (n > 0) THEN FOR L0 = 0 TO (n \ 2) SWAP nums(L0), nums(n - L0) NEXT FOR L0 = 0 TO 9 PRINT nums(L0); NEXT PRINT END IF FOR L0 = 0 TO (L1 \ 2) SWAP nums(L0), nums(L1 - L0) NEXT   FOR L0 = 0 TO 9 PRINT nums(L0); NEXT PRINT END IF NEXT
http://rosettacode.org/wiki/Special_characters
Special characters
Special characters are symbols (single characters or sequences of characters) that have a "special" built-in meaning in the language and typically cannot be used in identifiers. Escape sequences are methods that the language uses to remove the special meaning from the symbol, enabling it to be used as a normal character, or sequence of characters when this can be done. Task List the special characters and show escape sequences in the language. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#PL.2FI
PL/I
'John''s pen' which is stored as <<John's pen>> "He said ""Go!"" and opened the door" which is stored as <<He said "Go!" and opened the door>>
http://rosettacode.org/wiki/Special_characters
Special characters
Special characters are symbols (single characters or sequences of characters) that have a "special" built-in meaning in the language and typically cannot be used in identifiers. Escape sequences are methods that the language uses to remove the special meaning from the symbol, enabling it to be used as a normal character, or sequence of characters when this can be done. Task List the special characters and show escape sequences in the language. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Plain_TeX
Plain TeX
a=1 ; The ';' indicates that a comment starts b=2*a: a=b*33 ; b will now be 2, and a=66
http://rosettacode.org/wiki/Sorting_algorithms/Stooge_sort
Sorting algorithms/Stooge sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Stooge sort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Show the   Stooge Sort   for an array of integers. The Stooge Sort algorithm is as follows: algorithm stoogesort(array L, i = 0, j = length(L)-1) if L[j] < L[i] then L[i] ↔ L[j] if j - i > 1 then t := (j - i + 1)/3 stoogesort(L, i , j-t) stoogesort(L, i+t, j ) stoogesort(L, i , j-t) return L
#Icon_and_Unicon
Icon and Unicon
procedure main() #: demonstrate various ways to sort a list and string demosort(stoogesort,[3, 14, 1, 5, 9, 2, 6, 3],"qwerty") end   procedure stoogesort(X,op,i,j) #: return sorted list ascending(or descending) local t   if /i := 0 then { j := *X op := sortop(op,X) # select how and what we sort }   if op(X[j],X[i]) then X[i] :=: X[j] if j - i > 1 then { t := (j - i + 1) / 3 X := stoogesort(X,op,i,j-t) X := stoogesort(X,op,i+t,j) X := stoogesort(X,op,i,j-t) } return X # X must be returned and assigned to sort a string end
http://rosettacode.org/wiki/Sorting_algorithms/Sleep_sort
Sorting algorithms/Sleep sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort In general, sleep sort works by starting a separate task for each item to be sorted, where each task sleeps for an interval corresponding to the item's sort key, then emits the item. Items are then collected sequentially in time. Task: Write a program that implements sleep sort. Have it accept non-negative integers on the command line and print the integers in sorted order. If this is not idomatic in your language or environment, input and output may be done differently. Enhancements for optimization, generalization, practicality, robustness, and so on are not required. Sleep sort was presented anonymously on 4chan and has been discussed on Hacker News.
#Lua
Lua
function sleeprint(n) local t0 = os.time() while os.time() - t0 <= n do coroutine.yield(false) end print(n) return true end   coroutines = {} for i=1, #arg do wrapped = coroutine.wrap(sleeprint) table.insert(coroutines, wrapped) wrapped(tonumber(arg[i])) end   done = false while not done do done = true for i=#coroutines,1,-1 do if coroutines[i]() then table.remove(coroutines, i) else done = false end end end
http://rosettacode.org/wiki/Sorting_algorithms/Sleep_sort
Sorting algorithms/Sleep sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort In general, sleep sort works by starting a separate task for each item to be sorted, where each task sleeps for an interval corresponding to the item's sort key, then emits the item. Items are then collected sequentially in time. Task: Write a program that implements sleep sort. Have it accept non-negative integers on the command line and print the integers in sorted order. If this is not idomatic in your language or environment, input and output may be done differently. Enhancements for optimization, generalization, practicality, robustness, and so on are not required. Sleep sort was presented anonymously on 4chan and has been discussed on Hacker News.
#Mathematica.2FWolfram_Language
Mathematica/Wolfram Language
SleepSort = RunScheduledTask[Print@#, {#, 1}] & /@ # &; SleepSort@{1, 9, 8, 7, 6, 5, 3, 4, 5, 2, 0};
http://rosettacode.org/wiki/Sorting_algorithms/Selection_sort
Sorting algorithms/Selection sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array (or list) of elements using the Selection sort algorithm. It works as follows: First find the smallest element in the array and exchange it with the element in the first position, then find the second smallest element and exchange it with the element in the second position, and continue in this way until the entire array is sorted. Its asymptotic complexity is   O(n2)   making it inefficient on large arrays. Its primary purpose is for when writing data is very expensive (slow) when compared to reading, eg. writing to flash memory or EEPROM. No other sorting algorithm has less data movement. References   Rosetta Code:   O     (complexity).   Wikipedia:   Selection sort.   Wikipedia:   [Big O notation].
#C.23
C#
class SelectionSort<T> where T : IComparable { public T[] Sort(T[] list) { int k; T temp;   for (int i = 0; i < list.Length; i++) { k = i; for (int j=i + 1; j < list.Length; j++) { if (list[j].CompareTo(list[k]) < 0) { k = j; } } temp = list[i]; list[i] = list[k]; list[k] = temp; }   return list; } }
http://rosettacode.org/wiki/Soundex
Soundex
Soundex is an algorithm for creating indices for words based on their pronunciation. Task The goal is for homophones to be encoded to the same representation so that they can be matched despite minor differences in spelling   (from the   soundex   Wikipedia article). Caution There is a major issue in many of the implementations concerning the separation of two consonants that have the same soundex code! According to the official Rules [[1]]. So check for instance if Ashcraft is coded to A-261. If a vowel (A, E, I, O, U) separates two consonants that have the same soundex code, the consonant to the right of the vowel is coded. Tymczak is coded as T-522 (T, 5 for the M, 2 for the C, Z ignored (see "Side-by-Side" rule above), 2 for the K). Since the vowel "A" separates the Z and K, the K is coded. If "H" or "W" separate two consonants that have the same soundex code, the consonant to the right of the vowel is not coded. Example: Ashcraft is coded A-261 (A, 2 for the S, C ignored, 6 for the R, 1 for the F). It is not coded A-226.
#CLU
CLU
lower = proc (c: char) returns (char) if c >= 'A' & c <= 'Z' then c := char$i2c(32 + char$c2i(c)) end return(c) end lower   soundex = proc (name: string) returns (string) own coding: array[string] := array[string]$ [0:"aeiou","bfpv","cgjkqsxz","dt","l","mn","r"]   nums: array[int] := array[int]$[] for i: int in int$from_to(1, string$size(name)) do c: char := lower(name[i]) for n: int in array[string]$indexes(coding) do if string$indexc(c, coding[n]) ~= 0 then array[int]$addh(nums, n) break end end end   filtered: array[int] := array[int]$[] for i: int in array[int]$indexes(nums) do if nums[i]=0 cor i=1 then continue end if nums[i]~=nums[i-1] then array[int]$addh(filtered,nums[i]) end end   code: string := string$c2s(name[1]) for i: int in array[int]$elements(filtered) do if string$size(code) >= 4 then break end code := code || int$unparse(i) end   while string$size(code) < 4 do code := code || "0" end return(code) end soundex   start_up = proc () test = struct[name, code: string] po: stream := stream$primary_output()   tests: array[test] := array[test]$[ test${name:"Ashcraft", code:"A261"}, test${name:"Burroughs", code:"B620"}, test${name:"Burrows", code:"B620"}, test${name:"Ekzampul", code:"E251"}, test${name:"Ellery", code:"E460"}, test${name:"Euler", code:"E460"}, test${name:"Example", code:"E251"}, test${name:"Gauss", code:"G200"}, test${name:"Ghosh", code:"G200"}, test${name:"Gutierrez", code:"G362"}, test${name:"Heilbronn", code:"H416"}, test${name:"Hilbert", code:"H416"}, test${name:"Jackson", code:"J250"}, test${name:"Kant", code:"K530"}, test${name:"Knuth", code:"K530"}, test${name:"Ladd", code:"L300"}, test${name:"Lee", code:"L000"}, test${name:"Lissajous", code:"L222"}, test${name:"Lloyd", code:"L300"}, test${name:"Lukasiewicz", code:"L222"}, test${name:"O'Hara", code:"O600"}, test${name:"Pfister", code:"P236"}, test${name:"Soundex", code:"S532"}, test${name:"Sownteks", code:"S532"}, test${name:"Tymczak", code:"T522"}, test${name:"VanDeusen", code:"V532"}, test${name:"Washington", code:"W252"}, test${name:"Wheaton", code:"W350"} ]   for t: test in array[test]$elements(tests) do stream$putleft(po, t.name, 12) stream$puts(po, " -> ") c: string := soundex(t.name) stream$puts(po, c) if c ~= t.code then stream$putl(po, " (Wrong!)") else stream$putl(po, " (OK)") end end end start_up
http://rosettacode.org/wiki/Sorting_algorithms/Shell_sort
Sorting algorithms/Shell sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array of elements using the Shell sort algorithm, a diminishing increment sort. The Shell sort   (also known as Shellsort or Shell's method)   is named after its inventor, Donald Shell, who published the algorithm in 1959. Shell sort is a sequence of interleaved insertion sorts based on an increment sequence. The increment size is reduced after each pass until the increment size is 1. With an increment size of 1, the sort is a basic insertion sort, but by this time the data is guaranteed to be almost sorted, which is insertion sort's "best case". Any sequence will sort the data as long as it ends in 1, but some work better than others. Empirical studies have shown a geometric increment sequence with a ratio of about 2.2 work well in practice. [1] Other good sequences are found at the On-Line Encyclopedia of Integer Sequences.
#Elixir
Elixir
defmodule Sort do def shell_sort(list) when length(list)<=1, do: list def shell_sort(list), do: shell_sort(list, div(length(list),2))   defp shell_sort(list, inc) do gb = Enum.with_index(list) |> Enum.group_by(fn {_,i} -> rem(i,inc) end) wk = Enum.map(0..inc-1, fn i -> Enum.map(gb[i], fn {x,_} -> x end) |> insert_sort([]) end) |> merge if sorted?(wk), do: wk, else: shell_sort( wk, max(trunc(inc / 2.2), 1) ) end   defp merge(lists) do len = length(hd(lists)) Enum.map(lists, fn list -> if length(list)<len, do: list++[nil], else: list end) |> List.zip |> Enum.flat_map(fn tuple -> Tuple.to_list(tuple) end) |> Enum.filter(&(&1)) # remove nil end   defp sorted?(list) do Enum.chunk(list,2,1) |> Enum.all?(fn [a,b] -> a <= b end) end   defp insert_sort(list), do: insert_sort(list, [])   defp insert_sort([], sorted), do: sorted defp insert_sort([h | t], sorted), do: insert_sort(t, insert(h, sorted))   defp insert(x, []), do: [x] defp insert(x, sorted) when x < hd(sorted), do: [x | sorted] defp insert(x, [h | t]), do: [h | insert(x, t)] end   list = [0, 14, 11, 8, 13, 15, 5, 7, 16, 17, 1, 6, 12, 2, 10, 4, 19, 9, 18, 3] IO.inspect Sort.shell_sort(list)
http://rosettacode.org/wiki/Sorting_algorithms/Shell_sort
Sorting algorithms/Shell sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array of elements using the Shell sort algorithm, a diminishing increment sort. The Shell sort   (also known as Shellsort or Shell's method)   is named after its inventor, Donald Shell, who published the algorithm in 1959. Shell sort is a sequence of interleaved insertion sorts based on an increment sequence. The increment size is reduced after each pass until the increment size is 1. With an increment size of 1, the sort is a basic insertion sort, but by this time the data is guaranteed to be almost sorted, which is insertion sort's "best case". Any sequence will sort the data as long as it ends in 1, but some work better than others. Empirical studies have shown a geometric increment sequence with a ratio of about 2.2 work well in practice. [1] Other good sequences are found at the On-Line Encyclopedia of Integer Sequences.
#Euphoria
Euphoria
function shell_sort(sequence s) integer gap,j object temp gap = floor(length(s)/2) while gap > 0 do for i = gap to length(s) do temp = s[i] j=i-gap while j >= 1 and compare(temp, s[j]) <= 0 do s[j+gap]=s[j] j -= gap end while s[j+gap] = temp end for gap = floor(gap/2) end while return s end function   constant s = rand(repeat(1000,10)) puts(1,"Before: ") ? s puts(1,"After: ") ? shell_sort(s)
http://rosettacode.org/wiki/Sparkline_in_unicode
Sparkline in unicode
A sparkline is a graph of successive values laid out horizontally where the height of the line is proportional to the values in succession. Task Use the following series of Unicode characters to create a program that takes a series of numbers separated by one or more whitespace or comma characters and generates a sparkline-type bar graph of the values on a single line of output. The eight characters: '▁▂▃▄▅▆▇█' (Unicode values U+2581 through U+2588). Use your program to show sparklines for the following input, here on this page: 1 2 3 4 5 6 7 8 7 6 5 4 3 2 1 1.5, 0.5 3.5, 2.5 5.5, 4.5 7.5, 6.5 (note the mix of separators in this second case)! Notes A space is not part of the generated sparkline. The sparkline may be accompanied by simple statistics of the data such as its range. A suggestion emerging in later discussion (see Discussion page) is that the bounds between bins should ideally be set to yield the following results for two particular edge cases: "0, 1, 19, 20" -> ▁▁██ (Aiming to use just two spark levels) "0, 999, 4000, 4999, 7000, 7999" -> ▁▁▅▅██ (Aiming to use just three spark levels) It may be helpful to include these cases in output tests. You may find that the unicode sparklines on this page are rendered less noisily by Google Chrome than by Firefox or Safari.
#REXX
REXX
/* Rexx */   parse arg aaa call runSample aaa return   -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ sparkline: procedure parse arg spark spark = changestr(',', spark, ' ') bars = '▁ ▂ ▃ ▄ ▅ ▆ ▇ █' barK = words(bars) nmin = word(spark, 1) nmax = nmin -- get min & max values do iw = 1 to words(spark) nval = word(spark, iw) nmin = min(nval, nmin) nmax = max(nval, nmax) end iw range = nmax - nmin + 1 slope = '' do iw = 1 to words(spark) point = ceiling((word(spark, iw) - nmin + 1) / range * barK) slope = slope || word(bars, point) end iw return slope nmin nmax range   -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ ceiling: procedure parse arg ceil return trunc(ceil) + (ceil > 0) * (ceil \= trunc(ceil)) floor: procedure parse arg flor return trunc(flor) - (flor < 0) * (flor \= trunc(flor))   -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ runSample: procedure -- sample data setup parse arg vals sparks = 0 sparks.0 = 0 if vals = '' then do si = sparks.0 + 1; sparks.0 = si; sparks.si = 1 2 3 4 5 6 7 8 7 6 5 4 3 2 1 si = sparks.0 + 1; sparks.0 = si; sparks.si = '1.5, 0.5 3.5, 2.5 5.5, 4.5 7.5, 6.5' end else do do until vals = '' -- split input on a ! character parse var vals lst '!' vals si = sparks.0 + 1; sparks.0 = si; sparks.si = lst end end -- run the samples do si = 1 to sparks.0 vals = sparks.si parse value sparkline(vals) with slope . say 'Input: ' vals say 'Sparkline: ' slope say end si   return  
http://rosettacode.org/wiki/Sorting_algorithms/Strand_sort
Sorting algorithms/Strand sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Strand sort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Implement the Strand sort. This is a way of sorting numbers by extracting shorter sequences of already sorted numbers from an unsorted list.
#Tcl
Tcl
proc merge {listVar toMerge} { upvar 1 $listVar v set i [set j 0] set out {} while {$i<[llength $v] && $j<[llength $toMerge]} { if {[set a [lindex $v $i]] < [set b [lindex $toMerge $j]]} { lappend out $a incr i } else { lappend out $b incr j } } # Done the merge, but will be one source with something left # This will handle all that by doing a merge of the remnants onto the end set v [concat $out [lrange $v $i end] [lrange $toMerge $j end]] return }   proc strandSort A { set results {} while {[llength $A]} { set sublist [lrange $A 0 0] # We build a list of items that weren't filtered rather than removing "in place" # because this fits better with the way Tcl values work (the underlying data # structure is an array, not a linked list). set newA {} foreach a [lrange $A 1 end] { if {$a > [lindex $sublist end]} { lappend sublist $a } else { lappend newA $a } } set A $newA merge results $sublist } return $results }   puts [strandSort {3 1 5 4 2}]
http://rosettacode.org/wiki/Stable_marriage_problem
Stable marriage problem
Solve the Stable marriage problem using the Gale/Shapley algorithm. Problem description Given an equal number of men and women to be paired for marriage, each man ranks all the women in order of his preference and each woman ranks all the men in order of her preference. A stable set of engagements for marriage is one where no man prefers a woman over the one he is engaged to, where that other woman also prefers that man over the one she is engaged to. I.e. with consulting marriages, there would be no reason for the engagements between the people to change. Gale and Shapley proved that there is a stable set of engagements for any set of preferences and the first link above gives their algorithm for finding a set of stable engagements. Task Specifics Given ten males: abe, bob, col, dan, ed, fred, gav, hal, ian, jon And ten females: abi, bea, cath, dee, eve, fay, gay, hope, ivy, jan And a complete list of ranked preferences, where the most liked is to the left: abe: abi, eve, cath, ivy, jan, dee, fay, bea, hope, gay bob: cath, hope, abi, dee, eve, fay, bea, jan, ivy, gay col: hope, eve, abi, dee, bea, fay, ivy, gay, cath, jan dan: ivy, fay, dee, gay, hope, eve, jan, bea, cath, abi ed: jan, dee, bea, cath, fay, eve, abi, ivy, hope, gay fred: bea, abi, dee, gay, eve, ivy, cath, jan, hope, fay gav: gay, eve, ivy, bea, cath, abi, dee, hope, jan, fay hal: abi, eve, hope, fay, ivy, cath, jan, bea, gay, dee ian: hope, cath, dee, gay, bea, abi, fay, ivy, jan, eve jon: abi, fay, jan, gay, eve, bea, dee, cath, ivy, hope abi: bob, fred, jon, gav, ian, abe, dan, ed, col, hal bea: bob, abe, col, fred, gav, dan, ian, ed, jon, hal cath: fred, bob, ed, gav, hal, col, ian, abe, dan, jon dee: fred, jon, col, abe, ian, hal, gav, dan, bob, ed eve: jon, hal, fred, dan, abe, gav, col, ed, ian, bob fay: bob, abe, ed, ian, jon, dan, fred, gav, col, hal gay: jon, gav, hal, fred, bob, abe, col, ed, dan, ian hope: gav, jon, bob, abe, ian, dan, hal, ed, col, fred ivy: ian, col, hal, gav, fred, bob, abe, ed, jon, dan jan: ed, hal, gav, abe, bob, jon, col, ian, fred, dan Use the Gale Shapley algorithm to find a stable set of engagements Perturb this set of engagements to form an unstable set of engagements then check this new set for stability. References The Stable Marriage Problem. (Eloquent description and background information). Gale-Shapley Algorithm Demonstration. Another Gale-Shapley Algorithm Demonstration. Stable Marriage Problem - Numberphile (Video). Stable Marriage Problem (the math bit) (Video). The Stable Marriage Problem and School Choice. (Excellent exposition)
#REXX
REXX
/*- REXX -------------------------------------------------------------- * pref.b Preferences of boy b * pref.g Preferences of girl g * boys List of boys * girls List of girls * plist List of proposals * mlist List of (current) matches * glist List of girls to be matched * glist.b List of girls that proposed to boy b * blen maximum length of boys' names * glen maximum length of girls' names ---------------------------------------------------------------------*/   pref.Charlotte=translate('Bingley Darcy Collins Wickham ') pref.Elisabeth=translate('Wickham Darcy Bingley Collins ') pref.Jane =translate('Bingley Wickham Darcy Collins ') pref.Lydia =translate('Bingley Wickham Darcy Collins ')   pref.Bingley =translate('Jane Elisabeth Lydia Charlotte') pref.Collins =translate('Jane Elisabeth Lydia Charlotte') pref.Darcy =translate('Elisabeth Jane Charlotte Lydia') pref.Wickham =translate('Lydia Jane Elisabeth Charlotte')   pref.ABE='ABI EVE CATH IVY JAN DEE FAY BEA HOPE GAY' pref.BOB='CATH HOPE ABI DEE EVE FAY BEA JAN IVY GAY' pref.COL='HOPE EVE ABI DEE BEA FAY IVY GAY CATH JAN' pref.DAN='IVY FAY DEE GAY HOPE EVE JAN BEA CATH ABI' pref.ED='JAN DEE BEA CATH FAY EVE ABI IVY HOPE GAY' pref.FRED='BEA ABI DEE GAY EVE IVY CATH JAN HOPE FAY' pref.GAV='GAY EVE IVY BEA CATH ABI DEE HOPE JAN FAY' pref.HAL='ABI EVE HOPE FAY IVY CATH JAN BEA GAY DEE' pref.IAN='HOPE CATH DEE GAY BEA ABI FAY IVY JAN EVE' pref.JON='ABI FAY JAN GAY EVE BEA DEE CATH IVY HOPE'   pref.ABI='BOB FRED JON GAV IAN ABE DAN ED COL HAL' pref.BEA='BOB ABE COL FRED GAV DAN IAN ED JON HAL' pref.CATH='FRED BOB ED GAV HAL COL IAN ABE DAN JON' pref.DEE='FRED JON COL ABE IAN HAL GAV DAN BOB ED' pref.EVE='JON HAL FRED DAN ABE GAV COL ED IAN BOB' pref.FAY='BOB ABE ED IAN JON DAN FRED GAV COL HAL' pref.GAY='JON GAV HAL FRED BOB ABE COL ED DAN IAN' pref.HOPE='GAV JON BOB ABE IAN DAN HAL ED COL FRED' pref.IVY='IAN COL HAL GAV FRED BOB ABE ED JON DAN' pref.JAN='ED HAL GAV ABE BOB JON COL IAN FRED DAN'   If arg(1)>'' Then Do Say 'Input from task description' boys='ABE BOB COL DAN ED FRED GAV HAL IAN JON' girls='ABI BEA CATH DEE EVE FAY GAY HOPE IVY JAN' End Else Do Say 'Input from link' girls=translate('Charlotte Elisabeth Jane Lydia') boys =translate('Bingley Collins Darcy Wickham') End   debug=0 blen=0 Do i=1 To words(boys) blen=max(blen,length(word(boys,i))) End glen=0 Do i=1 To words(girls) glen=max(glen,length(word(girls,i))) End glist=girls mlist='' Do ri=1 By 1 Until glist='' /* as long as there are girls */ Call dbg 'Round' ri plist='' /* no proposals in this round */ glist.='' Do gi=1 To words(glist) /* loop over free girls */ gg=word(glist,gi) /* an unmathed girl */ b=word(pref.gg,1) /* her preferred boy */ plist=plist gg'-'||b /* remember this proposal */ glist.b=glist.b gg /* add girl to the boy's list */ Call dbg left(gg,glen) 'proposes to' b /* tell the user */ End Do bi=1 To words(boys) /* loop over all boys */ b=word(boys,bi) /* one of them */ If glist.b>'' Then /* if he's got proposals */ Call dbg b 'has these proposals' glist.b /* show them */ End Do bi=1 To words(boys) /* loop over all boys */ b=word(boys,bi) /* one of them */ bm=pos(b'*',mlist) /* has he been matched yet? */ Select When words(glist.b)=1 Then Do /* one girl proposed for him */ gg=word(glist.b,1) /* the proposing girl */ If bm=0 Then Do /* no, he hasn't */ Call dbg b 'accepts' gg /* is accepted */ Call set_mlist 'A',mlist b||'*'||gg /* add match to mlist */ Call set_glist 'A',remove(gg,glist) /* remove gg from glist*/ pref.gg=remove(b,pref.gg) /* remove b from gg's preflist*/ End Else Do /* boy has been matched */ Parse Var mlist =(bm) '*' go ' ' /* to girl go */ If wordpos(gg,pref.b)<wordpos(go,pref.b) Then Do /* the proposing girl is preferred to the current one */ /* so we replace go by gg */ Call set_mlist 'B',repl(mlist,b||'*'||gg,b||'*'||go) Call dbg b 'releases' go Call dbg b 'accepts ' gg Call set_glist 'B',glist go /* add go to list of girls */ Call set_glist 'C',remove(gg,glist) /* and remove gg */ End pref.gg=remove(b,pref.gg) /* remove b from gg's preflist*/ End End When words(glist.b)>1 Then Call pick_1 Otherwise Nop End End Call dbg 'Matches  :' mlist Call dbg 'free girls:' glist Call check 'L' End Say 'Success at round' (ri-1) Do While mlist>'' Parse Var mlist boy '*' girl mlist Say left(boy,blen) 'matches' girl End Exit   pick_1: If bm>0 Then Do /* boy has been matched */ Parse Var mlist =(bm) '*' go ' ' /* to girl go */ pmin=wordpos(go,pref.b) End Else Do go='' pmin=99 End Do gi=1 To words(glist.b) gt=word(glist.b,gi) gp=wordpos(gt,pref.b) If gp<pmin Then Do pmin=gp gg=gt End End If bm=0 Then Do Call dbg b 'accepts' gg /* is accepted */ Call set_mlist 'A',mlist b||'*'||gg /* add match to mlist */ Call set_glist 'A',remove(gg,glist) /* remove gg from glist*/ pref.gg=remove(b,pref.gg) /* remove b from gg's preflist*/ End Else Do If gg<>go Then Do Call set_mlist 'B',repl(mlist,b||'*'||gg,b||'*'||go) Call dbg b 'releases' go Call dbg b 'accepts ' gg Call set_glist 'B',glist go /* add go to list of girls */ Call set_glist 'C',remove(gg,glist) /* and remove gg */ pref.gg=remove(b,pref.gg) /* remove b from gg's preflist*/ End End Return   remove: Parse Arg needle,haystack pp=pos(needle,haystack) If pp>0 Then res=left(haystack,pp-1) substr(haystack,pp+length(needle)) Else res=haystack Return space(res)   set_mlist: Parse Arg where,new_mlist Call dbg 'set_mlist' where':' mlist mlist=space(new_mlist) Call dbg 'set_mlist ->' mlist Call dbg '' Return   set_glist: Parse Arg where,new_glist Call dbg 'set_glist' where':' glist glist=new_glist Call dbg 'set_glist ->' glist Call dbg '' Return   check: If words(mlist)+words(glist)<>words(boys) Then Do Call dbg 'FEHLER bei' arg(1) (words(mlist)+words(glist))'<>10' say 'match='mlist'<' say ' glist='glist'<' End Return   dbg: If debug Then Call dbg arg(1) Return repl: Procedure Parse Arg s,new,old Do i=1 To 100 Until p=0 p=pos(old,s) If p>0 Then s=left(s,p-1)||new||substr(s,p+length(old)) End Return s
http://rosettacode.org/wiki/Stack
Stack
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A stack is a container of elements with   last in, first out   access policy.   Sometimes it also called LIFO. The stack is accessed through its top. The basic stack operations are:   push   stores a new element onto the stack top;   pop   returns the last pushed stack element, while removing it from the stack;   empty   tests if the stack contains no elements. Sometimes the last pushed stack element is made accessible for immutable access (for read) or mutable access (for write):   top   (sometimes called peek to keep with the p theme) returns the topmost element without modifying the stack. Stacks allow a very simple hardware implementation. They are common in almost all processors. In programming, stacks are also very popular for their way (LIFO) of resource management, usually memory. Nested scopes of language objects are naturally implemented by a stack (sometimes by multiple stacks). This is a classical way to implement local variables of a re-entrant or recursive subprogram. Stacks are also used to describe a formal computational framework. See stack machine. Many algorithms in pattern matching, compiler construction (e.g. recursive descent parsers), and machine learning (e.g. based on tree traversal) have a natural representation in terms of stacks. Task Create a stack supporting the basic operations: push, pop, empty. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#JavaScript
JavaScript
var stack = []; stack.push(1) stack.push(2,3); print(stack.pop()); // 3 print(stack.length); // 2, stack empty if 0
http://rosettacode.org/wiki/Spiral_matrix
Spiral matrix
Task Produce a spiral array. A   spiral array   is a square arrangement of the first   N2   natural numbers,   where the numbers increase sequentially as you go around the edges of the array spiraling inwards. For example, given   5,   produce this array: 0 1 2 3 4 15 16 17 18 5 14 23 24 19 6 13 22 21 20 7 12 11 10 9 8 Related tasks   Zig-zag matrix   Identity_matrix   Ulam_spiral_(for_primes)
#JavaScript
JavaScript
spiralArray = function (edge) { var arr = Array(edge), x = 0, y = edge, total = edge * edge--, dx = 1, dy = 0, i = 0, j = 0; while (y) arr[--y] = []; while (i < total) { arr[y][x] = i++; x += dx; y += dy; if (++j == edge) { if (dy < 0) {x++; y++; edge -= 2} j = dx; dx = -dy; dy = j; j = 0; } } return arr; }   // T E S T: arr = spiralArray(edge = 5); for (y= 0; y < edge; y++) console.log(arr[y].join(" "));  
http://rosettacode.org/wiki/Sorting_algorithms/Radix_sort
Sorting algorithms/Radix sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an integer array with the   radix sort algorithm. The primary purpose is to complete the characterization of sort algorithms task.
#EasyLang
EasyLang
# Radix sort - sorts positive integers # func sort . data[] . radix = 10 for d in data[] max = higher d max . len buck[][] radix pos = 1 while pos <= max for i range radix buck[i][] = [ ] . for d in data[] h = d / pos mod radix buck[h][] &= d . di = 0 for i range radix for d in buck[i][] data[di] = d di += 1 . . pos *= radix . . data[] = [ 29 4 72 44 55 26 27 77 92 5 ] call sort data[] print data[]
http://rosettacode.org/wiki/Sorting_algorithms/Quicksort
Sorting algorithms/Quicksort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Quicksort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Sort an array (or list) elements using the   quicksort   algorithm. The elements must have a   strict weak order   and the index of the array can be of any discrete type. For languages where this is not possible, sort an array of integers. Quicksort, also known as   partition-exchange sort,   uses these steps.   Choose any element of the array to be the pivot.   Divide all other elements (except the pivot) into two partitions.   All elements less than the pivot must be in the first partition.   All elements greater than the pivot must be in the second partition.   Use recursion to sort both partitions.   Join the first sorted partition, the pivot, and the second sorted partition. The best pivot creates partitions of equal length (or lengths differing by   1). The worst pivot creates an empty partition (for example, if the pivot is the first or last element of a sorted array). The run-time of Quicksort ranges from   O(n log n)   with the best pivots, to   O(n2)   with the worst pivots, where   n   is the number of elements in the array. This is a simple quicksort algorithm, adapted from Wikipedia. function quicksort(array) less, equal, greater := three empty arrays if length(array) > 1 pivot := select any element of array for each x in array if x < pivot then add x to less if x = pivot then add x to equal if x > pivot then add x to greater quicksort(less) quicksort(greater) array := concatenate(less, equal, greater) A better quicksort algorithm works in place, by swapping elements within the array, to avoid the memory allocation of more arrays. function quicksort(array) if length(array) > 1 pivot := select any element of array left := first index of array right := last index of array while left ≤ right while array[left] < pivot left := left + 1 while array[right] > pivot right := right - 1 if left ≤ right swap array[left] with array[right] left := left + 1 right := right - 1 quicksort(array from first index to right) quicksort(array from left to last index) Quicksort has a reputation as the fastest sort. Optimized variants of quicksort are common features of many languages and libraries. One often contrasts quicksort with   merge sort,   because both sorts have an average time of   O(n log n). "On average, mergesort does fewer comparisons than quicksort, so it may be better when complicated comparison routines are used. Mergesort also takes advantage of pre-existing order, so it would be favored for using sort() to merge several sorted arrays. On the other hand, quicksort is often faster for small arrays, and on arrays of a few distinct values, repeated many times." — http://perldoc.perl.org/sort.html Quicksort is at one end of the spectrum of divide-and-conquer algorithms, with merge sort at the opposite end. Quicksort is a conquer-then-divide algorithm, which does most of the work during the partitioning and the recursive calls. The subsequent reassembly of the sorted partitions involves trivial effort. Merge sort is a divide-then-conquer algorithm. The partioning happens in a trivial way, by splitting the input array in half. Most of the work happens during the recursive calls and the merge phase. With quicksort, every element in the first partition is less than or equal to every element in the second partition. Therefore, the merge phase of quicksort is so trivial that it needs no mention! This task has not specified whether to allocate new arrays, or sort in place. This task also has not specified how to choose the pivot element. (Common ways to are to choose the first element, the middle element, or the median of three elements.) Thus there is a variety among the following implementations.
#Action.21
Action!
DEFINE MAX_COUNT="100" INT ARRAY stack(MAX_COUNT) INT stackSize   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 InitStack() stackSize=0 RETURN   BYTE FUNC IsEmpty() IF stackSize=0 THEN RETURN (1) FI RETURN (0)   PROC Push(INT low,high) stack(stackSize)=low stackSize==+1 stack(stackSize)=high stackSize==+1 RETURN   PROC Pop(INT POINTER low,high) stackSize==-1 high^=stack(stackSize) stackSize==-1 low^=stack(stackSize) RETURN   INT FUNC Partition(INT ARRAY a INT low,high) INT part,v,i,tmp   v=a(high) part=low-1   FOR i=low TO high-1 DO IF a(i)<=v THEN part==+1 tmp=a(part) a(part)=a(i) a(i)=tmp FI OD   part==+1 tmp=a(part) a(part)=a(high) a(high)=tmp RETURN (part)   PROC QuickSort(INT ARRAY a INT size) INT low,high,part   InitStack() Push(0,size-1) WHILE IsEmpty()=0 DO Pop(@low,@high) part=Partition(a,low,high) IF part-1>low THEN Push(low,part-1) FI IF part+1<high THEN Push(part+1,high) FI OD RETURN   PROC Test(INT ARRAY a INT size) PrintE("Array before sort:") PrintArray(a,size) QuickSort(a,size) PrintE("Array after sort:") PrintArray(a,size) PutE() RETURN   PROC Main() 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]   Test(a,10) Test(b,21) Test(c,8) Test(d,12) RETURN
http://rosettacode.org/wiki/Sorting_algorithms/Patience_sort
Sorting algorithms/Patience sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Sort an array of numbers (of any convenient size) into ascending order using   Patience sorting. Related task   Longest increasing subsequence
#C
C
  #include<stdlib.h> #include<stdio.h>   int* patienceSort(int* arr,int size){ int decks[size][size],i,j,min,pickedRow;   int *count = (int*)calloc(sizeof(int),size),*sortedArr = (int*)malloc(size*sizeof(int));   for(i=0;i<size;i++){ for(j=0;j<size;j++){ if(count[j]==0 || (count[j]>0 && decks[j][count[j]-1]>=arr[i])){ decks[j][count[j]] = arr[i]; count[j]++; break; } } }   min = decks[0][count[0]-1]; pickedRow = 0;   for(i=0;i<size;i++){ for(j=0;j<size;j++){ if(count[j]>0 && decks[j][count[j]-1]<min){ min = decks[j][count[j]-1]; pickedRow = j; } } sortedArr[i] = min; count[pickedRow]--;   for(j=0;j<size;j++) if(count[j]>0){ min = decks[j][count[j]-1]; pickedRow = j; break; } }   free(count); free(decks);   return sortedArr; }   int main(int argC,char* argV[]) { int *arr, *sortedArr, i;   if(argC==0) printf("Usage : %s <integers to be sorted separated by space>"); else{ arr = (int*)malloc((argC-1)*sizeof(int));   for(i=1;i<=argC;i++) arr[i-1] = atoi(argV[i]);   sortedArr = patienceSort(arr,argC-1);   for(i=0;i<argC-1;i++) printf("%d ",sortedArr[i]); }   return 0; }  
http://rosettacode.org/wiki/Sorting_algorithms/Permutation_sort
Sorting algorithms/Permutation sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Implement a permutation sort, which proceeds by generating the possible permutations of the input array/list until discovering the sorted one. Pseudocode: while not InOrder(list) do nextPermutation(list) done
#Go
Go
package main   import "fmt"   var a = []int{170, 45, 75, -90, -802, 24, 2, 66}   // in place permutation sort of slice a func main() { fmt.Println("before:", a) if len(a) > 1 && !recurse(len(a) - 1) { // recurse should never return false from the top level. // if it does, it means some code somewhere is busted, // either the the permutation generation code or the // sortedness testing code. panic("sorted permutation not found!") } fmt.Println("after: ", a) }   // recursive permutation generator func recurse(last int) bool { if last <= 0 { // bottom of recursion. test if sorted. for i := len(a) - 1; a[i] >= a[i-1]; i-- { if i == 1 { return true } } return false } for i := 0; i <= last; i++ { a[i], a[last] = a[last], a[i] if recurse(last - 1) { return true } a[i], a[last] = a[last], a[i] } return false }
http://rosettacode.org/wiki/Sorting_algorithms/Pancake_sort
Sorting algorithms/Pancake sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array of integers (of any convenient size) into ascending order using Pancake sorting. In short, instead of individual elements being sorted, the only operation allowed is to "flip" one end of the list, like so: Before: 6 7 8 9 2 5 3 4 1 After: 9 8 7 6 2 5 3 4 1 Only one end of the list can be flipped; this should be the low end, but the high end is okay if it's easier to code or works better, but it must be the same end for the entire solution. (The end flipped can't be arbitrarily changed.) Show both the initial, unsorted list and the final sorted list. (Intermediate steps during sorting are optional.) Optimizations are optional (but recommended). Related tasks   Number reversal game   Topswops Also see   Wikipedia article:   pancake sorting.
#Batch_File
Batch File
:: Pancake Sort from Rosetta Code :: Batch File Implementation   @echo off setlocal enabledelayedexpansion :: put the input sequence of integers (only) on the list variable. set "list=-2 0 -1 5 2 7 4 3 6 -1 7 2 1 8" :: create a pseudo-array; start at 0. set "range=-1" for %%l in (%list%) do ( set /a "range+=1" set "num!range!=%%l" ) :: scramble (remove this if you do not want to scramble the integers) for /l %%l in (%range%,-1,1) do ( set /a "n=%random% %% %%l" rem swapping... for %%? in (num!n!) do set "swaptemp=!%%?!" set "num!n!=!num%%l!" set "num%%l=!swaptemp!" ) :: display initial condition set "output=" for /l %%l in (0,1,%range%) do set "output=!output! !num%%l!" echo(Initial Sequence: echo( echo( ^>^> %output% echo( echo(Sorting: echo( :: begin sort for /l %%l in (%range%,-1,1) do ( set "n=0" for /l %%m in (1,1,%%l) do ( for %%? in (num!n!) do if !%%?! lss !num%%m! set "n=%%m" )   if !n! lss %%l ( if !n! gtr 0 ( set /a "tempvar1=!n!/2" %== corresponds to (n \ 2) from BASIC code ==% for /l %%m in (0,1,!tempvar1!) do ( set /a "tempvar2=!n!-%%m" %== corresponds to (n - L0) from BASIC code ==% rem swapping... for %%? in (num!tempvar2!) do set "swaptemp=!%%?!" set "num!tempvar2!=!num%%m!" set "num%%m=!swaptemp!" ) rem display the action set "output=" for /l %%x in (0,1,%range%) do set "output=!output! !num%%x!" echo( ^>^> !output! )   set /a "tempvar1=%%l/2" %== corresponds to (L1 \ 2) from BASIC code ==% for /l %%m in (0,1,!tempvar1!) do ( set /a "tempvar2=%%l-%%m" %== corresponds to (L1 - L0) from BASIC code ==% rem swapping... for %%? in (num!tempvar2!) do set "swaptemp=!%%?!" set "num!tempvar2!=!num%%m!" set "num%%m=!swaptemp!" ) rem display the action set output= for /l %%x in (0,1,%range%) do set "output=!output! !num%%x!" echo. ^>^> !output! ) )   )   echo DONE^^! exit /b 0
http://rosettacode.org/wiki/Special_characters
Special characters
Special characters are symbols (single characters or sequences of characters) that have a "special" built-in meaning in the language and typically cannot be used in identifiers. Escape sequences are methods that the language uses to remove the special meaning from the symbol, enabling it to be used as a normal character, or sequence of characters when this can be done. Task List the special characters and show escape sequences in the language. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#PowerShell
PowerShell
a=1 ; The ';' indicates that a comment starts b=2*a: a=b*33 ; b will now be 2, and a=66
http://rosettacode.org/wiki/Special_characters
Special characters
Special characters are symbols (single characters or sequences of characters) that have a "special" built-in meaning in the language and typically cannot be used in identifiers. Escape sequences are methods that the language uses to remove the special meaning from the symbol, enabling it to be used as a normal character, or sequence of characters when this can be done. Task List the special characters and show escape sequences in the language. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Progress
Progress
a=1 ; The ';' indicates that a comment starts b=2*a: a=b*33 ; b will now be 2, and a=66
http://rosettacode.org/wiki/Special_characters
Special characters
Special characters are symbols (single characters or sequences of characters) that have a "special" built-in meaning in the language and typically cannot be used in identifiers. Escape sequences are methods that the language uses to remove the special meaning from the symbol, enabling it to be used as a normal character, or sequence of characters when this can be done. Task List the special characters and show escape sequences in the language. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#PureBasic
PureBasic
a=1 ; The ';' indicates that a comment starts b=2*a: a=b*33 ; b will now be 2, and a=66
http://rosettacode.org/wiki/Sorting_algorithms/Stooge_sort
Sorting algorithms/Stooge sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Stooge sort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Show the   Stooge Sort   for an array of integers. The Stooge Sort algorithm is as follows: algorithm stoogesort(array L, i = 0, j = length(L)-1) if L[j] < L[i] then L[i] ↔ L[j] if j - i > 1 then t := (j - i + 1)/3 stoogesort(L, i , j-t) stoogesort(L, i+t, j ) stoogesort(L, i , j-t) return L
#IS-BASIC
IS-BASIC
100 PROGRAM "StoogSrt.bas" 110 RANDOMIZE 120 NUMERIC ARRAY(5 TO 16) 130 CALL INIT(ARRAY) 140 CALL WRITE(ARRAY) 150 CALL STOOGESORT(ARRAY,LBOUND(ARRAY),UBOUND(ARRAY)) 160 CALL WRITE(ARRAY) 170 DEF INIT(REF A) 180 FOR I=LBOUND(A) TO UBOUND(A) 190 LET A(I)=RND(99)+1 200 NEXT 210 END DEF 220 DEF WRITE(REF A) 230 FOR I=LBOUND(A) TO UBOUND(A) 240 PRINT A(I); 250 NEXT 260 PRINT 270 END DEF 280 DEF STOOGESORT(REF A,I,J) 290 NUMERIC T 300 IF A(J)<A(I) THEN LET T=A(J):LET A(J)=A(I):LET A(I)=T 310 IF J-I>1 THEN 320 LET T=IP((J-I+1)/3) 330 CALL STOOGESORT(A,I,J-T) 340 CALL STOOGESORT(A,I+T,J) 350 CALL STOOGESORT(A,I,J-T) 360 END IF 370 END DEF
http://rosettacode.org/wiki/Sorting_algorithms/Stooge_sort
Sorting algorithms/Stooge sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Stooge sort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Show the   Stooge Sort   for an array of integers. The Stooge Sort algorithm is as follows: algorithm stoogesort(array L, i = 0, j = length(L)-1) if L[j] < L[i] then L[i] ↔ L[j] if j - i > 1 then t := (j - i + 1)/3 stoogesort(L, i , j-t) stoogesort(L, i+t, j ) stoogesort(L, i , j-t) return L
#J
J
swapElems=: |.@:{`[`]}   stoogeSort=: 3 : 0 (0,<:#y) stoogeSort y : if. >/x{y do. y=.x swapElems y end. if. 1<-~/x do. t=. <.3%~1+-~/x (x-0,t) stoogeSort (x+t,0) stoogeSort (x-0,t) stoogeSort y else. y end. )
http://rosettacode.org/wiki/Sorting_algorithms/Sleep_sort
Sorting algorithms/Sleep sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort In general, sleep sort works by starting a separate task for each item to be sorted, where each task sleeps for an interval corresponding to the item's sort key, then emits the item. Items are then collected sequentially in time. Task: Write a program that implements sleep sort. Have it accept non-negative integers on the command line and print the integers in sorted order. If this is not idomatic in your language or environment, input and output may be done differently. Enhancements for optimization, generalization, practicality, robustness, and so on are not required. Sleep sort was presented anonymously on 4chan and has been discussed on Hacker News.
#NetRexx
NetRexx
/* NetRexx */ options replace format comments java crossref symbols nobinary import java.util.concurrent.CountDownLatch   -- ============================================================================= class RSortingSleepsort properties constant private dflt = '-6 3 1 4 5 2 3 -7 1 6 001 3 -9 2 5 -009 -8 4 6 1 9 8 7 6 5 -7 3 4 5 2 0 -2 -1 -5 -4 -3 -0 000 0' properties indirect startLatch = CountDownLatch doneLatch = CountDownLatch floor = 0 sorted = '' -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ method main(args = String[]) public static arg = Rexx(args) if arg = '' then arg = dflt say ' unsorted:' arg say ' sorted:' (RSortingSleepsort()).sleepSort(arg) return -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ method sleepSort(iArg) public setStartLatch(CountDownLatch(1)) -- used to put all threads on hold until we're ready to run setDoneLatch(CountDownLatch(iArg.words())) -- used to indicate all work is done loop mn = 1 to iArg.words() setFloor(getFloor().min(iArg.word(mn))) -- save smallest -ve number so we can use it as a scale for sleep Thread(SortThread(iArg.word(mn))).start() -- loop through input and create a thread for each element end mn getStartLatch().countDown() -- cry 'Havoc', and let slip the dogs of war. do getDoneLatch().await() -- wait for worker threads to complete catch ix = InterruptedException ix.printStackTrace() end return getSorted()   -- ============================================================================= class RSortingSleepsort.SortThread dependent implements Runnable properties indirect num -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ method SortThread(nm) setNum(nm) return -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ method run() public do parent.getStartLatch().await() -- wait until all threads are constructed sleepTime = getNum() + parent.getFloor().abs() -- shifted by value of smallest number (permits numbers < 0) sleepTime = sleepTime * 250 -- scale up; milliseconds are not granular enough Thread.sleep(sleepTime) -- wait for this number's turn to run catch ie = InterruptedException ie.printStackTrace() end do protect parent -- lock the parent to prevent collisions parent.setSorted((parent.getSorted() num).strip()) -- stow the number in the results List end parent.getDoneLatch().countDown() -- this one's done; decrement the latch return  
http://rosettacode.org/wiki/Sorting_algorithms/Selection_sort
Sorting algorithms/Selection sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array (or list) of elements using the Selection sort algorithm. It works as follows: First find the smallest element in the array and exchange it with the element in the first position, then find the second smallest element and exchange it with the element in the second position, and continue in this way until the entire array is sorted. Its asymptotic complexity is   O(n2)   making it inefficient on large arrays. Its primary purpose is for when writing data is very expensive (slow) when compared to reading, eg. writing to flash memory or EEPROM. No other sorting algorithm has less data movement. References   Rosetta Code:   O     (complexity).   Wikipedia:   Selection sort.   Wikipedia:   [Big O notation].
#C.2B.2B
C++
g++ -std=c++11 selection.cpp
http://rosettacode.org/wiki/Soundex
Soundex
Soundex is an algorithm for creating indices for words based on their pronunciation. Task The goal is for homophones to be encoded to the same representation so that they can be matched despite minor differences in spelling   (from the   soundex   Wikipedia article). Caution There is a major issue in many of the implementations concerning the separation of two consonants that have the same soundex code! According to the official Rules [[1]]. So check for instance if Ashcraft is coded to A-261. If a vowel (A, E, I, O, U) separates two consonants that have the same soundex code, the consonant to the right of the vowel is coded. Tymczak is coded as T-522 (T, 5 for the M, 2 for the C, Z ignored (see "Side-by-Side" rule above), 2 for the K). Since the vowel "A" separates the Z and K, the K is coded. If "H" or "W" separate two consonants that have the same soundex code, the consonant to the right of the vowel is not coded. Example: Ashcraft is coded A-261 (A, 2 for the S, C ignored, 6 for the R, 1 for the F). It is not coded A-226.
#COBOL
COBOL
**** sndxtest ********************************************* * Demonstrate the soundex encoding functions. *************************************************************** Identification division. Program-id. sndxtest.   Data division. Working-storage section. 01 sample-word-list. 05 sample-words. 10 filler pic x(15) value "soundex". 10 filler pic x(15) value "example". 10 filler pic x(15) value "sownteks". 10 filler pic x(15) value "ekzampul". 10 filler pic x(15) value "Euler". 10 filler pic x(15) value "Gauss". 10 filler pic x(15) value "Hilbert". 10 filler pic x(15) value "Knuth". 10 filler pic x(15) value "Lloyd". 10 filler pic x(15) value "Lukasiewicz". 10 filler pic x(15) value "Ellery". 10 filler pic x(15) value "ghosh". 10 filler pic x(15) value "Heilbronn". 10 filler pic x(15) value "Kand". 10 filler pic x(15) value "Ladd". 10 filler pic x(15) value "lissajous". 10 filler pic x(15) value "Wheaton". 10 filler pic x(15) value "Burroughs". 10 filler pic x(15) value "burrows". 10 filler pic x(15) value "O'Hara". 10 filler pic x(15) value "Washington". 10 filler pic x(15) value "lee". 10 filler pic x(15) value "Gutierrez". 10 filler pic x(15) value "Phister". 10 filler pic x(15) value "Jackson". 10 filler pic x(15) value "tymczak". 10 filler pic x(15) value "Vandeusen". 10 filler pic x(15) value "Ashcraft". 05 sample-word redefines sample-words pic x(15) occurs 28 times indexed by wrd-idx. 01 wrd-code pic x999.   Procedure division. Perform varying wrd-idx from 1 by 1 until wrd-idx greater than 28 call "sndxenc" using by reference sample-word(wrd-idx) by reference wrd-code display wrd-code " " sample-word(wrd-idx) end-perform. Stop run.   End program sndxtest.   *** sndxenc ******************************************** * Given a string return its soundex encoding. *************************************************************** Identification division. Program-id. sndxenc.   Data division. Local-storage section. 01 str-idx pic 99. 01 let-code pic 9. 01 prv-let-code pic 9. 01 sdx-idx pic 9 value 1.   Linkage section. 01 str-to-encode. 05 str-first-let pic x. 05 str-rest-let pic x occurs 14 times. 01 sdx-code. 05 sdx-first-let pic x. 05 sdx-nums pic 9 occurs 3 times.   Procedure division using by reference str-to-encode by reference sdx-code. Perform encode-start thru encode-done. Goback.   Encode-start. Move zeros to sdx-code. Move function upper-case(str-first-let) to sdx-first-let. Call "sndxchar" using by reference str-first-let by reference let-code. Move let-code to prv-let-code.   Encode-string. Perform varying str-idx from 1 by 1 until str-idx greater than 15 or str-rest-let(str-idx) = space or sdx-idx greater than 3 call "sndxchar" using by reference str-rest-let(str-idx) by reference let-code if let-code not equal 7 then if let-code not equal 0 and let-code not equal prv-let-code move let-code to sdx-nums(sdx-idx) add 1 to sdx-idx end-if move let-code to prv-let-code end-if end-perform.   Encode-done. continue. End program sndxenc.     *** sndxchar ********************************************** * Given a character, return its soundex encoding. * Code 7 is for h or w, which an encoder should ignore when * either one separates double letters. *************************************************************** Identification division. Program-id. sndxchar.   Data division. Local-storage section. 01 lc-chr pic x. 88 code1 value "b", "f", "p", "v". 88 code2 value "c", "g", "j", "k", "q", "s", "x", "z". 88 code3 value "d", "t". 88 code4 value "l". 88 code5 value "m", "n". 88 code6 value "r". 88 code7 value "h", "w".   Linkage section. 01 char-to-encode pic x. 01 char-sdx-code pic 9.   Procedure division using by reference char-to-encode by reference char-sdx-code. Move function lower-case(char-to-encode) to lc-chr. If code1 then move 1 to char-sdx-code else if code2 then move 2 to char-sdx-code else if code3 then move 3 to char-sdx-code else if code4 then move 4 to char-sdx-code else if code5 then move 5 to char-sdx-code else if code6 then move 6 to char-sdx-code else if code7 then move 7 to char-sdx-code else move 0 to char-sdx-code end-if. End program sndxchar.
http://rosettacode.org/wiki/Sorting_algorithms/Shell_sort
Sorting algorithms/Shell sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array of elements using the Shell sort algorithm, a diminishing increment sort. The Shell sort   (also known as Shellsort or Shell's method)   is named after its inventor, Donald Shell, who published the algorithm in 1959. Shell sort is a sequence of interleaved insertion sorts based on an increment sequence. The increment size is reduced after each pass until the increment size is 1. With an increment size of 1, the sort is a basic insertion sort, but by this time the data is guaranteed to be almost sorted, which is insertion sort's "best case". Any sequence will sort the data as long as it ends in 1, but some work better than others. Empirical studies have shown a geometric increment sequence with a ratio of about 2.2 work well in practice. [1] Other good sequences are found at the On-Line Encyclopedia of Integer Sequences.
#Forth
Forth
defer less? ' < is less?   : shell { array len -- } 1 begin dup len u<= while 2* 1+ repeat { gap } begin gap 2 = if 1 else gap 5 11 */ then dup to gap while len gap do array i cells + dup @ swap ( temp last ) begin gap cells - array over u<= while 2dup @ less? while dup gap cells + over @ swap ! repeat then gap cells + ! loop repeat ;   create array 8 , 1 , 4 , 2 , 10 , 3 , 7 , 9 , 6 , 5 ,   array 10 shell array 10 cells dump
http://rosettacode.org/wiki/Sorting_algorithms/Shell_sort
Sorting algorithms/Shell sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array of elements using the Shell sort algorithm, a diminishing increment sort. The Shell sort   (also known as Shellsort or Shell's method)   is named after its inventor, Donald Shell, who published the algorithm in 1959. Shell sort is a sequence of interleaved insertion sorts based on an increment sequence. The increment size is reduced after each pass until the increment size is 1. With an increment size of 1, the sort is a basic insertion sort, but by this time the data is guaranteed to be almost sorted, which is insertion sort's "best case". Any sequence will sort the data as long as it ends in 1, but some work better than others. Empirical studies have shown a geometric increment sequence with a ratio of about 2.2 work well in practice. [1] Other good sequences are found at the On-Line Encyclopedia of Integer Sequences.
#Fortran
Fortran
MODULE sort   CONTAINS   SUBROUTINE Shell_Sort(a)   IMPLICIT NONE INTEGER :: i, j, increment REAL :: temp REAL, INTENT(in out) :: a(:)   increment = SIZE(a) / 2 DO WHILE (increment > 0) DO i = increment+1, SIZE(a) j = i temp = a(i) DO WHILE (j >= increment+1 .AND. a(j-increment) > temp) a(j) = a(j-increment) j = j - increment END DO a(j) = temp END DO IF (increment == 2) THEN increment = 1 ELSE increment = increment * 5 / 11 END IF END DO   END SUBROUTINE Shell_Sort   END MODULE sort   PROGRAM Shellsort   USE sort   IMPLICIT NONE REAL :: array(1000)   CALL RANDOM_SEED CALL RANDOM_NUMBER(array)   WRITE (*,*) "Unsorted array" WRITE (*,*) array WRITE (*,*) CALL Shell_Sort(array) WRITE (*,*) "Sorted array" WRITE (*,*) array   END PROGRAM Shellsort
http://rosettacode.org/wiki/Sparkline_in_unicode
Sparkline in unicode
A sparkline is a graph of successive values laid out horizontally where the height of the line is proportional to the values in succession. Task Use the following series of Unicode characters to create a program that takes a series of numbers separated by one or more whitespace or comma characters and generates a sparkline-type bar graph of the values on a single line of output. The eight characters: '▁▂▃▄▅▆▇█' (Unicode values U+2581 through U+2588). Use your program to show sparklines for the following input, here on this page: 1 2 3 4 5 6 7 8 7 6 5 4 3 2 1 1.5, 0.5 3.5, 2.5 5.5, 4.5 7.5, 6.5 (note the mix of separators in this second case)! Notes A space is not part of the generated sparkline. The sparkline may be accompanied by simple statistics of the data such as its range. A suggestion emerging in later discussion (see Discussion page) is that the bounds between bins should ideally be set to yield the following results for two particular edge cases: "0, 1, 19, 20" -> ▁▁██ (Aiming to use just two spark levels) "0, 999, 4000, 4999, 7000, 7999" -> ▁▁▅▅██ (Aiming to use just three spark levels) It may be helpful to include these cases in output tests. You may find that the unicode sparklines on this page are rendered less noisily by Google Chrome than by Firefox or Safari.
#Ruby
Ruby
bar = ('▁'..'█').to_a loop {print 'Numbers please separated by space/commas: ' numbers = gets.split(/[\s,]+/).map(&:to_f) min, max = numbers.minmax puts "min: %5f; max: %5f"% [min, max] div = (max - min) / (bar.size - 1) puts min == max ? bar.last*numbers.size : numbers.map{|num| bar[((num - min) / div).to_i]}.join }
http://rosettacode.org/wiki/Sparkline_in_unicode
Sparkline in unicode
A sparkline is a graph of successive values laid out horizontally where the height of the line is proportional to the values in succession. Task Use the following series of Unicode characters to create a program that takes a series of numbers separated by one or more whitespace or comma characters and generates a sparkline-type bar graph of the values on a single line of output. The eight characters: '▁▂▃▄▅▆▇█' (Unicode values U+2581 through U+2588). Use your program to show sparklines for the following input, here on this page: 1 2 3 4 5 6 7 8 7 6 5 4 3 2 1 1.5, 0.5 3.5, 2.5 5.5, 4.5 7.5, 6.5 (note the mix of separators in this second case)! Notes A space is not part of the generated sparkline. The sparkline may be accompanied by simple statistics of the data such as its range. A suggestion emerging in later discussion (see Discussion page) is that the bounds between bins should ideally be set to yield the following results for two particular edge cases: "0, 1, 19, 20" -> ▁▁██ (Aiming to use just two spark levels) "0, 999, 4000, 4999, 7000, 7999" -> ▁▁▅▅██ (Aiming to use just three spark levels) It may be helpful to include these cases in output tests. You may find that the unicode sparklines on this page are rendered less noisily by Google Chrome than by Firefox or Safari.
#Rust
Rust
  const BARS: &'static str = "▁▂▃▄▅▆▇█";   fn print_sparkline(s: &str){ let v = BARS.chars().collect::<Vec<char>>(); let line: String = s.replace(",", " ").split(" ") .filter(|x| !x.is_empty()) .map(|x| v[x.parse::<f64>().unwrap().ceil() as usize - 1]) .collect(); println!("{:?}", line); }   fn main(){ let s1 = "1 2 3 4 5 6 7 8 7 6 5 4 3 2 1"; print_sparkline(s1); let s2 = "1.5, 0.5 3.5, 2.5 5.5, 4.5 7.5, 6.5"; print_sparkline(s2); }  
http://rosettacode.org/wiki/Sorting_algorithms/Strand_sort
Sorting algorithms/Strand sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Strand sort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Implement the Strand sort. This is a way of sorting numbers by extracting shorter sequences of already sorted numbers from an unsorted list.
#Ursala
Ursala
strand_sort "r" = # parameterized by a relational predicate "r"   @NiX -+  :-0 ~&B^?a\~&Y@a "r"?abh/~&alh2faltPrXPRC ~&arh2falrtPXPRC, ~&r->l ^|rlPlCrrPX/~& @hNCNXtX ~&r->lbx "r"?rllPXh/~&llPrhPlrPCXrtPX ~&rhPllPClrPXrtPX+-
http://rosettacode.org/wiki/Sorting_algorithms/Strand_sort
Sorting algorithms/Strand sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Strand sort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Implement the Strand sort. This is a way of sorting numbers by extracting shorter sequences of already sorted numbers from an unsorted list.
#Wren
Wren
var merge = Fn.new { |left, right| var res = [] while (!left.isEmpty && !right.isEmpty) { if (left[0] <= right[0]) { res.add(left[0]) left.removeAt(0) } else { res.add(right[0]) right.removeAt(0) } } res.addAll(left) res.addAll(right) return res }   var strandSort = Fn.new { |a| var list = a.toList var res = [] while (!list.isEmpty) { var sorted = [list[0]] list.removeAt(0) var leftover = [] for (item in list) { if (sorted[-1] <= item) { sorted.add(item) } else { leftover.add(item) } } res = merge.call(sorted, res) list = leftover } return res }   var a = [-2, 0, -2, 5, 5, 3, -1, -3, 5, 5, 0, 2, -4, 4, 2] System.print("Unsorted: %(a)") a = strandSort.call(a) System.print("Sorted  : %(a)")
http://rosettacode.org/wiki/Stable_marriage_problem
Stable marriage problem
Solve the Stable marriage problem using the Gale/Shapley algorithm. Problem description Given an equal number of men and women to be paired for marriage, each man ranks all the women in order of his preference and each woman ranks all the men in order of her preference. A stable set of engagements for marriage is one where no man prefers a woman over the one he is engaged to, where that other woman also prefers that man over the one she is engaged to. I.e. with consulting marriages, there would be no reason for the engagements between the people to change. Gale and Shapley proved that there is a stable set of engagements for any set of preferences and the first link above gives their algorithm for finding a set of stable engagements. Task Specifics Given ten males: abe, bob, col, dan, ed, fred, gav, hal, ian, jon And ten females: abi, bea, cath, dee, eve, fay, gay, hope, ivy, jan And a complete list of ranked preferences, where the most liked is to the left: abe: abi, eve, cath, ivy, jan, dee, fay, bea, hope, gay bob: cath, hope, abi, dee, eve, fay, bea, jan, ivy, gay col: hope, eve, abi, dee, bea, fay, ivy, gay, cath, jan dan: ivy, fay, dee, gay, hope, eve, jan, bea, cath, abi ed: jan, dee, bea, cath, fay, eve, abi, ivy, hope, gay fred: bea, abi, dee, gay, eve, ivy, cath, jan, hope, fay gav: gay, eve, ivy, bea, cath, abi, dee, hope, jan, fay hal: abi, eve, hope, fay, ivy, cath, jan, bea, gay, dee ian: hope, cath, dee, gay, bea, abi, fay, ivy, jan, eve jon: abi, fay, jan, gay, eve, bea, dee, cath, ivy, hope abi: bob, fred, jon, gav, ian, abe, dan, ed, col, hal bea: bob, abe, col, fred, gav, dan, ian, ed, jon, hal cath: fred, bob, ed, gav, hal, col, ian, abe, dan, jon dee: fred, jon, col, abe, ian, hal, gav, dan, bob, ed eve: jon, hal, fred, dan, abe, gav, col, ed, ian, bob fay: bob, abe, ed, ian, jon, dan, fred, gav, col, hal gay: jon, gav, hal, fred, bob, abe, col, ed, dan, ian hope: gav, jon, bob, abe, ian, dan, hal, ed, col, fred ivy: ian, col, hal, gav, fred, bob, abe, ed, jon, dan jan: ed, hal, gav, abe, bob, jon, col, ian, fred, dan Use the Gale Shapley algorithm to find a stable set of engagements Perturb this set of engagements to form an unstable set of engagements then check this new set for stability. References The Stable Marriage Problem. (Eloquent description and background information). Gale-Shapley Algorithm Demonstration. Another Gale-Shapley Algorithm Demonstration. Stable Marriage Problem - Numberphile (Video). Stable Marriage Problem (the math bit) (Video). The Stable Marriage Problem and School Choice. (Excellent exposition)
#Ruby
Ruby
class Person def initialize(name) @name = name @fiance = nil @preferences = [] @proposals = [] end attr_reader :name, :proposals attr_accessor :fiance, :preferences   def to_s @name end   def free @fiance = nil end   def single? @fiance == nil end   def engage(person) self.fiance = person person.fiance = self end   def better_choice?(person) @preferences.index(person) < @preferences.index(@fiance) end   def propose_to(person) puts "#{self} proposes to #{person}" if $DEBUG @proposals << person person.respond_to_proposal_from(self) end   def respond_to_proposal_from(person) if single? puts "#{self} accepts proposal from #{person}" if $DEBUG engage(person) elsif better_choice?(person) puts "#{self} dumps #{@fiance} for #{person}" if $DEBUG @fiance.free engage(person) else puts "#{self} rejects proposal from #{person}" if $DEBUG end end end   ######################################################################## # initialize data   prefs = { 'abe' => %w[abi eve cath ivy jan dee fay bea hope gay], 'bob' => %w[cath hope abi dee eve fay bea jan ivy gay], 'col' => %w[hope eve abi dee bea fay ivy gay cath jan], 'dan' => %w[ivy fay dee gay hope eve jan bea cath abi], 'ed' => %w[jan dee bea cath fay eve abi ivy hope gay], 'fred' => %w[bea abi dee gay eve ivy cath jan hope fay], 'gav' => %w[gay eve ivy bea cath abi dee hope jan fay], 'hal' => %w[abi eve hope fay ivy cath jan bea gay dee], 'ian' => %w[hope cath dee gay bea abi fay ivy jan eve], 'jon' => %w[abi fay jan gay eve bea dee cath ivy hope], 'abi' => %w[bob fred jon gav ian abe dan ed col hal], 'bea' => %w[bob abe col fred gav dan ian ed jon hal], 'cath' => %w[fred bob ed gav hal col ian abe dan jon], 'dee' => %w[fred jon col abe ian hal gav dan bob ed], 'eve' => %w[jon hal fred dan abe gav col ed ian bob], 'fay' => %w[bob abe ed ian jon dan fred gav col hal], 'gay' => %w[jon gav hal fred bob abe col ed dan ian], 'hope' => %w[gav jon bob abe ian dan hal ed col fred], 'ivy' => %w[ian col hal gav fred bob abe ed jon dan], 'jan' => %w[ed hal gav abe bob jon col ian fred dan], }   @men = Hash[ %w[abe bob col dan ed fred gav hal ian jon].collect do |name| [name, Person.new(name)] end ]   @women = Hash[ %w[abi bea cath dee eve fay gay hope ivy jan].collect do |name| [name, Person.new(name)] end ]   @men.each {|name, man| man.preferences = @women.values_at(*prefs[name])} @women.each {|name, woman| woman.preferences = @men.values_at(*prefs[name])}   ######################################################################## # perform the matching   def match_couples(men, women) men.each_value {|man| man.free} women.each_value {|woman| woman.free}   while m = men.values.find {|man| man.single?} do puts "considering single man #{m}" if $DEBUG w = m.preferences.find {|woman| not m.proposals.include?(woman)} m.propose_to(w) end end   match_couples @men, @women   @men.each_value.collect {|man| puts "#{man} + #{man.fiance}"}   ######################################################################## # check for stability   class Person def more_preferable_people ( @preferences.partition {|p| better_choice?(p)} ).first end end   require 'set'   def stability(men) unstable = Set.new men.each_value do |man| woman = man.fiance puts "considering #{man} and #{woman}" if $DEBUG   man.more_preferable_people.each do |other_woman| if other_woman.more_preferable_people.include?(man) puts "an unstable pairing: #{man} and #{other_woman}" if $DEBUG unstable << [man, other_woman] end end woman.more_preferable_people.each do |other_man| if other_man.more_preferable_people.include?(woman) puts "an unstable pairing: #{woman} and #{other_man}" if $DEBUG unstable << [other_man, woman] end end end   if unstable.empty? puts "these couples are stable" else puts "uh oh" unstable.each do |a,b| puts "#{a} is engaged to #{a.fiance} but would prefer #{b}, and #{b} is engaged to #{b.fiance} but would prefer #{a}" end end end   stability @men   ######################################################################## # perturb   puts "\nwhat if abe and bob swap..."   def swap(m1, m2) w1 = m1.fiance w2 = m2.fiance m1.fiance = w2 w1.fiance = m2 m2.fiance = w1 w2.fiance = m1 end   swap *@men.values_at('abe','bob')   @men.each_value.collect {|man| puts "#{man} + #{man.fiance}"} stability @men
http://rosettacode.org/wiki/Stack
Stack
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A stack is a container of elements with   last in, first out   access policy.   Sometimes it also called LIFO. The stack is accessed through its top. The basic stack operations are:   push   stores a new element onto the stack top;   pop   returns the last pushed stack element, while removing it from the stack;   empty   tests if the stack contains no elements. Sometimes the last pushed stack element is made accessible for immutable access (for read) or mutable access (for write):   top   (sometimes called peek to keep with the p theme) returns the topmost element without modifying the stack. Stacks allow a very simple hardware implementation. They are common in almost all processors. In programming, stacks are also very popular for their way (LIFO) of resource management, usually memory. Nested scopes of language objects are naturally implemented by a stack (sometimes by multiple stacks). This is a classical way to implement local variables of a re-entrant or recursive subprogram. Stacks are also used to describe a formal computational framework. See stack machine. Many algorithms in pattern matching, compiler construction (e.g. recursive descent parsers), and machine learning (e.g. based on tree traversal) have a natural representation in terms of stacks. Task Create a stack supporting the basic operations: push, pop, empty. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Jsish
Jsish
/* Stack, is Jsish */ var stack = []; puts('depth:', stack.length);   stack.push(42); stack.push('abc'); puts('depth:', stack.length);   puts('popped:', stack.pop()); if (stack.length) printf('not '); printf('empty\n'); puts('top:', stack[stack.length-1]); puts('popped:', stack.pop()); if (stack.length) printf('not '); printf('empty\n');   puts('depth:', stack.length);
http://rosettacode.org/wiki/Spiral_matrix
Spiral matrix
Task Produce a spiral array. A   spiral array   is a square arrangement of the first   N2   natural numbers,   where the numbers increase sequentially as you go around the edges of the array spiraling inwards. For example, given   5,   produce this array: 0 1 2 3 4 15 16 17 18 5 14 23 24 19 6 13 22 21 20 7 12 11 10 9 8 Related tasks   Zig-zag matrix   Identity_matrix   Ulam_spiral_(for_primes)
#jq
jq
# Create an m x n matrix def matrix(m; n; init): if m == 0 then [] elif m == 1 then [range(0;n)] | map(init) elif m > 0 then matrix(1;n;init) as $row | [range(0;m)] | map( $row ) else error("matrix\(m);_;_) invalid") end ;   # Print a matrix neatly, each cell occupying n spaces def neatly(n): def right: tostring | ( " " * (n-length) + .); . as $in | length as $length | reduce range (0;$length) as $i (""; . + reduce range(0;$length) as $j (""; "\(.)\($in[$i][$j] | right )" ) + "\n" ) ;   def right: if . == [1, 0] then [ 0, -1] elif . == [0, -1] then [-1, 0] elif . == [-1, 0] then [ 0, 1] elif . == [0, 1] then [ 1, 0] else error("invalid direction: \(.)") end;
http://rosettacode.org/wiki/Sorting_algorithms/Radix_sort
Sorting algorithms/Radix sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an integer array with the   radix sort algorithm. The primary purpose is to complete the characterization of sort algorithms task.
#Eiffel
Eiffel
  class RADIX_SORT   feature   radix_sort (ar: ARRAY [INTEGER]) -- Array 'ar' sorted in ascending order. require ar_not_void: ar /= Void not_negative: across ar as a all a.item >= 0 end local bucket_1, bucket_0: LINKED_LIST [INTEGER] j, k, dig: INTEGER do create bucket_0.make create bucket_1.make dig := digits (ar) across 0 |..| dig as c loop across ar as r loop if r.item.bit_test (c.item) then bucket_1.extend (r.item) else bucket_0.extend (r.item) end end from j := 1 until j > bucket_0.count loop ar [j] := bucket_0 [j] j := j + 1 end from k := j j := 1 until j > bucket_1.count loop ar [k] := bucket_1 [j] k := k + 1 j := j + 1 end bucket_0.wipe_out bucket_1.wipe_out end ensure is_sorted: is_sorted (ar) end   feature {NONE}   digits (ar: ARRAY [INTEGER]): INTEGER -- Number of digits of the largest item in 'ar'. local max: INTEGER math: DOUBLE_MATH do create math across ar as a loop if a.item > max then max := a.item end end Result := math.log_2 (max).ceiling + 1 end   is_sorted (ar: ARRAY [INTEGER]): BOOLEAN --- Is 'ar' sorted in ascending order? local i: INTEGER do Result := True from i := ar.lower until i >= ar.upper loop if ar [i] > ar [i + 1] then Result := False end i := i + 1 end end   end  
http://rosettacode.org/wiki/Sorting_algorithms/Quicksort
Sorting algorithms/Quicksort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort This page uses content from Wikipedia. The original article was at Quicksort. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Sort an array (or list) elements using the   quicksort   algorithm. The elements must have a   strict weak order   and the index of the array can be of any discrete type. For languages where this is not possible, sort an array of integers. Quicksort, also known as   partition-exchange sort,   uses these steps.   Choose any element of the array to be the pivot.   Divide all other elements (except the pivot) into two partitions.   All elements less than the pivot must be in the first partition.   All elements greater than the pivot must be in the second partition.   Use recursion to sort both partitions.   Join the first sorted partition, the pivot, and the second sorted partition. The best pivot creates partitions of equal length (or lengths differing by   1). The worst pivot creates an empty partition (for example, if the pivot is the first or last element of a sorted array). The run-time of Quicksort ranges from   O(n log n)   with the best pivots, to   O(n2)   with the worst pivots, where   n   is the number of elements in the array. This is a simple quicksort algorithm, adapted from Wikipedia. function quicksort(array) less, equal, greater := three empty arrays if length(array) > 1 pivot := select any element of array for each x in array if x < pivot then add x to less if x = pivot then add x to equal if x > pivot then add x to greater quicksort(less) quicksort(greater) array := concatenate(less, equal, greater) A better quicksort algorithm works in place, by swapping elements within the array, to avoid the memory allocation of more arrays. function quicksort(array) if length(array) > 1 pivot := select any element of array left := first index of array right := last index of array while left ≤ right while array[left] < pivot left := left + 1 while array[right] > pivot right := right - 1 if left ≤ right swap array[left] with array[right] left := left + 1 right := right - 1 quicksort(array from first index to right) quicksort(array from left to last index) Quicksort has a reputation as the fastest sort. Optimized variants of quicksort are common features of many languages and libraries. One often contrasts quicksort with   merge sort,   because both sorts have an average time of   O(n log n). "On average, mergesort does fewer comparisons than quicksort, so it may be better when complicated comparison routines are used. Mergesort also takes advantage of pre-existing order, so it would be favored for using sort() to merge several sorted arrays. On the other hand, quicksort is often faster for small arrays, and on arrays of a few distinct values, repeated many times." — http://perldoc.perl.org/sort.html Quicksort is at one end of the spectrum of divide-and-conquer algorithms, with merge sort at the opposite end. Quicksort is a conquer-then-divide algorithm, which does most of the work during the partitioning and the recursive calls. The subsequent reassembly of the sorted partitions involves trivial effort. Merge sort is a divide-then-conquer algorithm. The partioning happens in a trivial way, by splitting the input array in half. Most of the work happens during the recursive calls and the merge phase. With quicksort, every element in the first partition is less than or equal to every element in the second partition. Therefore, the merge phase of quicksort is so trivial that it needs no mention! This task has not specified whether to allocate new arrays, or sort in place. This task also has not specified how to choose the pivot element. (Common ways to are to choose the first element, the middle element, or the median of three elements.) Thus there is a variety among the following implementations.
#ActionScript
ActionScript
function quickSort (array:Array):Array { if (array.length <= 1) return array;   var pivot:Number = array[Math.round(array.length / 2)];   return quickSort(array.filter(function (x:Number, index:int, array:Array):Boolean { return x < pivot; })).concat( array.filter(function (x:Number, index:int, array:Array):Boolean { return x == pivot; })).concat( quickSort(array.filter(function (x:Number, index:int, array:Array):Boolean { return x > pivot; }))); }
http://rosettacode.org/wiki/Sorting_algorithms/Patience_sort
Sorting algorithms/Patience sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Sort an array of numbers (of any convenient size) into ascending order using   Patience sorting. Related task   Longest increasing subsequence
#C.2B.2B
C++
#include <iostream> #include <vector> #include <stack> #include <iterator> #include <algorithm> #include <cassert>   template <class E> struct pile_less { bool operator()(const std::stack<E> &pile1, const std::stack<E> &pile2) const { return pile1.top() < pile2.top(); } };   template <class E> struct pile_greater { bool operator()(const std::stack<E> &pile1, const std::stack<E> &pile2) const { return pile1.top() > pile2.top(); } };     template <class Iterator> void patience_sort(Iterator first, Iterator last) { typedef typename std::iterator_traits<Iterator>::value_type E; typedef std::stack<E> Pile;   std::vector<Pile> piles; // sort into piles for (Iterator it = first; it != last; it++) { E& x = *it; Pile newPile; newPile.push(x); typename std::vector<Pile>::iterator i = std::lower_bound(piles.begin(), piles.end(), newPile, pile_less<E>()); if (i != piles.end()) i->push(x); else piles.push_back(newPile); }   // priority queue allows us to merge piles efficiently // we use greater-than comparator for min-heap std::make_heap(piles.begin(), piles.end(), pile_greater<E>()); for (Iterator it = first; it != last; it++) { std::pop_heap(piles.begin(), piles.end(), pile_greater<E>()); Pile &smallPile = piles.back(); *it = smallPile.top(); smallPile.pop(); if (smallPile.empty()) piles.pop_back(); else std::push_heap(piles.begin(), piles.end(), pile_greater<E>()); } assert(piles.empty()); }   int main() { int a[] = {4, 65, 2, -31, 0, 99, 83, 782, 1}; patience_sort(a, a+sizeof(a)/sizeof(*a)); std::copy(a, a+sizeof(a)/sizeof(*a), std::ostream_iterator<int>(std::cout, ", ")); std::cout << std::endl; return 0; }
http://rosettacode.org/wiki/Sorting_algorithms/Permutation_sort
Sorting algorithms/Permutation sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Implement a permutation sort, which proceeds by generating the possible permutations of the input array/list until discovering the sorted one. Pseudocode: while not InOrder(list) do nextPermutation(list) done
#Groovy
Groovy
def factorial = { (it > 1) ? (2..it).inject(1) { i, j -> i*j } : 1 }   def makePermutation; makePermutation = { list, i -> def n = list.size() if (n < 2) return list def fact = factorial(n-1) assert i < fact*n   def index = i.intdiv(fact) [list[index]] + makePermutation(list[0..<index] + list[(index+1)..<n], i % fact) }   def sorted = { a -> (1..<(a.size())).every { a[it-1] <= a[it] } }   def permutationSort = { a -> def n = a.size() def fact = factorial(n) def permuteA = makePermutation.curry(a) def pIndex = (0..<fact).find { print "."; sorted(permuteA(it)) } permuteA(pIndex) }
http://rosettacode.org/wiki/Sorting_algorithms/Pancake_sort
Sorting algorithms/Pancake sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array of integers (of any convenient size) into ascending order using Pancake sorting. In short, instead of individual elements being sorted, the only operation allowed is to "flip" one end of the list, like so: Before: 6 7 8 9 2 5 3 4 1 After: 9 8 7 6 2 5 3 4 1 Only one end of the list can be flipped; this should be the low end, but the high end is okay if it's easier to code or works better, but it must be the same end for the entire solution. (The end flipped can't be arbitrarily changed.) Show both the initial, unsorted list and the final sorted list. (Intermediate steps during sorting are optional.) Optimizations are optional (but recommended). Related tasks   Number reversal game   Topswops Also see   Wikipedia article:   pancake sorting.
#BBC_BASIC
BBC BASIC
DIM test(9) test() = 4, 65, 2, -31, 0, 99, 2, 83, 782, 1 PROCpancakesort(test()) FOR i% = 0 TO 9 PRINT test(i%) ; NEXT PRINT END   DEF PROCpancakesort(a()) LOCAL i%, j%, m% FOR i% = DIM(a(),1)+1 TO 2 STEP -1 m% = 0 FOR j% = 1 TO i%-1 IF a(j%) > a(m%) m% = j% NEXT m% += 1 IF m% < i% THEN IF m% > 1 PROCflip(a(), m%) PROCflip(a(), i%) ENDIF NEXT ENDPROC   DEF PROCflip(a(), n%) IF n% < 2 ENDPROC LOCAL i% n% -= 1 FOR i% = 0 TO n% DIV 2 SWAP a(i%), a(n%-i%) NEXT ENDPROC
http://rosettacode.org/wiki/Sorting_algorithms/Pancake_sort
Sorting algorithms/Pancake sort
Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Task Sort an array of integers (of any convenient size) into ascending order using Pancake sorting. In short, instead of individual elements being sorted, the only operation allowed is to "flip" one end of the list, like so: Before: 6 7 8 9 2 5 3 4 1 After: 9 8 7 6 2 5 3 4 1 Only one end of the list can be flipped; this should be the low end, but the high end is okay if it's easier to code or works better, but it must be the same end for the entire solution. (The end flipped can't be arbitrarily changed.) Show both the initial, unsorted list and the final sorted list. (Intermediate steps during sorting are optional.) Optimizations are optional (but recommended). Related tasks   Number reversal game   Topswops Also see   Wikipedia article:   pancake sorting.
#C
C
int pancake_sort(int *list, unsigned int length) { //If it's less than 2 long, just return it as sorting isn't really needed... if(length<2) return 0;   int i,a,max_num_pos,moves; moves=0;   for(i=length;i>1;i--) { //Find position of the max number in pos(0) to pos(i) max_num_pos=0; for(a=0;a<i;a++) { if(list[a]>list[max_num_pos]) max_num_pos=a; }   if(max_num_pos==i-1) //It's where it need to be, skip continue;     //Get the found max number to the beginning of the list (unless it already is) if(max_num_pos) { moves++; do_flip(list, length, max_num_pos+1); }     //And then move it to the end of the range we're working with (pos(0) to pos(i)) moves++; do_flip(list, length, i);   //Then everything above list[i-1] is sorted and don't need to be touched   }   return moves; }
http://rosettacode.org/wiki/Special_characters
Special characters
Special characters are symbols (single characters or sequences of characters) that have a "special" built-in meaning in the language and typically cannot be used in identifiers. Escape sequences are methods that the language uses to remove the special meaning from the symbol, enabling it to be used as a normal character, or sequence of characters when this can be done. Task List the special characters and show escape sequences in the language. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Python
Python
$ Item @ Positional  % Associative & Callable
http://rosettacode.org/wiki/Special_characters
Special characters
Special characters are symbols (single characters or sequences of characters) that have a "special" built-in meaning in the language and typically cannot be used in identifiers. Escape sequences are methods that the language uses to remove the special meaning from the symbol, enabling it to be used as a normal character, or sequence of characters when this can be done. Task List the special characters and show escape sequences in the language. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Quackery
Quackery
$ Item @ Positional  % Associative & Callable
http://rosettacode.org/wiki/Special_characters
Special characters
Special characters are symbols (single characters or sequences of characters) that have a "special" built-in meaning in the language and typically cannot be used in identifiers. Escape sequences are methods that the language uses to remove the special meaning from the symbol, enabling it to be used as a normal character, or sequence of characters when this can be done. Task List the special characters and show escape sequences in the language. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Racket
Racket
$ Item @ Positional  % Associative & Callable