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/Abundant_odd_numbers
Abundant odd numbers
An Abundant number is a number n for which the   sum of divisors   σ(n) > 2n, or,   equivalently,   the   sum of proper divisors   (or aliquot sum)       s(n) > n. E.G. 12   is abundant, it has the proper divisors     1,2,3,4 & 6     which sum to   16   ( > 12 or n);        or alternately,   has the sigma sum of   1,2,3,4,6 & 12   which sum to   28   ( > 24 or 2n). Abundant numbers are common, though even abundant numbers seem to be much more common than odd abundant numbers. To make things more interesting, this task is specifically about finding   odd abundant numbers. Task Find and display here: at least the first 25 abundant odd numbers and either their proper divisor sum or sigma sum. Find and display here: the one thousandth abundant odd number and either its proper divisor sum or sigma sum. Find and display here: the first abundant odd number greater than one billion (109) and either its proper divisor sum or sigma sum. References   OEIS:A005231: Odd abundant numbers (odd numbers n whose sum of divisors exceeds 2n)   American Journal of Mathematics, Vol. 35, No. 4 (Oct., 1913), pp. 413-422 - Finiteness of the Odd Perfect and Primitive Abundant Numbers with n Distinct Prime Factors (LE Dickson)
#Pascal
Pascal
  program AbundantOddNumbers; {$IFDEF FPC} {$MODE DELPHI}{$OPTIMIZATION ON,ALL}{$CODEALIGN proc=16}{$ALIGN 16} {$ELSE} {$APPTYPE CONSOLE} {$ENDIF} {geeksforgeeks * 1100 = 2^2*5^2*11^1 (2^0 + 2^1 + 2^2) * (5^0 + 5^1 + 5^2) * (11^0 + 11^1) (upto the power of factor in factorization i.e. power of 2 and 5 is 2 and 11 is 1.) = (1 + 2 + 2^2) * (1 + 5 + 5^2) * (1 + 11) = 7 * 31 * 12 = 2604 So, sum of all factors of 1100 = 2604 } uses SysUtils; var //all primes < 2^16=65536 primes : array[0..6541] of Word;   procedure InitPrimes; //sieve of erathotenes var p : array[word] of byte; i,j : NativeInt; Begin fillchar(p,SizeOf(p),#0); p[0] := 1; p[1] := 1; For i := 2 to high(p) do if p[i] = 0 then begin j := i*i; IF j>high(p) then BREAK; while j <= High(p) do begin p[j] := 1; inc(j,i); end; end; j := 0; For i := 2 to high(p) do IF p[i] = 0 then Begin primes[j] := i; inc(j); end; end;   function PotToString(N: NativeUint):String; var pN,pr,PowerPr,rest : NativeUint; begin pN := 0; //starting at 2; Result := ''; repeat pr := primes[pN]; rest := N div pr; if rest < pr then BREAK; //same as N MOD PR = 0 if rest*pr = N then begin result := result+IntToStr(pr); N := rest; rest := N div pr; PowerPr := 1; while rest*pr = N do begin inc(PowerPr); N := rest; rest := N div pr; end; if PowerPr > 1 then result := result+'^'+IntToStr(PowerPr); if N > 1 then result := result +'*'; end; inc(pN); until pN > High(Primes); //is there a last prime factor of N if N <> 1 then result := result+IntToStr(N); end;   function OutNum(N: NativeUint):string; Begin result := Format('%10u= %s', [N,PotToString(N)]); end;   function SumProperDivisors(N: NativeUint): NativeUint; var pN,pr,PowerPr,SumOfPower,rest,N0 : NativeUint; begin N0 := N; pN := 0; //starting at 2; Result := 1; repeat pr := primes[pN]; rest := N div pr; if rest < pr then BREAK; //same as N MOD PR = 0 if rest*pr = N then begin // IF pr=5 then break; // IF pr=7 then break; PowerPr := 1; SumOfPower:= 1; repeat PowerPr := PowerPr*pr; inc(SumOfPower,PowerPr); N := rest; rest := N div pr; until N <> rest*pr; result := result*SumOfPower; end; inc(pN); until pN > High(Primes); //is there a last prime factor of N if N <> 1 then result := result*(N+1); result := result-N0; end;   var C, N,N0,k: Cardinal; begin InitPrimes;   k := High(k); N := 1; N0 := N; C := 0; while C < 25 do begin inc(N, 2); if N < SumProperDivisors(N) then begin Inc(C); WriteLn(Format('%5u: %s', [C,OutNum(N)])); IF k > N-N0 then k := N-N0; N0 := N; end; end; Writeln(' Min Delta ',k); writeln;   while C < 1000 do begin Inc(N, 2); if N < SumProperDivisors(N) then Begin Inc(C); IF k > N-N0 then k := N-N0; N0 := N; end; end; WriteLn(' 1000: ',OutNum(N)); Writeln(' Min Delta ',k); writeln;   while C < 10000 do begin Inc(N, 2); if N < SumProperDivisors(N) then Begin Inc(C); IF k > N-N0 then k := N-N0; N0 := N; end; end; WriteLn('10000: ',OutNum(N)); Writeln(' Min Delta ',k);   N := 1000000001; while N >= SumProperDivisors(N) do Inc(N, 2); WriteLn('The first abundant odd number above one billion is: ',OutNum(N)); end.
http://rosettacode.org/wiki/21_game
21 game
21 game You are encouraged to solve this task according to the task description, using any language you may know. 21 is a two player game, the game is played by choosing a number (1, 2, or 3) to be added to the running total. The game is won by the player whose chosen number causes the running total to reach exactly 21. The running total starts at zero. One player will be the computer. Players alternate supplying a number to be added to the running total. Task Write a computer program that will: do the prompting (or provide a button menu), check for errors and display appropriate error messages, do the additions (add a chosen number to the running total), display the running total, provide a mechanism for the player to quit/exit/halt/stop/close the program, issue a notification when there is a winner, and determine who goes first (maybe a random or user choice, or can be specified when the game begins).
#F.23
F#
  type Player = | Computer | Person type Play = {runningTotal:int; nextTurn:Player} type Win = | ByExact of Player | ByOtherExceeded of Player type Status = | Start | Playing of Play | Winner of Win | Exit   let rnd = System.Random () let randomFirstPlayer () = let selection = rnd.Next 2 if selection = 0 then Computer else Person let computerChose current = if current > 17 then 21-current // win strategy else if current > 13 && current < 17 then 17-current // naive thwart opponent strategy else rnd.Next(1, (min 4 (21-current+1)))   let (|Exact|Exceeded|Under|) i = if i = 21 then Exact else if i > 21 then Exceeded else Under let (|ValidNumber|InvalidInput|Quit|) (s:string) = let trimmed = s.Trim().ToLower() if trimmed = "1" || trimmed = "2" || trimmed = "3" then ValidNumber else if trimmed = "q" then Quit else InvalidInput   let readable = function | Computer -> "Computer is" | Person -> "You are"   let rec looper = function | Start -> let firstPlayer = randomFirstPlayer () printfn $"{readable firstPlayer} randomly selected to go first." looper (Playing {runningTotal=0; nextTurn=firstPlayer}) | Playing play -> match play with | {runningTotal=Exact; nextTurn=Person} -> looper (Winner (ByExact Computer)) | {runningTotal=Exact; nextTurn=Computer} -> looper (Winner (ByExact Person)) | {runningTotal=Exceeded; nextTurn=player} -> looper (Winner (ByOtherExceeded player)) | {runningTotal=r; nextTurn=player} -> match player with | Computer -> let computerChoice = computerChose r let total = r+computerChoice printfn $"Computer entered {computerChoice}. Current total now: {total}." looper (Playing {runningTotal=total; nextTurn=Person}) | Person -> let input = printf "Enter number 1, 2, or 3 (or q to exit): "; System.Console.ReadLine () match input with | ValidNumber -> let playerChoice = System.Int32.Parse input let total = r+playerChoice printfn $"Player entered {playerChoice}. Current total now: {total}." looper (Playing {runningTotal=total; nextTurn=Computer}) | Quit -> looper Exit | InvalidInput -> printfn "Invalid input. Try again."; looper (Playing play) | Winner win -> match win with | ByExact player -> printfn $"{readable player} the winner by getting to 21."; looper Exit | ByOtherExceeded player -> printfn $"{readable player} the winner by not exceeding 21."; looper Exit | Exit -> printfn "Thanks for playing!"   let run () = looper Start  
http://rosettacode.org/wiki/24_game/Solve
24 game/Solve
task Write a program that takes four digits, either from user input or by random generation, and computes arithmetic expressions following the rules of the 24 game. Show examples of solutions generated by the program. Related task   Arithmetic Evaluator
#ARM_Assembly
ARM Assembly
  /* ARM assembly Raspberry PI */ /* program game24Solver.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" .equ STDIN, 0 @ Linux input console .equ READ, 3 @ Linux syscall .equ NBDIGITS, 4 @ digits number .equ TOTAL, 24 .equ BUFFERSIZE, 80   /*********************************/ /* Initialized data */ /*********************************/ .data szMessRules: .ascii "24 Game\n" .ascii "The program will display four randomly-generated \n" .asciz "single-digit numbers and search a solution for a total to 24\n\n"   szMessDigits: .asciz "The four digits are @ @ @ @ and the score is 24. \n" szMessOK: .asciz "Solution : \n" szMessNotOK: .asciz "No solution for this problem !! \n" szMessNewGame: .asciz "New game (y/n) ? \n" szCarriageReturn: .asciz "\n" .align 4 iGraine: .int 123456 /*********************************/ /* UnInitialized data */ /*********************************/ .bss .align 4 sZoneConv: .skip 24 sBuffer: .skip BUFFERSIZE iTabDigit: .skip 4 * NBDIGITS @ digits table iTabOperand1: .skip 4 * NBDIGITS @ operand 1 table iTabOperand2: .skip 4 * NBDIGITS @ operand 2 table iTabOperation: .skip 4 * NBDIGITS @ operator table /*********************************/ /* code section */ /*********************************/ .text .global main main: @ entry of program   ldr r0,iAdrszMessRules @ display rules bl affichageMess 1: mov r3,#0 ldr r12,iAdriTabDigit ldr r5,iAdrszMessDigits 2: @ loop generate random digits mov r0,#8 bl genereraleas add r0,r0,#1 str r0,[r12,r3,lsl #2] @ store in table ldr r1,iAdrsZoneConv bl conversion10 @ call decimal conversion mov r2,#0 strb r2,[r1,r0] @ reduce size display area with zéro final mov r0,r5 ldr r1,iAdrsZoneConv @ insert conversion in message bl strInsertAtCharInc mov r5,r0 add r3,r3,#1 cmp r3,#NBDIGITS @ end ? blt 2b @ no -> loop mov r0,r5 bl affichageMess   mov r0,#0 @ start leval mov r1,r12 @ address digits table bl searchSoluce cmp r0,#-1 @ solution ? bne 3f @ no ldr r0,iAdrszMessOK bl affichageMess bl writeSoluce @ yes -> write solution in buffer ldr r0,iAdrsBuffer @ and display buffer bl affichageMess b 10f 3: @ display message no solution ldr r0,iAdrszMessNotOK bl affichageMess     10: @ display new game ? ldr r0,iAdrszCarriageReturn bl affichageMess ldr r0,iAdrszMessNewGame bl affichageMess bl saisie cmp r0,#'y' beq 1b cmp r0,#'Y' beq 1b   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 iAdrszMessRules: .int szMessRules iAdrszMessDigits: .int szMessDigits iAdrszMessNotOK: .int szMessNotOK iAdrszMessOK: .int szMessOK iAdrszMessNewGame: .int szMessNewGame iAdrsZoneConv: .int sZoneConv iAdriTabDigit: .int iTabDigit /******************************************************************/ /* recherche solution */ /******************************************************************/ /* r0 level */ /* r1 table value address */ /* r0 return -1 if ok */ searchSoluce: push {r1-r12,lr} @ save registers sub sp,#4* NBDIGITS @ reserve size new digits table mov fp,sp @ frame pointer = address stack mov r10,r1 @ save table add r9,r0,#1 @ new level rsb r3,r9,#NBDIGITS @ last element digits table ldr r4,[r1,r3,lsl #2] @ load last element cmp r4,#TOTAL @ equal to total to search ? bne 0f @ no cmp r9,#NBDIGITS @ all digits are used ? bne 0f @ no mov r0,#-1 @ yes -> it is ok -> end b 100f 0: mov r5,#0 @ indice loop 1 1: @ begin loop 1 cmp r5,r3 bge 9f ldr r4,[r10,r5,lsl #2] @ load first operand ldr r8,iAdriTabOperand1 str r4,[r8,r9,lsl #2] @ and store in operand1 table add r6,r5,#1 @ indice loop 2 2: @ begin loop 2 cmp r6,r3 bgt 8f ldr r12,[r10,r6,lsl #2] @ load second operand ldr r8,iAdriTabOperand2 str r12,[r8,r9,lsl #2] @ and store in operand2 table mov r7,#0 @ k mov r8,#0 @ n 3: cmp r7,r5 beq 4f cmp r7,r6 beq 4f ldr r0,[r10,r7,lsl #2] @ copy other digits in new table on stack str r0,[fp,r8,lsl #2] add r8,r8,#1 4: add r7,r7,#1 cmp r7,r3 ble 3b   add r7,r4,r12 @ addition test str r7,[fp,r8,lsl #2] @ store result of addition mov r7,#'+' ldr r0,iAdriTabOperation str r7,[r0,r9,lsl #2] @ store operator mov r0,r9 @ pass new level mov r1,fp @ pass new table address on stack bl searchSoluce cmp r0,#0 blt 100f @ soustraction test cmp r4,r12 subgt r7,r4,r12 suble r7,r12,r4 str r7,[fp,r8,lsl #2] mov r7,#'-' ldr r0,iAdriTabOperation str r7,[r0,r9,lsl #2] mov r0,r9 mov r1,fp bl searchSoluce cmp r0,#0 blt 100f   mul r7,r4,r12 @ multiplication test str r7,[fp,r8,lsl #2] mov r7,#'*' //vidregtit mult ldr r0,iAdriTabOperation str r7,[r0,r9,lsl #2] mov r0,r9 mov r1,fp bl searchSoluce cmp r0,#0 blt 100f 5: @ division test push {r1-r3} mov r0,r4 mov r1,r12 bl division // mov r7,r9 cmp r3,#0 bne 6f str r2,[fp,r8,lsl #2] mov r7,#'/' ldr r0,iAdriTabOperation str r7,[r0,r9,lsl #2] mov r0,r9 mov r1,fp bl searchSoluce b 7f 6: mov r0,r12 mov r1,r4 bl division cmp r3,#0 bne 7f str r2,[fp,r8,lsl #2] mov r7,#'/' ldr r0,iAdriTabOperation str r7,[r0,r9,lsl #2] mov r0,r9 mov r1,fp bl searchSoluce 7: pop {r1-r3} cmp r0,#0 blt 100f   add r6,r6,#1 @ increment indice loop 2 b 2b   8: add r5,r5,#1 @ increment indice loop 1 b 1b 9:   100: add sp,#4* NBDIGITS @ stack alignement pop {r1-r12,lr} bx lr @ return iAdriTabOperand1: .int iTabOperand1 iAdriTabOperand2: .int iTabOperand2 iAdriTabOperation: .int iTabOperation /******************************************************************/ /* write solution */ /******************************************************************/ writeSoluce: push {r1-r12,lr} @ save registers ldr r6,iAdriTabOperand1 ldr r7,iAdriTabOperand2 ldr r8,iAdriTabOperation ldr r10,iAdrsBuffer mov r4,#0 @ buffer indice mov r9,#1 1: ldr r5,[r6,r9,lsl #2] @ operand 1 ldr r11,[r7,r9,lsl #2] @ operand 2 ldr r12,[r8,r9,lsl #2] @ operator cmp r12,#'-' beq 2f cmp r12,#'/' beq 2f b 3f 2: @ if division or soustraction cmp r5,r11 @ reverse operand if operand 1 is < operand 2 movlt r2,r5 movlt r5,r11 movlt r11,r2 3: @ conversion operand 1 = r0 mov r0,r5 mov r1,#10 bl division cmp r2,#0 addne r2,r2,#0x30 strneb r2,[r10,r4] addne r4,r4,#1 add r3,r3,#0x30 strb r3,[r10,r4] add r4,r4,#1 ldr r2,[r7,r9,lsl #2]   strb r12,[r10,r4] @ operator add r4,r4,#1   mov r0,r11 @ conversion operand 2 mov r1,#10 bl division cmp r2,#0 addne r2,r2,#0x30 strneb r2,[r10,r4] addne r4,r4,#1 add r3,r3,#0x30 strb r3,[r10,r4] add r4,r4,#1   mov r0,#'=' str r0,[r10,r4] @ conversion sous total add r4,r4,#1 cmp r12,#'+' addeq r0,r5,r11 cmp r12,#'-' subeq r0,r5,r11 cmp r12,#'*' muleq r0,r5,r11 cmp r12,#'/' udiveq r0,r5,r11   mov r1,#10 bl division cmp r2,#0 addne r2,r2,#0x30 strneb r2,[r10,r4] addne r4,r4,#1 add r3,r3,#0x30 strb r3,[r10,r4] add r4,r4,#1 mov r0,#'\n' str r0,[r10,r4] add r4,r4,#1   add r9,#1 cmp r9,#NBDIGITS blt 1b mov r1,#0 strb r1,[r10,r4] @ store 0 final   100: pop {r1-r12,lr} bx lr @ return iAdrsBuffer: .int sBuffer   /******************************************************************/ /* string entry */ /******************************************************************/ /* r0 return the first character of human entry */ saisie: push {r1-r7,lr} @ save registers mov r0,#STDIN @ Linux input console ldr r1,iAdrsBuffer @ buffer address mov r2,#BUFFERSIZE @ buffer size mov r7,#READ @ request to read datas svc 0 @ call system ldr r1,iAdrsBuffer @ buffer address ldrb r0,[r1] @ load first character 100: pop {r1-r7,lr} bx lr @ return /***************************************************/ /* Generation random number */ /***************************************************/ /* r0 contains limit */ genereraleas: push {r1-r4,lr} @ save registers ldr r4,iAdriGraine ldr r2,[r4] ldr r3,iNbDep1 mul r2,r3,r2 ldr r3,iNbDep2 add r2,r2,r3 str r2,[r4] @ maj de la graine pour l appel suivant cmp r0,#0 beq 100f add r1,r0,#1 @ divisor mov r0,r2 @ dividende bl division mov r0,r3 @ résult = remainder   100: @ end function pop {r1-r4,lr} @ restaur registers bx lr @ return /*****************************************************/ iAdriGraine: .int iGraine iNbDep1: .int 0x343FD iNbDep2: .int 0x269EC3 /***************************************************/ /* ROUTINES INCLUDE */ /***************************************************/ .include "../affichage.inc"    
http://rosettacode.org/wiki/4-rings_or_4-squares_puzzle
4-rings or 4-squares puzzle
4-rings or 4-squares puzzle You are encouraged to solve this task according to the task description, using any language you may know. Task Replace       a, b, c, d, e, f,   and   g       with the decimal digits   LOW   ───►   HIGH such that the sum of the letters inside of each of the four large squares add up to the same sum. ╔══════════════╗ ╔══════════════╗ ║ ║ ║ ║ ║ a ║ ║ e ║ ║ ║ ║ ║ ║ ┌───╫──────╫───┐ ┌───╫─────────┐ ║ │ ║ ║ │ │ ║ │ ║ │ b ║ ║ d │ │ f ║ │ ║ │ ║ ║ │ │ ║ │ ║ │ ║ ║ │ │ ║ │ ╚══════════╪═══╝ ╚═══╪══════╪═══╝ │ │ c │ │ g │ │ │ │ │ │ │ │ │ └──────────────┘ └─────────────┘ Show all output here.   Show all solutions for each letter being unique with LOW=1 HIGH=7   Show all solutions for each letter being unique with LOW=3 HIGH=9   Show only the   number   of solutions when each letter can be non-unique LOW=0 HIGH=9 Related task Solve the no connection puzzle
#Groovy
Groovy
class FourRings { static void main(String[] args) { fourSquare(1, 7, true, true) fourSquare(3, 9, true, true) fourSquare(0, 9, false, false) }   private static void fourSquare(int low, int high, boolean unique, boolean print) { int count = 0   if (print) { println("a b c d e f g") } for (int a = low; a <= high; ++a) { for (int b = low; b <= high; ++b) { if (notValid(unique, a, b)) continue   int fp = a + b for (int c = low; c <= high; ++c) { if (notValid(unique, c, a, b)) continue for (int d = low; d <= high; ++d) { if (notValid(unique, d, a, b, c)) continue if (fp != b + c + d) continue   for (int e = low; e <= high; ++e) { if (notValid(unique, e, a, b, c, d)) continue for (int f = low; f <= high; ++f) { if (notValid(unique, f, a, b, c, d, e)) continue if (fp != d + e + f) continue   for (int g = low; g <= high; ++g) { if (notValid(unique, g, a, b, c, d, e, f)) continue if (fp != f + g) continue   ++count if (print) { printf("%d %d %d %d %d %d %d%n", a, b, c, d, e, f, g) } } } } } } } } if (unique) { printf("There are %d unique solutions in [%d, %d]%n", count, low, high) } else { printf("There are %d non-unique solutions in [%d, %d]%n", count, low, high) } }   private static boolean notValid(boolean unique, int needle, int ... haystack) { return unique && Arrays.stream(haystack).anyMatch({ p -> p == needle }) } }
http://rosettacode.org/wiki/99_bottles_of_beer
99 bottles of beer
Task Display the complete lyrics for the song:     99 Bottles of Beer on the Wall. The beer song The lyrics follow this form: 99 bottles of beer on the wall 99 bottles of beer Take one down, pass it around 98 bottles of beer on the wall 98 bottles of beer on the wall 98 bottles of beer Take one down, pass it around 97 bottles of beer on the wall ... and so on, until reaching   0     (zero). Grammatical support for   1 bottle of beer   is optional. As with any puzzle, try to do it in as creative/concise/comical a way as possible (simple, obvious solutions allowed, too). 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 See also   http://99-bottles-of-beer.net/   Category:99_Bottles_of_Beer   Category:Programming language families   Wikipedia 99 bottles of beer
#11l
11l
L(i) (99..1).step(-1) print(i‘ bottles of beer on the wall’) print(i‘ bottles of beer’) print(‘Take one down, pass it around’) print((i - 1)" bottles of beer on the wall\n")
http://rosettacode.org/wiki/24_game
24 game
The 24 Game tests one's mental arithmetic. Task Write a program that randomly chooses and displays four digits, each from 1 ──► 9 (inclusive) with repetitions allowed. The program should prompt for the player to enter an arithmetic expression using just those, and all of those four digits, used exactly once each. The program should check then evaluate the expression. The goal is for the player to enter an expression that (numerically) evaluates to 24. Only the following operators/functions are allowed: multiplication, division, addition, subtraction Division should use floating point or rational arithmetic, etc, to preserve remainders. Brackets are allowed, if using an infix expression evaluator. Forming multiple digit numbers from the supplied digits is disallowed. (So an answer of 12+12 when given 1, 2, 2, and 1 is wrong). The order of the digits when given does not have to be preserved. Notes The type of expression evaluator used is not mandated. An RPN evaluator is equally acceptable for example. The task is not for the program to generate the expression, or test whether an expression is even possible. Related tasks 24 game/Solve Reference The 24 Game on h2g2.
#Argile
Argile
use std, array, list   do generate random digits show random digits let result = parse expression (get input line) if result != ERROR if some digits are unused print "Wrong ! (you didn't use all digits)" ; failure++ else if result == 24.0 print "Correct !" ; success++ else print "Wrong ! (you got "result")" ; failure++ while play again ? print "success:"success" failure:"failure" total:"(success+failure) as int   let success = 0, failure = 0.   .: generate random digits :. our nat seed = 0xc6f31 (: default seed when /dev/urandom doesn't exist :) let urandom = fopen "/dev/urandom" "r" if urandom isn't nil fread &seed size of seed 1 urandom fclose urandom Cfunc srandom seed seed = (Cfunc random) as nat for each (val int d) from 0 to 3 digits[d] = '1' + (seed % 9) seed /= 9   let digits be an array of 4 byte   .: show random digits :. print "Enter an expression that equates to 24 using only all these digits:" printf "%c , %c , %c , %c\n"(digits[0])(digits[1])(digits[2])(digits[3]) printf "24 = "   .: some digits are unused :. -> bool for each (val int d) from 0 to 3 return true if digits[d] != '\0' false   .: get input line :. -> text our array of 64 byte line Cfunc fgets (line) (size of line) (stdin) let int i for (i = 0) (line[i] != 0) (i++) line[i] = '\0' if (line[i] == '\n') line as text   .: play again ? :. -> bool while true printf "Play again ? (y/n) " ; Cfunc fflush stdout let answer = get input line switch answer[0] case 'n' {return false} case 'y' {return true } default {continue } false   =: ERROR := -> real {-32202.0}   .: parse expression <text expr> :. -> real let x = 0.0, x_is_set = false, op = ' '. let stack be a list of State ; class State {byte op; real x} for (stack = nil) (*expr != 0) (expr++) switch *expr case '+' ; case '-' ; case '*' ; case '/' error "bad syntax" if not x_is_set op = *expr case '1' ; case '2' ; case '3' ; case '4' ; case '5' case '6' ; case '7' ; case '8' ; case '9' error "missing operator" if (x_is_set and op == ' ') error "unavailable digit" unless consume digit expr[0] do operation with (expr[0] - '0') as real case (Cgen "'('") error "missing operator" if (op == ' ' but x_is_set) (new list (new State) (code of del State())) << stack op = ' ' ; x_is_set = false (: start fresh state :) case (Cgen "')'") error "mismatched parenthesis" if stack is nil error "wrong syntax" if not x_is_set let y = x x = stack.data.x ; op = stack.data.op delete pop stack do operation with y default {error "disallowed character"}   .:new State  :. -> State {let s=new(State); s.x=x; s.op=op; s} .:del State <State s>:. { free s } .:do operation with <real y>:. switch op case '+' {x += y} case '-' {x -= y} case '*' {x *= y} case '/' {x /= y} default {x = y; x_is_set = true} op = ' ' =:error<text msg>:= ->real {eprint "Error: "msg" at ["expr"]";return ERROR} .:consume digit <byte b>:. -> bool for each (val int d) from 0 to 3 if digits[d] == b digits[d] = '\0' return true false   if stack isn't nil delete all stack error "unclosed parenthesis" return x  
http://rosettacode.org/wiki/9_billion_names_of_God_the_integer
9 billion names of God the integer
This task is a variation of the short story by Arthur C. Clarke. (Solvers should be aware of the consequences of completing this task.) In detail, to specify what is meant by a   “name”: The integer 1 has 1 name     “1”. The integer 2 has 2 names   “1+1”,   and   “2”. The integer 3 has 3 names   “1+1+1”,   “2+1”,   and   “3”. The integer 4 has 5 names   “1+1+1+1”,   “2+1+1”,   “2+2”,   “3+1”,   “4”. The integer 5 has 7 names   “1+1+1+1+1”,   “2+1+1+1”,   “2+2+1”,   “3+1+1”,   “3+2”,   “4+1”,   “5”. Task Display the first 25 rows of a number triangle which begins: 1 1 1 1 1 1 1 2 1 1 1 2 2 1 1 1 3 3 2 1 1 Where row   n {\displaystyle n}   corresponds to integer   n {\displaystyle n} ,   and each column   C {\displaystyle C}   in row   m {\displaystyle m}   from left to right corresponds to the number of names beginning with   C {\displaystyle C} . A function   G ( n ) {\displaystyle G(n)}   should return the sum of the   n {\displaystyle n} -th   row. Demonstrate this function by displaying:   G ( 23 ) {\displaystyle G(23)} ,   G ( 123 ) {\displaystyle G(123)} ,   G ( 1234 ) {\displaystyle G(1234)} ,   and   G ( 12345 ) {\displaystyle G(12345)} . Optionally note that the sum of the   n {\displaystyle n} -th   row   P ( n ) {\displaystyle P(n)}   is the     integer partition function. Demonstrate this is equivalent to   G ( n ) {\displaystyle G(n)}   by displaying:   P ( 23 ) {\displaystyle P(23)} ,   P ( 123 ) {\displaystyle P(123)} ,   P ( 1234 ) {\displaystyle P(1234)} ,   and   P ( 12345 ) {\displaystyle P(12345)} . Extra credit If your environment is able, plot   P ( n ) {\displaystyle P(n)}   against   n {\displaystyle n}   for   n = 1 … 999 {\displaystyle n=1\ldots 999} . Related tasks Partition function P
#PARI.2FGP
PARI/GP
row(n)=my(v=vector(n)); forpart(i=n,v[i[#i]]++); v; show(n)=for(k=1,n,print(row(k))); show(25) apply(numbpart, [23,123,1234,12345]) plot(x=1,999.9, numbpart(x\1))
http://rosettacode.org/wiki/A%2BB
A+B
A+B   ─── a classic problem in programming contests,   it's given so contestants can gain familiarity with the online judging system being used. Task Given two integers,   A and B. Their sum needs to be calculated. Input data Two integers are written in the input stream, separated by space(s): ( − 1000 ≤ A , B ≤ + 1000 ) {\displaystyle (-1000\leq A,B\leq +1000)} Output data The required output is one integer:   the sum of A and B. Example input   output   2 2 4 3 2 5
#AutoHotkey
AutoHotkey
Gui, Add, Edit, vEdit ;Enter your A+B, i.e. 5+3 or 5+3+1+4+6+2 Gui, Add, Button, gAdd, Add Gui, Add, Edit, ReadOnly x+10 w80 Gui, Show return   Add: Gui, Submit, NoHide Loop, Parse, Edit, + ;its taking each substring separated by "+" and its storing it in A_LoopField var += A_LoopField ;here its adding it to var GuiControl, Text, Edit2, %var% ;here it displays var in the second edit control var := 0 ;here it makes sure var is 0 so it won't contain the value from the previous addition return
http://rosettacode.org/wiki/Ackermann_function
Ackermann function
The Ackermann function is a classic example of a recursive function, notable especially because it is not a primitive recursive function. It grows very quickly in value, as does the size of its call tree. The Ackermann function is usually defined as follows: A ( m , n ) = { n + 1 if  m = 0 A ( m − 1 , 1 ) if  m > 0  and  n = 0 A ( m − 1 , A ( m , n − 1 ) ) if  m > 0  and  n > 0. {\displaystyle A(m,n)={\begin{cases}n+1&{\mbox{if }}m=0\\A(m-1,1)&{\mbox{if }}m>0{\mbox{ and }}n=0\\A(m-1,A(m,n-1))&{\mbox{if }}m>0{\mbox{ and }}n>0.\end{cases}}} Its arguments are never negative and it always terminates. Task Write a function which returns the value of A ( m , n ) {\displaystyle A(m,n)} . Arbitrary precision is preferred (since the function grows so quickly), but not required. See also Conway chained arrow notation for the Ackermann function.
#Shen
Shen
(define ack 0 N -> (+ N 1) M 0 -> (ack (- M 1) 1) M N -> (ack (- M 1) (ack M (- N 1))))
http://rosettacode.org/wiki/Abbreviations,_automatic
Abbreviations, automatic
The use of   abbreviations   (also sometimes called synonyms, nicknames, AKAs, or aliases)   can be an easy way to add flexibility when specifying or using commands, sub─commands, options, etc. It would make a list of words easier to maintain   (as words are added, changed, and/or deleted)   if the minimum abbreviation length of that list could be automatically (programmatically) determined. For this task, use the list (below) of the days-of-the-week names that are expressed in about a hundred languages   (note that there is a blank line in the list). Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sondag Maandag Dinsdag Woensdag Donderdag Vrydag Saterdag E_djelë E_hënë E_martë E_mërkurë E_enjte E_premte E_shtunë Ehud Segno Maksegno Erob Hamus Arbe Kedame Al_Ahad Al_Ithinin Al_Tholatha'a Al_Arbia'a Al_Kamis Al_Gomia'a Al_Sabit Guiragui Yergou_shapti Yerek_shapti Tchorek_shapti Hink_shapti Ourpat Shapat domingu llunes martes miércoles xueves vienres sábadu Bazar_gÜnÜ Birinci_gÜn Çkinci_gÜn ÜçÜncÜ_gÜn DÖrdÜncÜ_gÜn Bes,inci_gÜn Altòncò_gÜn Igande Astelehen Astearte Asteazken Ostegun Ostiral Larunbat Robi_bar Shom_bar Mongal_bar Budhh_bar BRihashpati_bar Shukro_bar Shoni_bar Nedjelja Ponedeljak Utorak Srijeda Cxetvrtak Petak Subota Disul Dilun Dimeurzh Dimerc'her Diriaou Digwener Disadorn nedelia ponedelnik vtornik sriada chetvartak petak sabota sing_kei_yaht sing_kei_yat sing_kei_yee sing_kei_saam sing_kei_sie sing_kei_ng sing_kei_luk Diumenge Dilluns Dimarts Dimecres Dijous Divendres Dissabte Dzeenkk-eh Dzeehn_kk-ehreh Dzeehn_kk-ehreh_nah_kay_dzeeneh Tah_neesee_dzeehn_neh Deehn_ghee_dzee-neh Tl-oowey_tts-el_dehlee Dzeentt-ahzee dy_Sul dy_Lun dy_Meurth dy_Mergher dy_You dy_Gwener dy_Sadorn Dimanch Lendi Madi Mèkredi Jedi Vandredi Samdi nedjelja ponedjeljak utorak srijeda cxetvrtak petak subota nede^le ponde^lí úterÿ str^eda c^tvrtek pátek sobota Sondee Mondee Tiisiday Walansedee TOOsedee Feraadee Satadee s0ndag mandag tirsdag onsdag torsdag fredag l0rdag zondag maandag dinsdag woensdag donderdag vrijdag zaterdag Diman^co Lundo Mardo Merkredo ^Jaùdo Vendredo Sabato pÜhapäev esmaspäev teisipäev kolmapäev neljapäev reede laupäev Diu_prima Diu_sequima Diu_tritima Diu_quartima Diu_quintima Diu_sextima Diu_sabbata sunnudagur mánadagur tÿsdaguy mikudagur hósdagur friggjadagur leygardagur Yek_Sham'beh Do_Sham'beh Seh_Sham'beh Cha'har_Sham'beh Panj_Sham'beh Jom'eh Sham'beh sunnuntai maanantai tiistai keskiviiko torsktai perjantai lauantai dimanche lundi mardi mercredi jeudi vendredi samedi Snein Moandei Tiisdei Woansdei Tonersdei Freed Sneon Domingo Segunda_feira Martes Mércores Joves Venres Sábado k'vira orshabati samshabati otkhshabati khutshabati p'arask'evi shabati Sonntag Montag Dienstag Mittwoch Donnerstag Freitag Samstag Kiriaki' Defte'ra Tri'ti Teta'rti Pe'mpti Paraskebi' Sa'bato ravivaar somvaar mangalvaar budhvaar guruvaar shukravaar shanivaar pópule pó`akahi pó`alua pó`akolu pó`ahá pó`alima pó`aono Yom_rishon Yom_sheni Yom_shlishi Yom_revi'i Yom_chamishi Yom_shishi Shabat ravivara somavar mangalavar budhavara brahaspativar shukravara shanivar vasárnap hétfö kedd szerda csütörtök péntek szombat Sunnudagur Mánudagur ╞riδjudagur Miδvikudagar Fimmtudagur FÖstudagur Laugardagur sundio lundio mardio merkurdio jovdio venerdio saturdio Minggu Senin Selasa Rabu Kamis Jumat Sabtu Dominica Lunedi Martedi Mercuridi Jovedi Venerdi Sabbato Dé_Domhnaigh Dé_Luain Dé_Máirt Dé_Ceadaoin Dé_ardaoin Dé_hAoine Dé_Sathairn domenica lunedí martedí mercoledí giovedí venerdí sabato Nichiyou_bi Getzuyou_bi Kayou_bi Suiyou_bi Mokuyou_bi Kin'you_bi Doyou_bi Il-yo-il Wol-yo-il Hwa-yo-il Su-yo-il Mok-yo-il Kum-yo-il To-yo-il Dies_Dominica Dies_Lunæ Dies_Martis Dies_Mercurii Dies_Iovis Dies_Veneris Dies_Saturni sve-tdien pirmdien otrdien tresvdien ceturtdien piektdien sestdien Sekmadienis Pirmadienis Antradienis Trec^iadienis Ketvirtadienis Penktadienis S^es^tadienis Wangu Kazooba Walumbe Mukasa Kiwanuka Nnagawonye Wamunyi xing-_qi-_rì xing-_qi-_yi-. xing-_qi-_èr xing-_qi-_san-. xing-_qi-_sì xing-_qi-_wuv. xing-_qi-_liù Jedoonee Jelune Jemayrt Jecrean Jardaim Jeheiney Jesam Jabot Manre Juje Wonje Taije Balaire Jarere geminrongo minòmishi mártes mièrkoles misheushi bèrnashi mishábaro Ahad Isnin Selasa Rabu Khamis Jumaat Sabtu sφndag mandag tirsdag onsdag torsdag fredag lφrdag lo_dimenge lo_diluns lo_dimarç lo_dimèrcres lo_dijòus lo_divendres lo_dissabte djadomingo djaluna djamars djarason djaweps djabièrna djasabra Niedziela Poniedzial/ek Wtorek S,roda Czwartek Pia,tek Sobota Domingo segunda-feire terça-feire quarta-feire quinta-feire sexta-feira såbado Domingo Lunes martes Miercoles Jueves Viernes Sabado Duminicª Luni Mart'i Miercuri Joi Vineri Sâmbªtª voskresenie ponedelnik vtornik sreda chetverg pyatnitsa subbota Sunday Di-luain Di-màirt Di-ciadain Di-ardaoin Di-haoine Di-sathurne nedjelja ponedjeljak utorak sreda cxetvrtak petak subota Sontaha Mmantaha Labobedi Laboraro Labone Labohlano Moqebelo Iridha- Sandhudha- Anga.haruwa-dha- Badha-dha- Brahaspa.thindha- Sikura-dha- Sena.sura-dha- nedel^a pondelok utorok streda s^tvrtok piatok sobota Nedelja Ponedeljek Torek Sreda Cxetrtek Petek Sobota domingo lunes martes miércoles jueves viernes sábado sonde mundey tude-wroko dride-wroko fode-wroko freyda Saturday Jumapili Jumatatu Jumanne Jumatano Alhamisi Ijumaa Jumamosi söndag måndag tisdag onsdag torsdag fredag lordag Linggo Lunes Martes Miyerkoles Huwebes Biyernes Sabado Lé-pài-jít Pài-it Pài-jï Pài-sañ Pài-sì Pài-gÖ. Pài-lák wan-ar-tit wan-tjan wan-ang-kaan wan-phoet wan-pha-ru-hat-sa-boh-die wan-sook wan-sao Tshipi Mosupologo Labobedi Laboraro Labone Labotlhano Matlhatso Pazar Pazartesi Sali Çar,samba Per,sembe Cuma Cumartesi nedilya ponedilok vivtorok sereda chetver pyatnytsya subota Chu?_Nhâ.t Thú*_Hai Thú*_Ba Thú*_Tu* Thú*_Na'm Thú*_Sáu Thú*_Ba?y dydd_Sul dyds_Llun dydd_Mawrth dyds_Mercher dydd_Iau dydd_Gwener dyds_Sadwrn Dibeer Altine Talaata Allarba Al_xebes Aljuma Gaaw iCawa uMvulo uLwesibini uLwesithathu uLuwesine uLwesihlanu uMgqibelo zuntik montik dinstik mitvokh donershtik fraytik shabes iSonto uMsombuluko uLwesibili uLwesithathu uLwesine uLwesihlanu uMgqibelo Dies_Dominica Dies_Lunæ Dies_Martis Dies_Mercurii Dies_Iovis Dies_Veneris Dies_Saturni Bazar_gÜnÜ Bazar_ærtæsi Çærs,ænbæ_axs,amò Çærs,ænbæ_gÜnÜ CÜmæ_axs,amò CÜmæ_gÜnÜ CÜmæ_Senbæ Sun Moon Mars Mercury Jove Venus Saturn zondag maandag dinsdag woensdag donderdag vrijdag zaterdag KoseEraa GyoOraa BenEraa Kuoraa YOwaaraa FeEraa Memenaa Sonntag Montag Dienstag Mittwoch Donnerstag Freitag Sonnabend Domingo Luns Terza_feira Corta_feira Xoves Venres Sábado Dies_Solis Dies_Lunae Dies_Martis Dies_Mercurii Dies_Iovis Dies_Veneris Dies_Sabbatum xing-_qi-_tiàn xing-_qi-_yi-. xing-_qi-_èr xing-_qi-_san-. xing-_qi-_sì xing-_qi-_wuv. xing-_qi-_liù djadomingu djaluna djamars djarason djaweps djabièrnè djasabra Killachau Atichau Quoyllurchau Illapachau Chaskachau Kuychichau Intichau Caveat:   The list (above) most surely contains errors (or, at the least, differences) of what the actual (or true) names for the days-of-the-week. To make this Rosetta Code task page as small as possible, if processing the complete list, read the days-of-the-week from a file (that is created from the above list). Notes concerning the above list of words   each line has a list of days-of-the-week for a language, separated by at least one blank   the words on each line happen to be in order, from Sunday ──► Saturday   most lines have words in mixed case and some have all manner of accented words and other characters   some words were translated to the nearest character that was available to code page   437   the characters in the words are not restricted except that they may not have imbedded blanks   for this example, the use of an underscore (_) was used to indicate a blank in a word Task   The list of words   (days of the week)   needn't be verified/validated.   Write a function to find the (numeric) minimum length abbreviation for each line that would make abbreviations unique.   A blank line   (or a null line)   should return a null string.   Process and show the output for at least the first five lines of the file.   Show all output here. 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
#Vlang
Vlang
import os   fn distinct_strings(strs []string) []string { len := strs.len mut set := map[string]bool{} mut distinct := []string{cap: len} for str in strs { if str !in set { distinct << str set[str] = true } } return distinct }   fn take_runes(s string, n int) string { mut i := 0 for j in 0..s.len { if i == n { return s[..j] } i++ } return s }   fn main() { lines := os.read_lines('days_of_week.txt')? mut line_count := 0 for l in lines { mut line := l   line = line.trim(' ') line_count++ if line == "" { println('') continue } days := line.split(' ') if days.len != 7 { println("There aren't 7 days in line $line_count") return } if distinct_strings(days).len != 7 { // implies some days have the same name println(" ∞ $line") continue } for abbrev_len := 1; ; abbrev_len++ { mut abbrevs := []string{len: days.len} for i := 0; i < days.len; i++ { abbrevs[i] = take_runes(days[i], abbrev_len) } if distinct_strings(abbrevs).len == 7 { println("${abbrev_len:2} $line") break } } } }
http://rosettacode.org/wiki/Abbreviations,_automatic
Abbreviations, automatic
The use of   abbreviations   (also sometimes called synonyms, nicknames, AKAs, or aliases)   can be an easy way to add flexibility when specifying or using commands, sub─commands, options, etc. It would make a list of words easier to maintain   (as words are added, changed, and/or deleted)   if the minimum abbreviation length of that list could be automatically (programmatically) determined. For this task, use the list (below) of the days-of-the-week names that are expressed in about a hundred languages   (note that there is a blank line in the list). Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sondag Maandag Dinsdag Woensdag Donderdag Vrydag Saterdag E_djelë E_hënë E_martë E_mërkurë E_enjte E_premte E_shtunë Ehud Segno Maksegno Erob Hamus Arbe Kedame Al_Ahad Al_Ithinin Al_Tholatha'a Al_Arbia'a Al_Kamis Al_Gomia'a Al_Sabit Guiragui Yergou_shapti Yerek_shapti Tchorek_shapti Hink_shapti Ourpat Shapat domingu llunes martes miércoles xueves vienres sábadu Bazar_gÜnÜ Birinci_gÜn Çkinci_gÜn ÜçÜncÜ_gÜn DÖrdÜncÜ_gÜn Bes,inci_gÜn Altòncò_gÜn Igande Astelehen Astearte Asteazken Ostegun Ostiral Larunbat Robi_bar Shom_bar Mongal_bar Budhh_bar BRihashpati_bar Shukro_bar Shoni_bar Nedjelja Ponedeljak Utorak Srijeda Cxetvrtak Petak Subota Disul Dilun Dimeurzh Dimerc'her Diriaou Digwener Disadorn nedelia ponedelnik vtornik sriada chetvartak petak sabota sing_kei_yaht sing_kei_yat sing_kei_yee sing_kei_saam sing_kei_sie sing_kei_ng sing_kei_luk Diumenge Dilluns Dimarts Dimecres Dijous Divendres Dissabte Dzeenkk-eh Dzeehn_kk-ehreh Dzeehn_kk-ehreh_nah_kay_dzeeneh Tah_neesee_dzeehn_neh Deehn_ghee_dzee-neh Tl-oowey_tts-el_dehlee Dzeentt-ahzee dy_Sul dy_Lun dy_Meurth dy_Mergher dy_You dy_Gwener dy_Sadorn Dimanch Lendi Madi Mèkredi Jedi Vandredi Samdi nedjelja ponedjeljak utorak srijeda cxetvrtak petak subota nede^le ponde^lí úterÿ str^eda c^tvrtek pátek sobota Sondee Mondee Tiisiday Walansedee TOOsedee Feraadee Satadee s0ndag mandag tirsdag onsdag torsdag fredag l0rdag zondag maandag dinsdag woensdag donderdag vrijdag zaterdag Diman^co Lundo Mardo Merkredo ^Jaùdo Vendredo Sabato pÜhapäev esmaspäev teisipäev kolmapäev neljapäev reede laupäev Diu_prima Diu_sequima Diu_tritima Diu_quartima Diu_quintima Diu_sextima Diu_sabbata sunnudagur mánadagur tÿsdaguy mikudagur hósdagur friggjadagur leygardagur Yek_Sham'beh Do_Sham'beh Seh_Sham'beh Cha'har_Sham'beh Panj_Sham'beh Jom'eh Sham'beh sunnuntai maanantai tiistai keskiviiko torsktai perjantai lauantai dimanche lundi mardi mercredi jeudi vendredi samedi Snein Moandei Tiisdei Woansdei Tonersdei Freed Sneon Domingo Segunda_feira Martes Mércores Joves Venres Sábado k'vira orshabati samshabati otkhshabati khutshabati p'arask'evi shabati Sonntag Montag Dienstag Mittwoch Donnerstag Freitag Samstag Kiriaki' Defte'ra Tri'ti Teta'rti Pe'mpti Paraskebi' Sa'bato ravivaar somvaar mangalvaar budhvaar guruvaar shukravaar shanivaar pópule pó`akahi pó`alua pó`akolu pó`ahá pó`alima pó`aono Yom_rishon Yom_sheni Yom_shlishi Yom_revi'i Yom_chamishi Yom_shishi Shabat ravivara somavar mangalavar budhavara brahaspativar shukravara shanivar vasárnap hétfö kedd szerda csütörtök péntek szombat Sunnudagur Mánudagur ╞riδjudagur Miδvikudagar Fimmtudagur FÖstudagur Laugardagur sundio lundio mardio merkurdio jovdio venerdio saturdio Minggu Senin Selasa Rabu Kamis Jumat Sabtu Dominica Lunedi Martedi Mercuridi Jovedi Venerdi Sabbato Dé_Domhnaigh Dé_Luain Dé_Máirt Dé_Ceadaoin Dé_ardaoin Dé_hAoine Dé_Sathairn domenica lunedí martedí mercoledí giovedí venerdí sabato Nichiyou_bi Getzuyou_bi Kayou_bi Suiyou_bi Mokuyou_bi Kin'you_bi Doyou_bi Il-yo-il Wol-yo-il Hwa-yo-il Su-yo-il Mok-yo-il Kum-yo-il To-yo-il Dies_Dominica Dies_Lunæ Dies_Martis Dies_Mercurii Dies_Iovis Dies_Veneris Dies_Saturni sve-tdien pirmdien otrdien tresvdien ceturtdien piektdien sestdien Sekmadienis Pirmadienis Antradienis Trec^iadienis Ketvirtadienis Penktadienis S^es^tadienis Wangu Kazooba Walumbe Mukasa Kiwanuka Nnagawonye Wamunyi xing-_qi-_rì xing-_qi-_yi-. xing-_qi-_èr xing-_qi-_san-. xing-_qi-_sì xing-_qi-_wuv. xing-_qi-_liù Jedoonee Jelune Jemayrt Jecrean Jardaim Jeheiney Jesam Jabot Manre Juje Wonje Taije Balaire Jarere geminrongo minòmishi mártes mièrkoles misheushi bèrnashi mishábaro Ahad Isnin Selasa Rabu Khamis Jumaat Sabtu sφndag mandag tirsdag onsdag torsdag fredag lφrdag lo_dimenge lo_diluns lo_dimarç lo_dimèrcres lo_dijòus lo_divendres lo_dissabte djadomingo djaluna djamars djarason djaweps djabièrna djasabra Niedziela Poniedzial/ek Wtorek S,roda Czwartek Pia,tek Sobota Domingo segunda-feire terça-feire quarta-feire quinta-feire sexta-feira såbado Domingo Lunes martes Miercoles Jueves Viernes Sabado Duminicª Luni Mart'i Miercuri Joi Vineri Sâmbªtª voskresenie ponedelnik vtornik sreda chetverg pyatnitsa subbota Sunday Di-luain Di-màirt Di-ciadain Di-ardaoin Di-haoine Di-sathurne nedjelja ponedjeljak utorak sreda cxetvrtak petak subota Sontaha Mmantaha Labobedi Laboraro Labone Labohlano Moqebelo Iridha- Sandhudha- Anga.haruwa-dha- Badha-dha- Brahaspa.thindha- Sikura-dha- Sena.sura-dha- nedel^a pondelok utorok streda s^tvrtok piatok sobota Nedelja Ponedeljek Torek Sreda Cxetrtek Petek Sobota domingo lunes martes miércoles jueves viernes sábado sonde mundey tude-wroko dride-wroko fode-wroko freyda Saturday Jumapili Jumatatu Jumanne Jumatano Alhamisi Ijumaa Jumamosi söndag måndag tisdag onsdag torsdag fredag lordag Linggo Lunes Martes Miyerkoles Huwebes Biyernes Sabado Lé-pài-jít Pài-it Pài-jï Pài-sañ Pài-sì Pài-gÖ. Pài-lák wan-ar-tit wan-tjan wan-ang-kaan wan-phoet wan-pha-ru-hat-sa-boh-die wan-sook wan-sao Tshipi Mosupologo Labobedi Laboraro Labone Labotlhano Matlhatso Pazar Pazartesi Sali Çar,samba Per,sembe Cuma Cumartesi nedilya ponedilok vivtorok sereda chetver pyatnytsya subota Chu?_Nhâ.t Thú*_Hai Thú*_Ba Thú*_Tu* Thú*_Na'm Thú*_Sáu Thú*_Ba?y dydd_Sul dyds_Llun dydd_Mawrth dyds_Mercher dydd_Iau dydd_Gwener dyds_Sadwrn Dibeer Altine Talaata Allarba Al_xebes Aljuma Gaaw iCawa uMvulo uLwesibini uLwesithathu uLuwesine uLwesihlanu uMgqibelo zuntik montik dinstik mitvokh donershtik fraytik shabes iSonto uMsombuluko uLwesibili uLwesithathu uLwesine uLwesihlanu uMgqibelo Dies_Dominica Dies_Lunæ Dies_Martis Dies_Mercurii Dies_Iovis Dies_Veneris Dies_Saturni Bazar_gÜnÜ Bazar_ærtæsi Çærs,ænbæ_axs,amò Çærs,ænbæ_gÜnÜ CÜmæ_axs,amò CÜmæ_gÜnÜ CÜmæ_Senbæ Sun Moon Mars Mercury Jove Venus Saturn zondag maandag dinsdag woensdag donderdag vrijdag zaterdag KoseEraa GyoOraa BenEraa Kuoraa YOwaaraa FeEraa Memenaa Sonntag Montag Dienstag Mittwoch Donnerstag Freitag Sonnabend Domingo Luns Terza_feira Corta_feira Xoves Venres Sábado Dies_Solis Dies_Lunae Dies_Martis Dies_Mercurii Dies_Iovis Dies_Veneris Dies_Sabbatum xing-_qi-_tiàn xing-_qi-_yi-. xing-_qi-_èr xing-_qi-_san-. xing-_qi-_sì xing-_qi-_wuv. xing-_qi-_liù djadomingu djaluna djamars djarason djaweps djabièrnè djasabra Killachau Atichau Quoyllurchau Illapachau Chaskachau Kuychichau Intichau Caveat:   The list (above) most surely contains errors (or, at the least, differences) of what the actual (or true) names for the days-of-the-week. To make this Rosetta Code task page as small as possible, if processing the complete list, read the days-of-the-week from a file (that is created from the above list). Notes concerning the above list of words   each line has a list of days-of-the-week for a language, separated by at least one blank   the words on each line happen to be in order, from Sunday ──► Saturday   most lines have words in mixed case and some have all manner of accented words and other characters   some words were translated to the nearest character that was available to code page   437   the characters in the words are not restricted except that they may not have imbedded blanks   for this example, the use of an underscore (_) was used to indicate a blank in a word Task   The list of words   (days of the week)   needn't be verified/validated.   Write a function to find the (numeric) minimum length abbreviation for each line that would make abbreviations unique.   A blank line   (or a null line)   should return a null string.   Process and show the output for at least the first five lines of the file.   Show all output here. 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
#Wren
Wren
import "io" for File import "/pattern" for Pattern import "/seq" for Lst import "/fmt" for Fmt   var p = Pattern.new("+1/s") var lines = File.read("days_of_week.txt").split("\n").map { |l| l.trim() } var i = 1 for (line in lines) { if (line == "") { if (i != lines.count) System.print() } else { var days = p.splitAll(line) if (days.count != 7) Fiber.abort("There aren't seven days in line %(i).") if (Lst.distinct(days).count < 7) { // implies some days have the same name System.print(" ∞  %(line)") } else { var len = 1 while (true) { if (Lst.distinct(days.map { |d| d.take(len).join() }.toList).count == 7) { Fmt.print("$2d $s", len, line) break } len = len + 1 } } } i = i + 1 }
http://rosettacode.org/wiki/ABC_problem
ABC problem
ABC problem You are encouraged to solve this task according to the task description, using any language you may know. You are given a collection of ABC blocks   (maybe like the ones you had when you were a kid). There are twenty blocks with two letters on each block. A complete alphabet is guaranteed amongst all sides of the blocks. The sample collection of blocks: (B O) (X K) (D Q) (C P) (N A) (G T) (R E) (T G) (Q D) (F S) (J W) (H U) (V I) (A N) (O B) (E R) (F S) (L Y) (P C) (Z M) Task Write a function that takes a string (word) and determines whether the word can be spelled with the given collection of blocks. The rules are simple:   Once a letter on a block is used that block cannot be used again   The function should be case-insensitive   Show the output on this page for the following 7 words in the following example Example >>> can_make_word("A") True >>> can_make_word("BARK") True >>> can_make_word("BOOK") False >>> can_make_word("TREAT") True >>> can_make_word("COMMON") False >>> can_make_word("SQUAD") True >>> can_make_word("CONFUSE") True 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
#CoffeeScript
CoffeeScript
blockList = [ 'BO', 'XK', 'DQ', 'CP', 'NA', 'GT', 'RE', 'TG', 'QD', 'FS', 'JW', 'HU', 'VI', 'AN', 'OB', 'ER', 'FS', 'LY', 'PC', 'ZM' ]   canMakeWord = (word="") -> # Create a shallow clone of the master blockList blocks = blockList.slice 0 # Check if blocks contains letter checkBlocks = (letter) -> # Loop through every remaining block for block, idx in blocks # If letter is in block, blocks.splice will return an array, which will evaluate as true return blocks.splice idx, 1 if letter.toUpperCase() in block false # Return true if there are no falsy values false not in (checkBlocks letter for letter in word)   # Expect true, true, false, true, false, true, true, true for word in ["A", "BARK", "BOOK", "TREAT", "COMMON", "squad", "CONFUSE", "STORM"] console.log word + " -> " + canMakeWord(word)
http://rosettacode.org/wiki/Abundant_odd_numbers
Abundant odd numbers
An Abundant number is a number n for which the   sum of divisors   σ(n) > 2n, or,   equivalently,   the   sum of proper divisors   (or aliquot sum)       s(n) > n. E.G. 12   is abundant, it has the proper divisors     1,2,3,4 & 6     which sum to   16   ( > 12 or n);        or alternately,   has the sigma sum of   1,2,3,4,6 & 12   which sum to   28   ( > 24 or 2n). Abundant numbers are common, though even abundant numbers seem to be much more common than odd abundant numbers. To make things more interesting, this task is specifically about finding   odd abundant numbers. Task Find and display here: at least the first 25 abundant odd numbers and either their proper divisor sum or sigma sum. Find and display here: the one thousandth abundant odd number and either its proper divisor sum or sigma sum. Find and display here: the first abundant odd number greater than one billion (109) and either its proper divisor sum or sigma sum. References   OEIS:A005231: Odd abundant numbers (odd numbers n whose sum of divisors exceeds 2n)   American Journal of Mathematics, Vol. 35, No. 4 (Oct., 1913), pp. 413-422 - Finiteness of the Odd Perfect and Primitive Abundant Numbers with n Distinct Prime Factors (LE Dickson)
#Perl
Perl
use strict; use warnings; use feature 'say'; use ntheory qw/divisor_sum divisors/;   sub odd_abundants { my($start,$count) = @_; my $n = int(( $start + 2 ) / 3); $n += 1 if 0 == $n % 2; $n *= 3; my @out; while (@out < $count) { $n += 6; next unless (my $ds = divisor_sum($n)) > 2*$n; my @d = divisors($n); push @out, sprintf "%6d: divisor sum: %s = %d", $n, join(' + ', @d[0..@d-2]), $ds-$n; } @out; }   say 'First 25 abundant odd numbers:'; say for odd_abundants(1, 25); say "\nOne thousandth abundant odd number:\n", (odd_abundants(1, 1000))[999]; say "\nFirst abundant odd number above one billion:\n", odd_abundants(999_999_999, 1);
http://rosettacode.org/wiki/21_game
21 game
21 game You are encouraged to solve this task according to the task description, using any language you may know. 21 is a two player game, the game is played by choosing a number (1, 2, or 3) to be added to the running total. The game is won by the player whose chosen number causes the running total to reach exactly 21. The running total starts at zero. One player will be the computer. Players alternate supplying a number to be added to the running total. Task Write a computer program that will: do the prompting (or provide a button menu), check for errors and display appropriate error messages, do the additions (add a chosen number to the running total), display the running total, provide a mechanism for the player to quit/exit/halt/stop/close the program, issue a notification when there is a winner, and determine who goes first (maybe a random or user choice, or can be specified when the game begins).
#Fortran
Fortran
! game 21 - an example in modern fortran language for rosseta code.   subroutine ai common itotal, igoal if (itotal .lt. igoal) then move = 1 do i = 1, 3 if (mod(itotal + i - 1 , 4) .eq. 0) then move = i end if end do do i = 1, 3 if (itotal + i .eq. igoal) then move = i end if end do print *, " ai ", itotal + move, " = ", itotal, " + ", move itotal = itotal + move if (itotal .eq. igoal) then print *, "" print *, "the winner is ai" print *, "" end if end if end subroutine ai   subroutine human common itotal, igoal print *, "" do while (.true.) if (itotal + 1 .eq. igoal) then print *, "enter 1 (or 0 to exit): " else if (itotal + 2 .eq. igoal) then print *, "enter 1 or 2 (or 0 to exit): " else print *, "enter 1 or 2 or 3 (or 0 to exit)" end if read(*,*) move if (move .eq. 0) then stop else if (move .ge. 1 .and. move .le. 3 .and. move + itotal .le. igoal) then print *, " human ", itotal + move, " = ", itotal, " + ", move itotal = itotal + move if (itotal .eq. igoal) then print *, "" print *, "the winner is human" print *, "" end if return else print *, "a bad choice" end if end do end subroutine human   program main common itotal, igoal print *,"game 21 - an example in fortran iv language for rosseta code." print *,"" print *,"21 is a two player game, the game is played by choosing a number" print *,"(1, 2, or 3) to be added to the running total. the game is won" print *,"by the player whose chosen number causes the running total to reach" print *,"exactly 21. the running total starts at zero." print *,"" i = irand(1) igoal = 21 do while(.true.) print *, "---- new game ----" print *, "" print *, "the running total is currently zero." print *, "" itotal = 0 if (mod(irand(0), 2) .eq. 0) then print *, "the first move is ai move." call ai else print *, "the first move is human move." end if print *, "" do while(itotal .lt. igoal) call human call ai end do end do end program main
http://rosettacode.org/wiki/24_game/Solve
24 game/Solve
task Write a program that takes four digits, either from user input or by random generation, and computes arithmetic expressions following the rules of the 24 game. Show examples of solutions generated by the program. Related task   Arithmetic Evaluator
#AutoHotkey
AutoHotkey
#NoEnv InputBox, NNNN ; user input 4 digits NNNN := RegExReplace(NNNN, "(\d)(?=\d)", "$1,") ; separate with commas for the sort command sort NNNN, d`, ; sort in ascending order for the permutations to work StringReplace NNNN, NNNN, `,, , All ; remove comma separators after sorting   ops := "+-*/" patterns := [ "x x.x.x." ,"x x.x x.." ,"x x x..x." ,"x x x.x.." ,"x x x x..." ]   ; build bruteforce operator list ("+++, ++-, ++* ... ///") a := b := c := 0 While (++a<5){ While (++b<5){ While (++c<5){ l := SubStr(ops, a, 1) . SubStr(ops, b, 1) . SubStr(ops, c, 1)   ; build bruteforce template ("x x+x+x+, x x+x x++ ... x x x x///") For each, pattern in patterns { Loop 3 StringReplace, pattern, pattern, ., % SubStr(l, A_Index, 1) pat .= pattern "`n" } }c := 0 }b := 0 } StringTrimRight, pat, pat, 1 ; remove trailing newline     ; permutate input. As the lexicographic algorithm is used, each permutation generated is unique While NNNN { StringSplit, N, NNNN ; substitute numbers in for x's and evaluate Loop Parse, pat, `n { eval := A_LoopField ; current line Loop 4 StringReplace, eval, eval, x, % N%A_Index% ; substitute number for "x" If Round(evalRPN(eval), 4) = 24 final .= eval "`n" } NNNN := perm_next(NNNN) ; next lexicographic permutation of user's digits } MsgBox % final ? clipboard := final : "No solution"   ; simple stack-based evaluation. Integers only. Whitespace is used to push a value. evalRPN(s){ stack := [] Loop Parse, s If A_LoopField is number t .= A_LoopField else { If t stack.Insert(t), t := "" If InStr("+-/*", l := A_LoopField) { a := stack.Remove(), b := stack.Remove() stack.Insert( l = "+" ? b + a :l = "-" ? b - a :l = "*" ? b * a :l = "/" ? b / a :0 ) } } return stack.Remove() }       perm_Next(str){ p := 0, sLen := StrLen(str) Loop % sLen { If A_Index=1 continue t := SubStr(str, sLen+1-A_Index, 1) n := SubStr(str, sLen+2-A_Index, 1) If ( t < n ) { p := sLen+1-A_Index, pC := SubStr(str, p, 1) break } } If !p return false Loop { t := SubStr(str, sLen+1-A_Index, 1) If ( t > pC ) { n := sLen+1-A_Index, nC := SubStr(str, n, 1) break } } return SubStr(str, 1, p-1) . nC . Reverse(SubStr(str, p+1, n-p-1) . pC . SubStr(str, n+1)) }   Reverse(s){ Loop Parse, s o := A_LoopField o return o }
http://rosettacode.org/wiki/4-rings_or_4-squares_puzzle
4-rings or 4-squares puzzle
4-rings or 4-squares puzzle You are encouraged to solve this task according to the task description, using any language you may know. Task Replace       a, b, c, d, e, f,   and   g       with the decimal digits   LOW   ───►   HIGH such that the sum of the letters inside of each of the four large squares add up to the same sum. ╔══════════════╗ ╔══════════════╗ ║ ║ ║ ║ ║ a ║ ║ e ║ ║ ║ ║ ║ ║ ┌───╫──────╫───┐ ┌───╫─────────┐ ║ │ ║ ║ │ │ ║ │ ║ │ b ║ ║ d │ │ f ║ │ ║ │ ║ ║ │ │ ║ │ ║ │ ║ ║ │ │ ║ │ ╚══════════╪═══╝ ╚═══╪══════╪═══╝ │ │ c │ │ g │ │ │ │ │ │ │ │ │ └──────────────┘ └─────────────┘ Show all output here.   Show all solutions for each letter being unique with LOW=1 HIGH=7   Show all solutions for each letter being unique with LOW=3 HIGH=9   Show only the   number   of solutions when each letter can be non-unique LOW=0 HIGH=9 Related task Solve the no connection puzzle
#Haskell
Haskell
import Data.List import Control.Monad   perms :: (Eq a) => [a] -> [[a]] perms [] = [[]] perms xs = [ x:xr | x <- xs, xr <- perms (xs\\[x]) ]   combs :: (Eq a) => Int -> [a] -> [[a]] combs 0 _ = [[]] combs n xs = [ x:xr | x <- xs, xr <- combs (n-1) xs ]   ringCheck :: [Int] -> Bool ringCheck [x0, x1, x2, x3, x4, x5, x6] = v == x1+x2+x3 && v == x3+x4+x5 && v == x5+x6 where v = x0 + x1   fourRings :: Int -> Int -> Bool -> Bool -> IO () fourRings low high allowRepeats verbose = do let candidates = if allowRepeats then combs 7 [low..high] else perms [low..high]   solutions = filter ringCheck candidates   when verbose $ mapM_ print solutions   putStrLn $ show (length solutions) ++ (if allowRepeats then " non" else "") ++ " unique solutions for " ++ show low ++ " to " ++ show high   putStrLn ""   main = do fourRings 1 7 False True fourRings 3 9 False True fourRings 0 9 True False
http://rosettacode.org/wiki/99_bottles_of_beer
99 bottles of beer
Task Display the complete lyrics for the song:     99 Bottles of Beer on the Wall. The beer song The lyrics follow this form: 99 bottles of beer on the wall 99 bottles of beer Take one down, pass it around 98 bottles of beer on the wall 98 bottles of beer on the wall 98 bottles of beer Take one down, pass it around 97 bottles of beer on the wall ... and so on, until reaching   0     (zero). Grammatical support for   1 bottle of beer   is optional. As with any puzzle, try to do it in as creative/concise/comical a way as possible (simple, obvious solutions allowed, too). 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 See also   http://99-bottles-of-beer.net/   Category:99_Bottles_of_Beer   Category:Programming language families   Wikipedia 99 bottles of beer
#360_Assembly
360 Assembly
  \ 99 bottles of beer on the wall: : allout "no more bottles" ; : just-one "1 bottle"  ; : yeah! dup . " bottles" ;   [ ' allout , ' just-one , ' yeah! , ] var, bottles   : .bottles dup 2 n:min bottles @ swap caseof ; : .beer .bottles . " of beer" . ; : .wall .beer " on the wall" . ; : .take " Take one down and pass it around" . ; : beers .wall ", " . .beer '; putc cr n:1- 0 max .take ", " . .wall '. putc cr drop ;   ' beers 1 99 loop- bye  
http://rosettacode.org/wiki/24_game
24 game
The 24 Game tests one's mental arithmetic. Task Write a program that randomly chooses and displays four digits, each from 1 ──► 9 (inclusive) with repetitions allowed. The program should prompt for the player to enter an arithmetic expression using just those, and all of those four digits, used exactly once each. The program should check then evaluate the expression. The goal is for the player to enter an expression that (numerically) evaluates to 24. Only the following operators/functions are allowed: multiplication, division, addition, subtraction Division should use floating point or rational arithmetic, etc, to preserve remainders. Brackets are allowed, if using an infix expression evaluator. Forming multiple digit numbers from the supplied digits is disallowed. (So an answer of 12+12 when given 1, 2, 2, and 1 is wrong). The order of the digits when given does not have to be preserved. Notes The type of expression evaluator used is not mandated. An RPN evaluator is equally acceptable for example. The task is not for the program to generate the expression, or test whether an expression is even possible. Related tasks 24 game/Solve Reference The 24 Game on h2g2.
#ARM_Assembly
ARM Assembly
  /* ARM assembly Raspberry PI */ /* program game24.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" .equ STDIN, 0 @ Linux input console .equ READ, 3 @ Linux syscall .equ NBDIGITS, 4 @ digits number .equ TOTAL, 24 .equ BUFFERSIZE, 100 .equ STACKSIZE, 10 @ operator and digits number items in stacks     /*********************************/ /* Initialized data */ /*********************************/ .data szMessRules: .ascii "24 Game\n" .ascii "The program will display four randomly-generated \n" .ascii "single-digit numbers and will then prompt you to enter\n" .ascii "an arithmetic expression followed by <enter> to sum \n" .ascii "the given numbers to 24.\n" .asciz "Exemple : 9+8+3+4 or (7+5)+(3*4) \n\n"   szMessExpr: .asciz "Enter your expression (or type (q)uit to exit or (n) for other digits): \n" //szMessErrChoise: .asciz "invalid choice.\n " szMessDigits: .asciz "The four digits are @ @ @ @ and the score is 24. \n" szMessNoDigit: .asciz "Error : One digit is not in digits list !! \n" szMessSameDigit: .asciz "Error : Two digits are same !! \n" szMessOK: .asciz "It is OK. \n" szMessNotOK: .asciz "Error, it is not ok total = @ \n" szMessErrOper: .asciz "Unknow Operator (+,-,$,/,(,)) \n" szMessNoparen: .asciz "no opening parenthesis !! \n" szMessErrParen: .asciz "Error parenthesis number !! \n" szMessNoalldigits: .asciz "One or more digits not used !!\n" szMessNewGame: .asciz "New game (y/n) ? \n" szCarriageReturn: .asciz "\n" .align 4 iGraine: .int 123456 /*********************************/ /* UnInitialized data */ /*********************************/ .bss sZoneConv: .skip 24 sBuffer: .skip BUFFERSIZE iTabDigit: .skip 4 * NBDIGITS iTabTopDigit: .skip 4 * NBDIGITS /*********************************/ /* code section */ /*********************************/ .text .global main main: @ entry of program   ldr r0,iAdrszMessRules @ display rules bl affichageMess 1: mov r3,#0 ldr r12,iAdriTabDigit ldr r11,iAdriTabTopDigit ldr r5,iAdrszMessDigits 2: @ loop generate random digits mov r0,#8 bl genereraleas add r0,r0,#1 str r0,[r12,r3,lsl #2] @ store in table mov r1,#0 str r1,[r11,r3,lsl #2] @ raz top table ldr r1,iAdrsZoneConv bl conversion10 @ call decimal conversion mov r2,#0 strb r2,[r1,r0] @ reduce size display area with zéro final mov r0,r5 ldr r1,iAdrsZoneConv @ insert conversion in message bl strInsertAtCharInc mov r5,r0 add r3,r3,#1 cmp r3,#NBDIGITS @ end ? blt 2b @ no -> loop mov r0,r5 bl affichageMess 3: @ loop human entry ldr r0,iAdrszMessExpr bl affichageMess bl saisie @ entry cmp r0,#'q' beq 100f cmp r0,#'Q' beq 100f cmp r0,#'n' beq 1b cmp r0,#'N' beq 1b   bl evalExpr @ expression evaluation cmp r0,#0 @ ok ? bne 3b @ no - > loop   10: @ display new game ? ldr r0,iAdrszCarriageReturn bl affichageMess ldr r0,iAdrszMessNewGame bl affichageMess bl saisie cmp r0,#'y' beq 1b cmp r0,#'Y' beq 1b   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 iAdrszMessRules: .int szMessRules iAdrszMessDigits: .int szMessDigits iAdrszMessExpr: .int szMessExpr iAdrszMessNewGame: .int szMessNewGame iAdrsZoneConv: .int sZoneConv iAdriTabDigit: .int iTabDigit iAdriTabTopDigit: .int iTabTopDigit /******************************************************************/ /* evaluation expression */ /******************************************************************/ /* r0 return 0 if ok -1 else */ evalExpr: push {r1-r11,lr} @ save registers   mov r0,#0 ldr r1,iAdriTabTopDigit mov r2,#0 1: @ loop init table top digits str r0,[r1,r2,lsl #2] add r2,r2,#1 cmp r2,#NBDIGITS blt 1b   sub sp,sp,#STACKSIZE * 4 @ stack operator mov fp,sp sub sp,sp,#STACKSIZE * 4 @ stack digit mov r1,sp ldr r10,iAdrsBuffer mov r8,#0 @ indice character in buffer mov r7,#0 @ indice digits stack mov r2,#0 @ indice operator stack 1: @ begin loop ldrb r9,[r10,r8] cmp r9,#0xA @ end expression ? beq 90f cmp r9,#' ' @ space  ? addeq r8,r8,#1 @ loop beq 1b cmp r9,#'(' @ left parenthesis -> store in operator stack streq r9,[fp,r2,lsl #2] addeq r2,r2,#1 addeq r8,r8,#1 @ and loop beq 1b cmp r9,#')' @ right parenthesis ? bne 3f mov r0,fp @ compute operator stack until left parenthesis sub r2,r2,#1 2: ldr r6,[fp,r2,lsl #2] cmp r6,#'(' @ left parenthesis addeq r8,r8,#1 @ end ? beq 1b @ and loop sub r7,r7,#1 @ last digit mov r3,r7 bl compute sub r2,r2,#1 cmp r2,#0 bge 2b ldr r0,iAdrszMessNoparen @ no left parenthesis in stack bl affichageMess mov r0,#-1 b 100f 3: cmp r9,#'+' @ addition beq 4f cmp r9,#'-' @ soustraction beq 4f cmp r9,#'*' @ multiplication beq 4f cmp r9,#'/' @ division beq 4f   b 5f @ not operator   4: @ control priority and depile stacks mov r0,fp mov r3,r7 mov r4,r9 bl depileOper mov r7,r3 add r8,r8,#1 b 1b @ and loop   5: @ digit sub r9,r9,#0x30 mov r0,r9 bl digitControl cmp r0,#0 @ error ? bne 100f str r9,[r1,r7,lsl #2] @ store digit in digits stack add r7,r7,#1   add r8,r8,#1 beq 1b   b 100f 90: @ compute all stack operators mov r0,fp sub r7,r7,#1 91: subs r2,r2,#1 blt 92f mov r3,r7 bl compute sub r7,r7,#1 b 91b 92: ldr r0,[r1] @ total = first value on digits stack cmp r0,#TOTAL @ control total beq 93f @ ok ldr r1,iAdrsZoneConv bl conversion10 @ call decimal conversion mov r2,#0 strb r2,[r1,r0] ldr r0,iAdrszMessNotOK ldr r1,iAdrsZoneConv @ insert conversion in message bl strInsertAtCharInc bl affichageMess mov r0,#-1 b 100f 93: @ control use all digits ldr r1,iAdriTabTopDigit mov r2,#0 94: @ begin loop ldr r0,[r1,r2,lsl #2] @ load top cmp r0,#0 bne 95f ldr r0,iAdrszMessNoalldigits bl affichageMess mov r0,#-1 b 100f 95: add r2,r2,#1 cmp r2,#NBDIGITS blt 94b 96: @ display message OK ldr r0,iAdrszMessOK bl affichageMess mov r0,#0 b 100f   100: add sp,sp,#80 @ stack algnement pop {r1-r11,lr} bx lr @ return iAdrszMessNoparen: .int szMessNoparen iAdrszMessNotOK: .int szMessNotOK iAdrszMessOK: .int szMessOK iAdrszMessNoalldigits: .int szMessNoalldigits /******************************************************************/ /* depile operator */ /******************************************************************/ /* r0 operator stack address */ /* r1 digits stack address */ /* r2 operator indice */ /* r3 digits indice */ /* r4 operator */ /* r2 return a new operator indice */ /* r3 return a new digits indice */ depileOper: push {r4-r8,lr} @ save registers cmp r2,#0 @ first operator ? beq 60f sub r5,r2,#1 1: ldr r6,[r0,r5,lsl #2] @ load stack operator cmp r6,r4 @ same operators beq 50f cmp r6,#'*' @ multiplication beq 50f cmp r6,#'/' @ division beq 50f cmp r6,#'-' @ soustraction beq 50f   b 60f 50: @ depile operators stack and compute sub r2,r2,#1 sub r3,r3,#1 bl compute sub r5,r5,#1 cmp r5,#0 bge 1b 60: str r4,[r0,r2,lsl #2] @ add operator in stack add r2,r2,#1   100: pop {r4-r8,lr} bx lr @ return /******************************************************************/ /* compute */ /******************************************************************/ /* r0 operator stack address */ /* r1 digits stack address */ /* r2 operator indice */ /* r3 digits indice */ compute: push {r1-r8,lr} @ save registers ldr r6,[r1,r3,lsl #2] @ load second digit sub r5,r3,#1 ldr r7,[r1,r5,lsl #2] @ load first digit   ldr r8,[r0,r2,lsl #2] @ load operator cmp r8,#'+' bne 1f add r7,r7,r6 @ addition str r7,[r1,r5,lsl #2] b 100f 1: cmp r8,#'-' bne 2f sub r7,r7,r6 @ soustaction str r7,[r1,r5,lsl #2] b 100f 2: cmp r8,#'*' bne 3f @ multiplication mul r7,r6,r7 str r7,[r1,r5,lsl #2] b 100f 3: cmp r8,#'/' bne 4f udiv r7,r7,r6 @ division str r7,[r1,r5,lsl #2] b 100f 4: cmp r8,#'(' @ left parenthesis ? bne 5f ldr r0,iAdrszMessErrParen @ error bl affichageMess mov r0,#-1 b 100f 5: ldr r0,iAdrszMessErrOper bl affichageMess mov r0,#-1 100: pop {r1-r8,lr} bx lr @ return iAdrszMessErrOper: .int szMessErrOper iAdrszMessErrParen: .int szMessErrParen /******************************************************************/ /* control digits */ /******************************************************************/ /* r0 return 0 if OK 1 if not digit */ digitControl: push {r1-r4,lr} @ save registers ldr r1,iAdriTabTopDigit ldr r2,iAdriTabDigit mov r3,#0 1: ldr r4,[r2,r3,lsl #2] @ load digit cmp r0,r4 @ equal ? beq 2f @ yes add r3,r3,#1 @ no -> loop cmp r3,#NBDIGITS @ end ? blt 1b ldr r0,iAdrszMessNoDigit @ error bl affichageMess mov r0,#1 b 100f 2: @ control prev use ldr r4,[r1,r3,lsl #2] cmp r4,#0 beq 3f add r3,r3,#1 cmp r3,#NBDIGITS blt 1b ldr r0,iAdrszMessSameDigit bl affichageMess mov r0,#1 b 100f 3: mov r4,#1 str r4,[r1,r3,lsl #2] mov r0,#0 100: pop {r1-r4,lr} bx lr @ return iAdrszMessNoDigit: .int szMessNoDigit iAdrszMessSameDigit: .int szMessSameDigit /******************************************************************/ /* string entry */ /******************************************************************/ /* r0 return the first character of human entry */ saisie: push {r1-r7,lr} @ save registers mov r0,#STDIN @ Linux input console ldr r1,iAdrsBuffer @ buffer address mov r2,#BUFFERSIZE @ buffer size mov r7,#READ @ request to read datas svc 0 @ call system ldr r1,iAdrsBuffer @ buffer address ldrb r0,[r1] @ load first character 100: pop {r1-r7,lr} bx lr @ return iAdrsBuffer: .int sBuffer /***************************************************/ /* Generation random number */ /***************************************************/ /* r0 contains limit */ genereraleas: push {r1-r4,lr} @ save registers ldr r4,iAdriGraine ldr r2,[r4] ldr r3,iNbDep1 mul r2,r3,r2 ldr r3,iNbDep2 add r2,r2,r3 str r2,[r4] @ maj de la graine pour l appel suivant cmp r0,#0 beq 100f add r1,r0,#1 @ divisor mov r0,r2 @ dividende bl division mov r0,r3 @ résult = remainder   100: @ end function pop {r1-r4,lr} @ restaur registers bx lr @ return /*****************************************************/ iAdriGraine: .int iGraine iNbDep1: .int 0x343FD iNbDep2: .int 0x269EC3 /***************************************************/ /* ROUTINES INCLUDE */ /***************************************************/ .include "../affichage.inc"  
http://rosettacode.org/wiki/9_billion_names_of_God_the_integer
9 billion names of God the integer
This task is a variation of the short story by Arthur C. Clarke. (Solvers should be aware of the consequences of completing this task.) In detail, to specify what is meant by a   “name”: The integer 1 has 1 name     “1”. The integer 2 has 2 names   “1+1”,   and   “2”. The integer 3 has 3 names   “1+1+1”,   “2+1”,   and   “3”. The integer 4 has 5 names   “1+1+1+1”,   “2+1+1”,   “2+2”,   “3+1”,   “4”. The integer 5 has 7 names   “1+1+1+1+1”,   “2+1+1+1”,   “2+2+1”,   “3+1+1”,   “3+2”,   “4+1”,   “5”. Task Display the first 25 rows of a number triangle which begins: 1 1 1 1 1 1 1 2 1 1 1 2 2 1 1 1 3 3 2 1 1 Where row   n {\displaystyle n}   corresponds to integer   n {\displaystyle n} ,   and each column   C {\displaystyle C}   in row   m {\displaystyle m}   from left to right corresponds to the number of names beginning with   C {\displaystyle C} . A function   G ( n ) {\displaystyle G(n)}   should return the sum of the   n {\displaystyle n} -th   row. Demonstrate this function by displaying:   G ( 23 ) {\displaystyle G(23)} ,   G ( 123 ) {\displaystyle G(123)} ,   G ( 1234 ) {\displaystyle G(1234)} ,   and   G ( 12345 ) {\displaystyle G(12345)} . Optionally note that the sum of the   n {\displaystyle n} -th   row   P ( n ) {\displaystyle P(n)}   is the     integer partition function. Demonstrate this is equivalent to   G ( n ) {\displaystyle G(n)}   by displaying:   P ( 23 ) {\displaystyle P(23)} ,   P ( 123 ) {\displaystyle P(123)} ,   P ( 1234 ) {\displaystyle P(1234)} ,   and   P ( 12345 ) {\displaystyle P(12345)} . Extra credit If your environment is able, plot   P ( n ) {\displaystyle P(n)}   against   n {\displaystyle n}   for   n = 1 … 999 {\displaystyle n=1\ldots 999} . Related tasks Partition function P
#Perl
Perl
use ntheory qw/:all/;   sub triangle_row { my($n,@row) = (shift); # Tally by first element of the unrestricted integer partitions. forpart { $row[ $_[0] - 1 ]++ } $n; @row; }   printf "%2d: %s\n", $_, join(" ",triangle_row($_)) for 1..25; print "\n"; say "P($_) = ", partitions($_) for (23, 123, 1234, 12345);
http://rosettacode.org/wiki/A%2BB
A+B
A+B   ─── a classic problem in programming contests,   it's given so contestants can gain familiarity with the online judging system being used. Task Given two integers,   A and B. Their sum needs to be calculated. Input data Two integers are written in the input stream, separated by space(s): ( − 1000 ≤ A , B ≤ + 1000 ) {\displaystyle (-1000\leq A,B\leq +1000)} Output data The required output is one integer:   the sum of A and B. Example input   output   2 2 4 3 2 5
#AutoIt
AutoIt
;AutoIt Version: 3.2.10.0 $num = "45 54" consolewrite ("Sum of " & $num & " is: " & sum($num)) Func sum($numbers) $numm = StringSplit($numbers," ") Return $numm[1]+$numm[$numm[0]] EndFunc
http://rosettacode.org/wiki/Ackermann_function
Ackermann function
The Ackermann function is a classic example of a recursive function, notable especially because it is not a primitive recursive function. It grows very quickly in value, as does the size of its call tree. The Ackermann function is usually defined as follows: A ( m , n ) = { n + 1 if  m = 0 A ( m − 1 , 1 ) if  m > 0  and  n = 0 A ( m − 1 , A ( m , n − 1 ) ) if  m > 0  and  n > 0. {\displaystyle A(m,n)={\begin{cases}n+1&{\mbox{if }}m=0\\A(m-1,1)&{\mbox{if }}m>0{\mbox{ and }}n=0\\A(m-1,A(m,n-1))&{\mbox{if }}m>0{\mbox{ and }}n>0.\end{cases}}} Its arguments are never negative and it always terminates. Task Write a function which returns the value of A ( m , n ) {\displaystyle A(m,n)} . Arbitrary precision is preferred (since the function grows so quickly), but not required. See also Conway chained arrow notation for the Ackermann function.
#Sidef
Sidef
func A(m, n) { m == 0 ? (n + 1)  : (n == 0 ? (A(m - 1, 1))  : (A(m - 1, A(m, n - 1)))); }
http://rosettacode.org/wiki/Abbreviations,_automatic
Abbreviations, automatic
The use of   abbreviations   (also sometimes called synonyms, nicknames, AKAs, or aliases)   can be an easy way to add flexibility when specifying or using commands, sub─commands, options, etc. It would make a list of words easier to maintain   (as words are added, changed, and/or deleted)   if the minimum abbreviation length of that list could be automatically (programmatically) determined. For this task, use the list (below) of the days-of-the-week names that are expressed in about a hundred languages   (note that there is a blank line in the list). Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sondag Maandag Dinsdag Woensdag Donderdag Vrydag Saterdag E_djelë E_hënë E_martë E_mërkurë E_enjte E_premte E_shtunë Ehud Segno Maksegno Erob Hamus Arbe Kedame Al_Ahad Al_Ithinin Al_Tholatha'a Al_Arbia'a Al_Kamis Al_Gomia'a Al_Sabit Guiragui Yergou_shapti Yerek_shapti Tchorek_shapti Hink_shapti Ourpat Shapat domingu llunes martes miércoles xueves vienres sábadu Bazar_gÜnÜ Birinci_gÜn Çkinci_gÜn ÜçÜncÜ_gÜn DÖrdÜncÜ_gÜn Bes,inci_gÜn Altòncò_gÜn Igande Astelehen Astearte Asteazken Ostegun Ostiral Larunbat Robi_bar Shom_bar Mongal_bar Budhh_bar BRihashpati_bar Shukro_bar Shoni_bar Nedjelja Ponedeljak Utorak Srijeda Cxetvrtak Petak Subota Disul Dilun Dimeurzh Dimerc'her Diriaou Digwener Disadorn nedelia ponedelnik vtornik sriada chetvartak petak sabota sing_kei_yaht sing_kei_yat sing_kei_yee sing_kei_saam sing_kei_sie sing_kei_ng sing_kei_luk Diumenge Dilluns Dimarts Dimecres Dijous Divendres Dissabte Dzeenkk-eh Dzeehn_kk-ehreh Dzeehn_kk-ehreh_nah_kay_dzeeneh Tah_neesee_dzeehn_neh Deehn_ghee_dzee-neh Tl-oowey_tts-el_dehlee Dzeentt-ahzee dy_Sul dy_Lun dy_Meurth dy_Mergher dy_You dy_Gwener dy_Sadorn Dimanch Lendi Madi Mèkredi Jedi Vandredi Samdi nedjelja ponedjeljak utorak srijeda cxetvrtak petak subota nede^le ponde^lí úterÿ str^eda c^tvrtek pátek sobota Sondee Mondee Tiisiday Walansedee TOOsedee Feraadee Satadee s0ndag mandag tirsdag onsdag torsdag fredag l0rdag zondag maandag dinsdag woensdag donderdag vrijdag zaterdag Diman^co Lundo Mardo Merkredo ^Jaùdo Vendredo Sabato pÜhapäev esmaspäev teisipäev kolmapäev neljapäev reede laupäev Diu_prima Diu_sequima Diu_tritima Diu_quartima Diu_quintima Diu_sextima Diu_sabbata sunnudagur mánadagur tÿsdaguy mikudagur hósdagur friggjadagur leygardagur Yek_Sham'beh Do_Sham'beh Seh_Sham'beh Cha'har_Sham'beh Panj_Sham'beh Jom'eh Sham'beh sunnuntai maanantai tiistai keskiviiko torsktai perjantai lauantai dimanche lundi mardi mercredi jeudi vendredi samedi Snein Moandei Tiisdei Woansdei Tonersdei Freed Sneon Domingo Segunda_feira Martes Mércores Joves Venres Sábado k'vira orshabati samshabati otkhshabati khutshabati p'arask'evi shabati Sonntag Montag Dienstag Mittwoch Donnerstag Freitag Samstag Kiriaki' Defte'ra Tri'ti Teta'rti Pe'mpti Paraskebi' Sa'bato ravivaar somvaar mangalvaar budhvaar guruvaar shukravaar shanivaar pópule pó`akahi pó`alua pó`akolu pó`ahá pó`alima pó`aono Yom_rishon Yom_sheni Yom_shlishi Yom_revi'i Yom_chamishi Yom_shishi Shabat ravivara somavar mangalavar budhavara brahaspativar shukravara shanivar vasárnap hétfö kedd szerda csütörtök péntek szombat Sunnudagur Mánudagur ╞riδjudagur Miδvikudagar Fimmtudagur FÖstudagur Laugardagur sundio lundio mardio merkurdio jovdio venerdio saturdio Minggu Senin Selasa Rabu Kamis Jumat Sabtu Dominica Lunedi Martedi Mercuridi Jovedi Venerdi Sabbato Dé_Domhnaigh Dé_Luain Dé_Máirt Dé_Ceadaoin Dé_ardaoin Dé_hAoine Dé_Sathairn domenica lunedí martedí mercoledí giovedí venerdí sabato Nichiyou_bi Getzuyou_bi Kayou_bi Suiyou_bi Mokuyou_bi Kin'you_bi Doyou_bi Il-yo-il Wol-yo-il Hwa-yo-il Su-yo-il Mok-yo-il Kum-yo-il To-yo-il Dies_Dominica Dies_Lunæ Dies_Martis Dies_Mercurii Dies_Iovis Dies_Veneris Dies_Saturni sve-tdien pirmdien otrdien tresvdien ceturtdien piektdien sestdien Sekmadienis Pirmadienis Antradienis Trec^iadienis Ketvirtadienis Penktadienis S^es^tadienis Wangu Kazooba Walumbe Mukasa Kiwanuka Nnagawonye Wamunyi xing-_qi-_rì xing-_qi-_yi-. xing-_qi-_èr xing-_qi-_san-. xing-_qi-_sì xing-_qi-_wuv. xing-_qi-_liù Jedoonee Jelune Jemayrt Jecrean Jardaim Jeheiney Jesam Jabot Manre Juje Wonje Taije Balaire Jarere geminrongo minòmishi mártes mièrkoles misheushi bèrnashi mishábaro Ahad Isnin Selasa Rabu Khamis Jumaat Sabtu sφndag mandag tirsdag onsdag torsdag fredag lφrdag lo_dimenge lo_diluns lo_dimarç lo_dimèrcres lo_dijòus lo_divendres lo_dissabte djadomingo djaluna djamars djarason djaweps djabièrna djasabra Niedziela Poniedzial/ek Wtorek S,roda Czwartek Pia,tek Sobota Domingo segunda-feire terça-feire quarta-feire quinta-feire sexta-feira såbado Domingo Lunes martes Miercoles Jueves Viernes Sabado Duminicª Luni Mart'i Miercuri Joi Vineri Sâmbªtª voskresenie ponedelnik vtornik sreda chetverg pyatnitsa subbota Sunday Di-luain Di-màirt Di-ciadain Di-ardaoin Di-haoine Di-sathurne nedjelja ponedjeljak utorak sreda cxetvrtak petak subota Sontaha Mmantaha Labobedi Laboraro Labone Labohlano Moqebelo Iridha- Sandhudha- Anga.haruwa-dha- Badha-dha- Brahaspa.thindha- Sikura-dha- Sena.sura-dha- nedel^a pondelok utorok streda s^tvrtok piatok sobota Nedelja Ponedeljek Torek Sreda Cxetrtek Petek Sobota domingo lunes martes miércoles jueves viernes sábado sonde mundey tude-wroko dride-wroko fode-wroko freyda Saturday Jumapili Jumatatu Jumanne Jumatano Alhamisi Ijumaa Jumamosi söndag måndag tisdag onsdag torsdag fredag lordag Linggo Lunes Martes Miyerkoles Huwebes Biyernes Sabado Lé-pài-jít Pài-it Pài-jï Pài-sañ Pài-sì Pài-gÖ. Pài-lák wan-ar-tit wan-tjan wan-ang-kaan wan-phoet wan-pha-ru-hat-sa-boh-die wan-sook wan-sao Tshipi Mosupologo Labobedi Laboraro Labone Labotlhano Matlhatso Pazar Pazartesi Sali Çar,samba Per,sembe Cuma Cumartesi nedilya ponedilok vivtorok sereda chetver pyatnytsya subota Chu?_Nhâ.t Thú*_Hai Thú*_Ba Thú*_Tu* Thú*_Na'm Thú*_Sáu Thú*_Ba?y dydd_Sul dyds_Llun dydd_Mawrth dyds_Mercher dydd_Iau dydd_Gwener dyds_Sadwrn Dibeer Altine Talaata Allarba Al_xebes Aljuma Gaaw iCawa uMvulo uLwesibini uLwesithathu uLuwesine uLwesihlanu uMgqibelo zuntik montik dinstik mitvokh donershtik fraytik shabes iSonto uMsombuluko uLwesibili uLwesithathu uLwesine uLwesihlanu uMgqibelo Dies_Dominica Dies_Lunæ Dies_Martis Dies_Mercurii Dies_Iovis Dies_Veneris Dies_Saturni Bazar_gÜnÜ Bazar_ærtæsi Çærs,ænbæ_axs,amò Çærs,ænbæ_gÜnÜ CÜmæ_axs,amò CÜmæ_gÜnÜ CÜmæ_Senbæ Sun Moon Mars Mercury Jove Venus Saturn zondag maandag dinsdag woensdag donderdag vrijdag zaterdag KoseEraa GyoOraa BenEraa Kuoraa YOwaaraa FeEraa Memenaa Sonntag Montag Dienstag Mittwoch Donnerstag Freitag Sonnabend Domingo Luns Terza_feira Corta_feira Xoves Venres Sábado Dies_Solis Dies_Lunae Dies_Martis Dies_Mercurii Dies_Iovis Dies_Veneris Dies_Sabbatum xing-_qi-_tiàn xing-_qi-_yi-. xing-_qi-_èr xing-_qi-_san-. xing-_qi-_sì xing-_qi-_wuv. xing-_qi-_liù djadomingu djaluna djamars djarason djaweps djabièrnè djasabra Killachau Atichau Quoyllurchau Illapachau Chaskachau Kuychichau Intichau Caveat:   The list (above) most surely contains errors (or, at the least, differences) of what the actual (or true) names for the days-of-the-week. To make this Rosetta Code task page as small as possible, if processing the complete list, read the days-of-the-week from a file (that is created from the above list). Notes concerning the above list of words   each line has a list of days-of-the-week for a language, separated by at least one blank   the words on each line happen to be in order, from Sunday ──► Saturday   most lines have words in mixed case and some have all manner of accented words and other characters   some words were translated to the nearest character that was available to code page   437   the characters in the words are not restricted except that they may not have imbedded blanks   for this example, the use of an underscore (_) was used to indicate a blank in a word Task   The list of words   (days of the week)   needn't be verified/validated.   Write a function to find the (numeric) minimum length abbreviation for each line that would make abbreviations unique.   A blank line   (or a null line)   should return a null string.   Process and show the output for at least the first five lines of the file.   Show all output here. 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
#Yabasic
Yabasic
  a = open("days_of_week.txt", "r")   while(not eof(#a)) line input #a s$ print buscar(s$), " ", s$ wend   close #a   sub buscar(s$) local n, d, i, j, s, a$, b$, r$(1)   n = token(s$, r$()) d = 1   repeat s = true for i = 1 to n for j = i + 1 to n a$ = left$(r$(i), d) b$ = left$(r$(j), d) if a$ = "" or b$ = "" s = true : break 2 if a$ = b$ s = false : d = d + 1 : break 2 next next until(s) return d end sub
http://rosettacode.org/wiki/Abbreviations,_automatic
Abbreviations, automatic
The use of   abbreviations   (also sometimes called synonyms, nicknames, AKAs, or aliases)   can be an easy way to add flexibility when specifying or using commands, sub─commands, options, etc. It would make a list of words easier to maintain   (as words are added, changed, and/or deleted)   if the minimum abbreviation length of that list could be automatically (programmatically) determined. For this task, use the list (below) of the days-of-the-week names that are expressed in about a hundred languages   (note that there is a blank line in the list). Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sondag Maandag Dinsdag Woensdag Donderdag Vrydag Saterdag E_djelë E_hënë E_martë E_mërkurë E_enjte E_premte E_shtunë Ehud Segno Maksegno Erob Hamus Arbe Kedame Al_Ahad Al_Ithinin Al_Tholatha'a Al_Arbia'a Al_Kamis Al_Gomia'a Al_Sabit Guiragui Yergou_shapti Yerek_shapti Tchorek_shapti Hink_shapti Ourpat Shapat domingu llunes martes miércoles xueves vienres sábadu Bazar_gÜnÜ Birinci_gÜn Çkinci_gÜn ÜçÜncÜ_gÜn DÖrdÜncÜ_gÜn Bes,inci_gÜn Altòncò_gÜn Igande Astelehen Astearte Asteazken Ostegun Ostiral Larunbat Robi_bar Shom_bar Mongal_bar Budhh_bar BRihashpati_bar Shukro_bar Shoni_bar Nedjelja Ponedeljak Utorak Srijeda Cxetvrtak Petak Subota Disul Dilun Dimeurzh Dimerc'her Diriaou Digwener Disadorn nedelia ponedelnik vtornik sriada chetvartak petak sabota sing_kei_yaht sing_kei_yat sing_kei_yee sing_kei_saam sing_kei_sie sing_kei_ng sing_kei_luk Diumenge Dilluns Dimarts Dimecres Dijous Divendres Dissabte Dzeenkk-eh Dzeehn_kk-ehreh Dzeehn_kk-ehreh_nah_kay_dzeeneh Tah_neesee_dzeehn_neh Deehn_ghee_dzee-neh Tl-oowey_tts-el_dehlee Dzeentt-ahzee dy_Sul dy_Lun dy_Meurth dy_Mergher dy_You dy_Gwener dy_Sadorn Dimanch Lendi Madi Mèkredi Jedi Vandredi Samdi nedjelja ponedjeljak utorak srijeda cxetvrtak petak subota nede^le ponde^lí úterÿ str^eda c^tvrtek pátek sobota Sondee Mondee Tiisiday Walansedee TOOsedee Feraadee Satadee s0ndag mandag tirsdag onsdag torsdag fredag l0rdag zondag maandag dinsdag woensdag donderdag vrijdag zaterdag Diman^co Lundo Mardo Merkredo ^Jaùdo Vendredo Sabato pÜhapäev esmaspäev teisipäev kolmapäev neljapäev reede laupäev Diu_prima Diu_sequima Diu_tritima Diu_quartima Diu_quintima Diu_sextima Diu_sabbata sunnudagur mánadagur tÿsdaguy mikudagur hósdagur friggjadagur leygardagur Yek_Sham'beh Do_Sham'beh Seh_Sham'beh Cha'har_Sham'beh Panj_Sham'beh Jom'eh Sham'beh sunnuntai maanantai tiistai keskiviiko torsktai perjantai lauantai dimanche lundi mardi mercredi jeudi vendredi samedi Snein Moandei Tiisdei Woansdei Tonersdei Freed Sneon Domingo Segunda_feira Martes Mércores Joves Venres Sábado k'vira orshabati samshabati otkhshabati khutshabati p'arask'evi shabati Sonntag Montag Dienstag Mittwoch Donnerstag Freitag Samstag Kiriaki' Defte'ra Tri'ti Teta'rti Pe'mpti Paraskebi' Sa'bato ravivaar somvaar mangalvaar budhvaar guruvaar shukravaar shanivaar pópule pó`akahi pó`alua pó`akolu pó`ahá pó`alima pó`aono Yom_rishon Yom_sheni Yom_shlishi Yom_revi'i Yom_chamishi Yom_shishi Shabat ravivara somavar mangalavar budhavara brahaspativar shukravara shanivar vasárnap hétfö kedd szerda csütörtök péntek szombat Sunnudagur Mánudagur ╞riδjudagur Miδvikudagar Fimmtudagur FÖstudagur Laugardagur sundio lundio mardio merkurdio jovdio venerdio saturdio Minggu Senin Selasa Rabu Kamis Jumat Sabtu Dominica Lunedi Martedi Mercuridi Jovedi Venerdi Sabbato Dé_Domhnaigh Dé_Luain Dé_Máirt Dé_Ceadaoin Dé_ardaoin Dé_hAoine Dé_Sathairn domenica lunedí martedí mercoledí giovedí venerdí sabato Nichiyou_bi Getzuyou_bi Kayou_bi Suiyou_bi Mokuyou_bi Kin'you_bi Doyou_bi Il-yo-il Wol-yo-il Hwa-yo-il Su-yo-il Mok-yo-il Kum-yo-il To-yo-il Dies_Dominica Dies_Lunæ Dies_Martis Dies_Mercurii Dies_Iovis Dies_Veneris Dies_Saturni sve-tdien pirmdien otrdien tresvdien ceturtdien piektdien sestdien Sekmadienis Pirmadienis Antradienis Trec^iadienis Ketvirtadienis Penktadienis S^es^tadienis Wangu Kazooba Walumbe Mukasa Kiwanuka Nnagawonye Wamunyi xing-_qi-_rì xing-_qi-_yi-. xing-_qi-_èr xing-_qi-_san-. xing-_qi-_sì xing-_qi-_wuv. xing-_qi-_liù Jedoonee Jelune Jemayrt Jecrean Jardaim Jeheiney Jesam Jabot Manre Juje Wonje Taije Balaire Jarere geminrongo minòmishi mártes mièrkoles misheushi bèrnashi mishábaro Ahad Isnin Selasa Rabu Khamis Jumaat Sabtu sφndag mandag tirsdag onsdag torsdag fredag lφrdag lo_dimenge lo_diluns lo_dimarç lo_dimèrcres lo_dijòus lo_divendres lo_dissabte djadomingo djaluna djamars djarason djaweps djabièrna djasabra Niedziela Poniedzial/ek Wtorek S,roda Czwartek Pia,tek Sobota Domingo segunda-feire terça-feire quarta-feire quinta-feire sexta-feira såbado Domingo Lunes martes Miercoles Jueves Viernes Sabado Duminicª Luni Mart'i Miercuri Joi Vineri Sâmbªtª voskresenie ponedelnik vtornik sreda chetverg pyatnitsa subbota Sunday Di-luain Di-màirt Di-ciadain Di-ardaoin Di-haoine Di-sathurne nedjelja ponedjeljak utorak sreda cxetvrtak petak subota Sontaha Mmantaha Labobedi Laboraro Labone Labohlano Moqebelo Iridha- Sandhudha- Anga.haruwa-dha- Badha-dha- Brahaspa.thindha- Sikura-dha- Sena.sura-dha- nedel^a pondelok utorok streda s^tvrtok piatok sobota Nedelja Ponedeljek Torek Sreda Cxetrtek Petek Sobota domingo lunes martes miércoles jueves viernes sábado sonde mundey tude-wroko dride-wroko fode-wroko freyda Saturday Jumapili Jumatatu Jumanne Jumatano Alhamisi Ijumaa Jumamosi söndag måndag tisdag onsdag torsdag fredag lordag Linggo Lunes Martes Miyerkoles Huwebes Biyernes Sabado Lé-pài-jít Pài-it Pài-jï Pài-sañ Pài-sì Pài-gÖ. Pài-lák wan-ar-tit wan-tjan wan-ang-kaan wan-phoet wan-pha-ru-hat-sa-boh-die wan-sook wan-sao Tshipi Mosupologo Labobedi Laboraro Labone Labotlhano Matlhatso Pazar Pazartesi Sali Çar,samba Per,sembe Cuma Cumartesi nedilya ponedilok vivtorok sereda chetver pyatnytsya subota Chu?_Nhâ.t Thú*_Hai Thú*_Ba Thú*_Tu* Thú*_Na'm Thú*_Sáu Thú*_Ba?y dydd_Sul dyds_Llun dydd_Mawrth dyds_Mercher dydd_Iau dydd_Gwener dyds_Sadwrn Dibeer Altine Talaata Allarba Al_xebes Aljuma Gaaw iCawa uMvulo uLwesibini uLwesithathu uLuwesine uLwesihlanu uMgqibelo zuntik montik dinstik mitvokh donershtik fraytik shabes iSonto uMsombuluko uLwesibili uLwesithathu uLwesine uLwesihlanu uMgqibelo Dies_Dominica Dies_Lunæ Dies_Martis Dies_Mercurii Dies_Iovis Dies_Veneris Dies_Saturni Bazar_gÜnÜ Bazar_ærtæsi Çærs,ænbæ_axs,amò Çærs,ænbæ_gÜnÜ CÜmæ_axs,amò CÜmæ_gÜnÜ CÜmæ_Senbæ Sun Moon Mars Mercury Jove Venus Saturn zondag maandag dinsdag woensdag donderdag vrijdag zaterdag KoseEraa GyoOraa BenEraa Kuoraa YOwaaraa FeEraa Memenaa Sonntag Montag Dienstag Mittwoch Donnerstag Freitag Sonnabend Domingo Luns Terza_feira Corta_feira Xoves Venres Sábado Dies_Solis Dies_Lunae Dies_Martis Dies_Mercurii Dies_Iovis Dies_Veneris Dies_Sabbatum xing-_qi-_tiàn xing-_qi-_yi-. xing-_qi-_èr xing-_qi-_san-. xing-_qi-_sì xing-_qi-_wuv. xing-_qi-_liù djadomingu djaluna djamars djarason djaweps djabièrnè djasabra Killachau Atichau Quoyllurchau Illapachau Chaskachau Kuychichau Intichau Caveat:   The list (above) most surely contains errors (or, at the least, differences) of what the actual (or true) names for the days-of-the-week. To make this Rosetta Code task page as small as possible, if processing the complete list, read the days-of-the-week from a file (that is created from the above list). Notes concerning the above list of words   each line has a list of days-of-the-week for a language, separated by at least one blank   the words on each line happen to be in order, from Sunday ──► Saturday   most lines have words in mixed case and some have all manner of accented words and other characters   some words were translated to the nearest character that was available to code page   437   the characters in the words are not restricted except that they may not have imbedded blanks   for this example, the use of an underscore (_) was used to indicate a blank in a word Task   The list of words   (days of the week)   needn't be verified/validated.   Write a function to find the (numeric) minimum length abbreviation for each line that would make abbreviations unique.   A blank line   (or a null line)   should return a null string.   Process and show the output for at least the first five lines of the file.   Show all output here. 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
#zkl
zkl
nds:=File("daysOfWeek.txt").read().howza(11) // stripped lines .pump(List,Void.Filter,fcn(day){ d,N,m := day.split(),d.len(),(0).max(d.apply("len")); // N==7 foreach n in ([1..m]){ ds:=d.apply("get",0,n); // ("Su","Mo","Tu","We","Th","Fr","Sa") foreach a,b in (N,[a+1..N-1]){ if(ds[a]==ds[b]) continue(3); } # Th==Fr? return(n,day); // part way though the words and found unique } return(m,day); // no match nowhere }); foreach n,s in (nds){ println("%3d  %s".fmt(n,s)); }
http://rosettacode.org/wiki/ABC_problem
ABC problem
ABC problem You are encouraged to solve this task according to the task description, using any language you may know. You are given a collection of ABC blocks   (maybe like the ones you had when you were a kid). There are twenty blocks with two letters on each block. A complete alphabet is guaranteed amongst all sides of the blocks. The sample collection of blocks: (B O) (X K) (D Q) (C P) (N A) (G T) (R E) (T G) (Q D) (F S) (J W) (H U) (V I) (A N) (O B) (E R) (F S) (L Y) (P C) (Z M) Task Write a function that takes a string (word) and determines whether the word can be spelled with the given collection of blocks. The rules are simple:   Once a letter on a block is used that block cannot be used again   The function should be case-insensitive   Show the output on this page for the following 7 words in the following example Example >>> can_make_word("A") True >>> can_make_word("BARK") True >>> can_make_word("BOOK") False >>> can_make_word("TREAT") True >>> can_make_word("COMMON") False >>> can_make_word("SQUAD") True >>> can_make_word("CONFUSE") True 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
#Comal
Comal
0010 FUNC can'make'word#(word$) CLOSED 0020 blocks$:=" BOXKDQCPNAGTRETGQDFSJWHUVIANOBERFSLYPCZM" 0030 FOR i#:=1 TO LEN(word$) DO 0040 pos#:=UPPER$(word$(i#)) IN blocks$ 0050 IF NOT pos# THEN RETURN FALSE 0060 blocks$(pos#):="";blocks$(pos# BITXOR 1):="" 0070 ENDFOR i# 0080 RETURN TRUE 0090 ENDFUNC 0100 // 0110 DIM yesno$(0:1) OF 3 0120 yesno$(FALSE):="no";yesno$(TRUE):="yes" 0130 WHILE NOT EOD DO 0140 READ w$ 0150 PRINT w$,": ",yesno$(can'make'word#(w$)) 0160 ENDWHILE 0170 END 0180 // 0190 DATA "A","BARK","BOOK","treat","common","squad","CoNfUsE"
http://rosettacode.org/wiki/100_prisoners
100 prisoners
The Problem 100 prisoners are individually numbered 1 to 100 A room having a cupboard of 100 opaque drawers numbered 1 to 100, that cannot be seen from outside. Cards numbered 1 to 100 are placed randomly, one to a drawer, and the drawers all closed; at the start. Prisoners start outside the room They can decide some strategy before any enter the room. Prisoners enter the room one by one, can open a drawer, inspect the card number in the drawer, then close the drawer. A prisoner can open no more than 50 drawers. A prisoner tries to find his own number. A prisoner finding his own number is then held apart from the others. If all 100 prisoners find their own numbers then they will all be pardoned. If any don't then all sentences stand. The task Simulate several thousand instances of the game where the prisoners randomly open drawers Simulate several thousand instances of the game where the prisoners use the optimal strategy mentioned in the Wikipedia article, of: First opening the drawer whose outside number is his prisoner number. If the card within has his number then he succeeds otherwise he opens the drawer with the same number as that of the revealed card. (until he opens his maximum). Show and compare the computed probabilities of success for the two strategies, here, on this page. References The unbelievable solution to the 100 prisoner puzzle standupmaths (Video). wp:100 prisoners problem 100 Prisoners Escape Puzzle DataGenetics. Random permutation statistics#One hundred prisoners on Wikipedia.
#11l
11l
F play_random(n) V pardoned = 0 V in_drawer = Array(0.<100) V sampler = Array(0.<100) L 0 .< n random:shuffle(&in_drawer) V found = 0B L(prisoner) 100 found = 0B L(reveal) random:sample(sampler, 50) V card = in_drawer[reveal] I card == prisoner found = 1B L.break I !found L.break I found pardoned++ R Float(pardoned) / n * 100   F play_optimal(n) V pardoned = 0 V in_drawer = Array(0.<100) L 0 .< n random:shuffle(&in_drawer) V found = 0B L(prisoner) 100 V reveal = prisoner found = 0B L 50 V card = in_drawer[reveal] I card == prisoner found = 1B L.break reveal = card I !found L.break I found pardoned++ R Float(pardoned) / n * 100   V n = 100'000 print(‘ Simulation count: ’n) print(‘ Random play wins: #2.1% of simulations’.format(play_random(n))) print(‘Optimal play wins: #2.1% of simulations’.format(play_optimal(n)))
http://rosettacode.org/wiki/Abundant_odd_numbers
Abundant odd numbers
An Abundant number is a number n for which the   sum of divisors   σ(n) > 2n, or,   equivalently,   the   sum of proper divisors   (or aliquot sum)       s(n) > n. E.G. 12   is abundant, it has the proper divisors     1,2,3,4 & 6     which sum to   16   ( > 12 or n);        or alternately,   has the sigma sum of   1,2,3,4,6 & 12   which sum to   28   ( > 24 or 2n). Abundant numbers are common, though even abundant numbers seem to be much more common than odd abundant numbers. To make things more interesting, this task is specifically about finding   odd abundant numbers. Task Find and display here: at least the first 25 abundant odd numbers and either their proper divisor sum or sigma sum. Find and display here: the one thousandth abundant odd number and either its proper divisor sum or sigma sum. Find and display here: the first abundant odd number greater than one billion (109) and either its proper divisor sum or sigma sum. References   OEIS:A005231: Odd abundant numbers (odd numbers n whose sum of divisors exceeds 2n)   American Journal of Mathematics, Vol. 35, No. 4 (Oct., 1913), pp. 413-422 - Finiteness of the Odd Perfect and Primitive Abundant Numbers with n Distinct Prime Factors (LE Dickson)
#Phix
Phix
function abundantOdd(integer n, done, lim, bool printAll) while done<lim do atom tot = sum(factors(n,-1)) if tot>n then done += 1 if printAll or done=lim then string ln = iff(printAll?sprintf("%2d. ",done):"") printf(1,"%s%,6d (proper sum:%,d)\n",{ln,n,tot}) end if end if n += 2 end while printf(1,"\n") return n end function printf(1,"The first 25 abundant odd numbers are:\n") integer n = abundantOdd(1, 0, 25, true) printf(1,"The one thousandth abundant odd number is:") {} = abundantOdd(n, 25, 1000, false) printf(1,"The first abundant odd number above one billion is:") {} = abundantOdd(1e9+1, 0, 1, false)
http://rosettacode.org/wiki/21_game
21 game
21 game You are encouraged to solve this task according to the task description, using any language you may know. 21 is a two player game, the game is played by choosing a number (1, 2, or 3) to be added to the running total. The game is won by the player whose chosen number causes the running total to reach exactly 21. The running total starts at zero. One player will be the computer. Players alternate supplying a number to be added to the running total. Task Write a computer program that will: do the prompting (or provide a button menu), check for errors and display appropriate error messages, do the additions (add a chosen number to the running total), display the running total, provide a mechanism for the player to quit/exit/halt/stop/close the program, issue a notification when there is a winner, and determine who goes first (maybe a random or user choice, or can be specified when the game begins).
#FreeBASIC
FreeBASIC
#define PLAYER 1 #define COMP 0 randomize timer   dim as uinteger sum, add = 0 dim as uinteger turn = int(rnd+0.5) dim as uinteger precomp(0 to 3) = { 1, 1, 3, 2 }   while sum < 21: turn = 1 - turn print using "The sum is ##"; sum if turn = PLAYER then print "It is your turn." while add < 1 orelse add > 3 orelse add+sum > 21 input "How many would you like to add? ", add wend else print "It is the computer's turn." add = precomp(sum mod 4) print using "The computer adds #."; add end if print sum = sum + add add = 0 wend   if turn = PLAYER then print "Congratulations. You win." else print "Bad luck. The computer wins." end if
http://rosettacode.org/wiki/24_game/Solve
24 game/Solve
task Write a program that takes four digits, either from user input or by random generation, and computes arithmetic expressions following the rules of the 24 game. Show examples of solutions generated by the program. Related task   Arithmetic Evaluator
#BBC_BASIC
BBC BASIC
  PROCsolve24("1234") PROCsolve24("6789") PROCsolve24("1127") PROCsolve24("5566") END   DEF PROCsolve24(s$) LOCAL F%, I%, J%, K%, L%, P%, T%, X$, o$(), p$(), t$() DIM o$(4), p$(24,4), t$(11) o$() = "", "+", "-", "*", "/" RESTORE FOR T% = 1 TO 11 READ t$(T%) NEXT DATA "abcdefg", "(abc)defg", "ab(cde)fg", "abcd(efg)", "(abc)d(efg)", "(abcde)fg" DATA "ab(cdefg)", "((abc)de)fg", "(ab(cde))fg", "ab((cde)fg)", "ab(cd(efg))"   FOR I% = 1 TO 4 FOR J% = 1 TO 4 FOR K% = 1 TO 4 FOR L% = 1 TO 4 IF I%<>J% IF J%<>K% IF K%<>L% IF I%<>K% IF J%<>L% IF I%<>L% THEN P% += 1 p$(P%,1) = MID$(s$,I%,1) p$(P%,2) = MID$(s$,J%,1) p$(P%,3) = MID$(s$,K%,1) p$(P%,4) = MID$(s$,L%,1) ENDIF NEXT NEXT NEXT NEXT   FOR I% = 1 TO 4 FOR J% = 1 TO 4 FOR K% = 1 TO 4 FOR T% = 1 TO 11 FOR P% = 1 TO 24 X$ = t$(T%) MID$(X$, INSTR(X$,"a"), 1) = p$(P%,1) MID$(X$, INSTR(X$,"b"), 1) = o$(I%) MID$(X$, INSTR(X$,"c"), 1) = p$(P%,2) MID$(X$, INSTR(X$,"d"), 1) = o$(J%) MID$(X$, INSTR(X$,"e"), 1) = p$(P%,3) MID$(X$, INSTR(X$,"f"), 1) = o$(K%) MID$(X$, INSTR(X$,"g"), 1) = p$(P%,4) F% = TRUE : ON ERROR LOCAL F% = FALSE IF F% IF EVAL(X$) = 24 THEN PRINT X$ : EXIT FOR I% RESTORE ERROR NEXT NEXT NEXT NEXT NEXT IF I% > 4 PRINT "No solution found" ENDPROC  
http://rosettacode.org/wiki/4-rings_or_4-squares_puzzle
4-rings or 4-squares puzzle
4-rings or 4-squares puzzle You are encouraged to solve this task according to the task description, using any language you may know. Task Replace       a, b, c, d, e, f,   and   g       with the decimal digits   LOW   ───►   HIGH such that the sum of the letters inside of each of the four large squares add up to the same sum. ╔══════════════╗ ╔══════════════╗ ║ ║ ║ ║ ║ a ║ ║ e ║ ║ ║ ║ ║ ║ ┌───╫──────╫───┐ ┌───╫─────────┐ ║ │ ║ ║ │ │ ║ │ ║ │ b ║ ║ d │ │ f ║ │ ║ │ ║ ║ │ │ ║ │ ║ │ ║ ║ │ │ ║ │ ╚══════════╪═══╝ ╚═══╪══════╪═══╝ │ │ c │ │ g │ │ │ │ │ │ │ │ │ └──────────────┘ └─────────────┘ Show all output here.   Show all solutions for each letter being unique with LOW=1 HIGH=7   Show all solutions for each letter being unique with LOW=3 HIGH=9   Show only the   number   of solutions when each letter can be non-unique LOW=0 HIGH=9 Related task Solve the no connection puzzle
#J
J
fspuz=:dyad define range=: x+i.1+y-x lo=. 6+3*x hi=. _3+2*y r=.i.0 0 if. lo <: hi do. for_T.lo ([+[:i.1+-~) hi do. range2=: (#~ (T-{.range)>:]) range range3=: (#~ (T-+/2{.range)>:]) range ab=: (#~ ~:/"1) (,.T-])range2 abc=: ;ab <@([ ,"1 0 -.~)"1/range3 abcd=: (#~ T = +/@}."1) ;abc <@([ ,"1 0 -.~)"1/range3 abcde=: ;abcd <@([ ,"1 0 -.~)"1/range3 abcdef=: (#~ T = +/@(3}.])"1) ;abcde <@([ ,"1 0 -.~)"1/range3 abcdefg=: (#~ T = +/@(5}.])"1) ;abcdef <@([ ,"1 0 -.~)"1/range2 r=.r,(#~ x<:<./"1)(#~ y>:>./"1)abcdefg end. end. )
http://rosettacode.org/wiki/99_bottles_of_beer
99 bottles of beer
Task Display the complete lyrics for the song:     99 Bottles of Beer on the Wall. The beer song The lyrics follow this form: 99 bottles of beer on the wall 99 bottles of beer Take one down, pass it around 98 bottles of beer on the wall 98 bottles of beer on the wall 98 bottles of beer Take one down, pass it around 97 bottles of beer on the wall ... and so on, until reaching   0     (zero). Grammatical support for   1 bottle of beer   is optional. As with any puzzle, try to do it in as creative/concise/comical a way as possible (simple, obvious solutions allowed, too). 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 See also   http://99-bottles-of-beer.net/   Category:99_Bottles_of_Beer   Category:Programming language families   Wikipedia 99 bottles of beer
#6502_Assembly
6502 Assembly
  \ 99 bottles of beer on the wall: : allout "no more bottles" ; : just-one "1 bottle"  ; : yeah! dup . " bottles" ;   [ ' allout , ' just-one , ' yeah! , ] var, bottles   : .bottles dup 2 n:min bottles @ swap caseof ; : .beer .bottles . " of beer" . ; : .wall .beer " on the wall" . ; : .take " Take one down and pass it around" . ; : beers .wall ", " . .beer '; putc cr n:1- 0 max .take ", " . .wall '. putc cr drop ;   ' beers 1 99 loop- bye  
http://rosettacode.org/wiki/24_game
24 game
The 24 Game tests one's mental arithmetic. Task Write a program that randomly chooses and displays four digits, each from 1 ──► 9 (inclusive) with repetitions allowed. The program should prompt for the player to enter an arithmetic expression using just those, and all of those four digits, used exactly once each. The program should check then evaluate the expression. The goal is for the player to enter an expression that (numerically) evaluates to 24. Only the following operators/functions are allowed: multiplication, division, addition, subtraction Division should use floating point or rational arithmetic, etc, to preserve remainders. Brackets are allowed, if using an infix expression evaluator. Forming multiple digit numbers from the supplied digits is disallowed. (So an answer of 12+12 when given 1, 2, 2, and 1 is wrong). The order of the digits when given does not have to be preserved. Notes The type of expression evaluator used is not mandated. An RPN evaluator is equally acceptable for example. The task is not for the program to generate the expression, or test whether an expression is even possible. Related tasks 24 game/Solve Reference The 24 Game on h2g2.
#Arturo
Arturo
print "-----------------------------" print " Welcome to 24 Game" print "-----------------------------"   digs: map 1..4 'x -> random 1 9   print ["The numbers you can use are:" join.with:" " digs]   print ""   validExpression?: function [expr][ loop expr 'item [ if or? inline? item block? item [ if not? validExpression? item -> return false ] if symbol? item [ if not? contains? [+ / - *] item -> return false ] if integer? item [ if not? contains? digs item -> return false ] ] return true ]   result: 0   while [result<>24][ got: input "Enter an expression to form 24: " blo: to :block got if? validExpression? blo [ result: do blo print ["The result is:" result] ] else [ print "Invalid expression. Please try again!" ] print "" ]   print "Well done!"
http://rosettacode.org/wiki/9_billion_names_of_God_the_integer
9 billion names of God the integer
This task is a variation of the short story by Arthur C. Clarke. (Solvers should be aware of the consequences of completing this task.) In detail, to specify what is meant by a   “name”: The integer 1 has 1 name     “1”. The integer 2 has 2 names   “1+1”,   and   “2”. The integer 3 has 3 names   “1+1+1”,   “2+1”,   and   “3”. The integer 4 has 5 names   “1+1+1+1”,   “2+1+1”,   “2+2”,   “3+1”,   “4”. The integer 5 has 7 names   “1+1+1+1+1”,   “2+1+1+1”,   “2+2+1”,   “3+1+1”,   “3+2”,   “4+1”,   “5”. Task Display the first 25 rows of a number triangle which begins: 1 1 1 1 1 1 1 2 1 1 1 2 2 1 1 1 3 3 2 1 1 Where row   n {\displaystyle n}   corresponds to integer   n {\displaystyle n} ,   and each column   C {\displaystyle C}   in row   m {\displaystyle m}   from left to right corresponds to the number of names beginning with   C {\displaystyle C} . A function   G ( n ) {\displaystyle G(n)}   should return the sum of the   n {\displaystyle n} -th   row. Demonstrate this function by displaying:   G ( 23 ) {\displaystyle G(23)} ,   G ( 123 ) {\displaystyle G(123)} ,   G ( 1234 ) {\displaystyle G(1234)} ,   and   G ( 12345 ) {\displaystyle G(12345)} . Optionally note that the sum of the   n {\displaystyle n} -th   row   P ( n ) {\displaystyle P(n)}   is the     integer partition function. Demonstrate this is equivalent to   G ( n ) {\displaystyle G(n)}   by displaying:   P ( 23 ) {\displaystyle P(23)} ,   P ( 123 ) {\displaystyle P(123)} ,   P ( 1234 ) {\displaystyle P(1234)} ,   and   P ( 12345 ) {\displaystyle P(12345)} . Extra credit If your environment is able, plot   P ( n ) {\displaystyle P(n)}   against   n {\displaystyle n}   for   n = 1 … 999 {\displaystyle n=1\ldots 999} . Related tasks Partition function P
#Phix
Phix
-- demo\rosetta\9billionnames.exw with javascript_semantics sequence cache = {{1}} function cumu(integer n) sequence r for l=length(cache) to n do r = {0} for x=1 to l do r = append(r,r[-1]+cache[l-x+1][min(x,l-x)+1]) end for cache = append(cache,r) end for return cache[n] end function function row(integer n) sequence r = cumu(n+1) sequence res = repeat(0,n) for i=1 to n do res[i] = r[i+1]-r[i] end for return res end function for i=1 to 25 do puts(1,repeat(' ',50-2*i)) sequence r = row(i) for j=1 to i do printf(1,"%4d",r[j]) end for puts(1,"\n") end for
http://rosettacode.org/wiki/A%2BB
A+B
A+B   ─── a classic problem in programming contests,   it's given so contestants can gain familiarity with the online judging system being used. Task Given two integers,   A and B. Their sum needs to be calculated. Input data Two integers are written in the input stream, separated by space(s): ( − 1000 ≤ A , B ≤ + 1000 ) {\displaystyle (-1000\leq A,B\leq +1000)} Output data The required output is one integer:   the sum of A and B. Example input   output   2 2 4 3 2 5
#AWK
AWK
{print $1 + $2}
http://rosettacode.org/wiki/Ackermann_function
Ackermann function
The Ackermann function is a classic example of a recursive function, notable especially because it is not a primitive recursive function. It grows very quickly in value, as does the size of its call tree. The Ackermann function is usually defined as follows: A ( m , n ) = { n + 1 if  m = 0 A ( m − 1 , 1 ) if  m > 0  and  n = 0 A ( m − 1 , A ( m , n − 1 ) ) if  m > 0  and  n > 0. {\displaystyle A(m,n)={\begin{cases}n+1&{\mbox{if }}m=0\\A(m-1,1)&{\mbox{if }}m>0{\mbox{ and }}n=0\\A(m-1,A(m,n-1))&{\mbox{if }}m>0{\mbox{ and }}n>0.\end{cases}}} Its arguments are never negative and it always terminates. Task Write a function which returns the value of A ( m , n ) {\displaystyle A(m,n)} . Arbitrary precision is preferred (since the function grows so quickly), but not required. See also Conway chained arrow notation for the Ackermann function.
#Simula
Simula
BEGIN INTEGER procedure Ackermann(g, p); SHORT INTEGER g, p; Ackermann:= IF g = 0 THEN p+1 ELSE Ackermann(g-1, IF p = 0 THEN 1 ELSE Ackermann(g, p-1));   INTEGER g, p; FOR p := 0 STEP 3 UNTIL 13 DO BEGIN g := 4 - p/3; outtext("Ackermann("); outint(g, 0); outchar(','); outint(p, 2); outtext(") = "); outint(Ackermann(g, p), 0); outimage END END
http://rosettacode.org/wiki/ABC_problem
ABC problem
ABC problem You are encouraged to solve this task according to the task description, using any language you may know. You are given a collection of ABC blocks   (maybe like the ones you had when you were a kid). There are twenty blocks with two letters on each block. A complete alphabet is guaranteed amongst all sides of the blocks. The sample collection of blocks: (B O) (X K) (D Q) (C P) (N A) (G T) (R E) (T G) (Q D) (F S) (J W) (H U) (V I) (A N) (O B) (E R) (F S) (L Y) (P C) (Z M) Task Write a function that takes a string (word) and determines whether the word can be spelled with the given collection of blocks. The rules are simple:   Once a letter on a block is used that block cannot be used again   The function should be case-insensitive   Show the output on this page for the following 7 words in the following example Example >>> can_make_word("A") True >>> can_make_word("BARK") True >>> can_make_word("BOOK") False >>> can_make_word("TREAT") True >>> can_make_word("COMMON") False >>> can_make_word("SQUAD") True >>> can_make_word("CONFUSE") True 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
#Common_Lisp
Common Lisp
  (defun word-possible-p (word blocks) (cond ((= (length word) 0) t) ((null blocks) nil) (t (let* ((c (aref word 0)) (bs (remove-if-not #'(lambda (b) (find c b :test #'char-equal)) blocks))) (some #'identity (loop for b in bs collect (word-possible-p (subseq word 1) (remove b blocks))))))))
http://rosettacode.org/wiki/100_prisoners
100 prisoners
The Problem 100 prisoners are individually numbered 1 to 100 A room having a cupboard of 100 opaque drawers numbered 1 to 100, that cannot be seen from outside. Cards numbered 1 to 100 are placed randomly, one to a drawer, and the drawers all closed; at the start. Prisoners start outside the room They can decide some strategy before any enter the room. Prisoners enter the room one by one, can open a drawer, inspect the card number in the drawer, then close the drawer. A prisoner can open no more than 50 drawers. A prisoner tries to find his own number. A prisoner finding his own number is then held apart from the others. If all 100 prisoners find their own numbers then they will all be pardoned. If any don't then all sentences stand. The task Simulate several thousand instances of the game where the prisoners randomly open drawers Simulate several thousand instances of the game where the prisoners use the optimal strategy mentioned in the Wikipedia article, of: First opening the drawer whose outside number is his prisoner number. If the card within has his number then he succeeds otherwise he opens the drawer with the same number as that of the revealed card. (until he opens his maximum). Show and compare the computed probabilities of success for the two strategies, here, on this page. References The unbelievable solution to the 100 prisoner puzzle standupmaths (Video). wp:100 prisoners problem 100 Prisoners Escape Puzzle DataGenetics. Random permutation statistics#One hundred prisoners on Wikipedia.
#AArch64_Assembly
AArch64 Assembly
  /* ARM assembly AARCH64 Raspberry PI 3B */ /* program prisonniex64.s */   /*******************************************/ /* Constantes file */ /*******************************************/ /* for this file see task include a file in language AArch64 assembly*/ .include "../includeConstantesARM64.inc"   .equ NBDOORS, 100 .equ NBLOOP, 1000   /*********************************/ /* Initialized data */ /*********************************/ .data sMessResult: .asciz "Random strategie  : @ sur 1000 \n" sMessResultOPT: .asciz "Optimal strategie : @ sur 1000 \n" szCarriageReturn: .asciz "\n" /*********************************/ /* UnInitialized data */ /*********************************/ .bss sZoneConv: .skip 24 tbDoors: .skip 8 * NBDOORS tbTest: .skip 8 * NBDOORS /*********************************/ /* code section */ /*********************************/ .text .global main main: // entry of program   ldr x1,qAdrtbDoors mov x2,#0 1: // loop init doors table add x3,x2,#1 str x3,[x1,x2,lsl #3] add x2,x2,#1 cmp x2,#NBDOORS blt 1b   mov x9,#0 // loop counter mov x10,#0 // counter successes random strategie mov x11,#0 // counter successes optimal strategie 2: ldr x0,qAdrtbDoors mov x1,#NBDOORS bl knuthShuffle   ldr x0,qAdrtbDoors bl aleaStrategie cmp x0,#NBDOORS cinc x10,x10,eq   ldr x0,qAdrtbDoors bl optimaStrategie cmp x0,#NBDOORS cinc x11,x11,eq   add x9,x9,#1 cmp x9,#NBLOOP blt 2b   mov x0,x10 // result display ldr x1,qAdrsZoneConv bl conversion10 // call decimal conversion ldr x0,qAdrsMessResult ldr x1,qAdrsZoneConv // insert conversion in message bl strInsertAtCharInc bl affichageMess   mov x0,x11 // result display ldr x1,qAdrsZoneConv bl conversion10 // call decimal conversion ldr x0,qAdrsMessResultOPT ldr x1,qAdrsZoneConv // insert conversion in message bl strInsertAtCharInc 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   qAdrszCarriageReturn: .quad szCarriageReturn qAdrsMessResult: .quad sMessResult qAdrsMessResultOPT: .quad sMessResultOPT qAdrtbDoors: .quad tbDoors qAdrtbTest: .quad tbTest qAdrsZoneConv: .quad sZoneConv /******************************************************************/ /* random door test strategy */ /******************************************************************/ /* x0 contains the address of table */ aleaStrategie: stp x1,lr,[sp,-16]! // save registres stp x2,x3,[sp,-16]! // save registres stp x4,x5,[sp,-16]! // save registres stp x6,x7,[sp,-16]! // save registres stp x8,x9,[sp,-16]! // save registres ldr x6,qAdrtbTest // table doors tests address mov x8,x0 // save table doors address mov x4,#0 // counter number of successes mov x2,#0 // prisonners indice 1: bl razTable // zero to table doors tests mov x5,#0 // counter of door tests add x7,x2,#1 2: mov x0,#1 mov x1,#NBDOORS bl extRandom // random test ldr x3,[x6,x0,lsl #3] // doors also tested ? cmp x3,#0 bne 2b // yes ldr x3,[x8,x0,lsl #3] // load N° door cmp x3,x7 // compar N° door N° prisonner cinc x4,x4,eq beq 3f mov x3,#1 // top test table item str x3,[x6,x0,lsl #3] add x5,x5,#1 cmp x5,#NBDOORS / 2 // number tests maxi ? blt 2b // no -> loop 3: add x2,x2,#1 // other prisonner cmp x2,#NBDOORS blt 1b   mov x0,x4 // return number of successes 100: ldp x8,x9,[sp],16 // restaur des 2 registres ldp x6,x7,[sp],16 // restaur des 2 registres ldp x4,x5,[sp],16 // restaur des 2 registres ldp x2,x3,[sp],16 // restaur des 2 registres ldp x1,lr,[sp],16 // restaur des 2 registres ret /******************************************************************/ /* raz test table */ /******************************************************************/ razTable: stp x0,lr,[sp,-16]! // save registres stp x1,x2,[sp,-16]! // save registres ldr x0,qAdrtbTest mov x1,#0 // item indice mov x2,#0 1: str x2,[x0,x1,lsl #3] // store zero à item add x1,x1,#1 cmp x1,#NBDOORS blt 1b 100: ldp x1,x2,[sp],16 // restaur des 2 registres ldp x0,lr,[sp],16 // restaur des 2 registres ret /******************************************************************/ /* random door test strategy */ /******************************************************************/ /* x0 contains the address of table */ optimaStrategie: stp x1,lr,[sp,-16]! // save registres stp x2,x3,[sp,-16]! // save registres stp x4,x5,[sp,-16]! // save registres mov x4,#0 // counter number of successes mov x2,#0 // counter prisonner 1: mov x5,#0 // counter test mov x1,x2 // first test = N° prisonner 2: ldr x3,[x0,x1,lsl #3] // load N° door cmp x3,x2 cinc x4,x4,eq // equal -> succes beq 3f mov x1,x3 // new test with N° door add x5,x5,#1 cmp x5,#NBDOORS / 2 // test number maxi ? blt 2b 3: add x2,x2,#1 // other prisonner cmp x2,#NBDOORS blt 1b   mov x0,x4 100: ldp x4,x5,[sp],16 // restaur des 2 registres ldp x2,x3,[sp],16 // restaur des 2 registres ldp x1,lr,[sp],16 // restaur des 2 registres ret /******************************************************************/ /* knuth Shuffle */ /******************************************************************/ /* x0 contains the address of table */ /* x1 contains the number of elements */ knuthShuffle: stp x1,lr,[sp,-16]! // save registres stp x2,x3,[sp,-16]! // save registres stp x4,x5,[sp,-16]! // save registres stp x6,x7,[sp,-16]! // save registers mov x5,x0 // save table address mov x6,x1 // save number of elements mov x2,0 // start index 1: mov x0,0 mov x1,x2 // generate aleas bl extRandom ldr x3,[x5,x2,lsl #3] // swap number on the table ldr x4,[x5,x0,lsl #3] str x4,[x5,x2,lsl #3] str x3,[x5,x0,lsl #3] add x2,x2,#1 // next number cmp x2,x6 // end ? blt 1b // no -> loop 100: ldp x6,x7,[sp],16 // restaur des 2 registres ldp x4,x5,[sp],16 // restaur des 2 registres ldp x2,x3,[sp],16 // restaur des 2 registres ldp x1,lr,[sp],16 // restaur des 2 registres ret   /******************************************************************/ /* random number */ /******************************************************************/ /* x0 contains inferior value */ /* x1 contains maxi value */ /* x0 return random number */ extRandom: stp x1,lr,[sp,-16]! // save registers stp x2,x8,[sp,-16]! // save registers stp x3,x4,[sp,-16]! // save registers stp x19,x20,[sp,-16]! // save registers sub sp,sp,16 // reserve 16 octets on stack mov x19,x0 add x20,x1,1 mov x0,sp // store result on stack mov x1,8 // length 8 bytes mov x2,0 mov x8,278 // call system Linux 64 bits Urandom svc 0 mov x0,sp // load résult on stack ldr x0,[x0] sub x2,x20,x19 // calculation of the range of values udiv x1,x0,x2 // calculation range modulo msub x0,x1,x2,x0 add x0,x0,x19 // and add inferior value 100: add sp,sp,16 // alignement stack ldp x19,x20,[sp],16 // restaur 2 registers ldp x3,x4,[sp],16 // restaur 2 registers ldp x2,x8,[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/Abundant_odd_numbers
Abundant odd numbers
An Abundant number is a number n for which the   sum of divisors   σ(n) > 2n, or,   equivalently,   the   sum of proper divisors   (or aliquot sum)       s(n) > n. E.G. 12   is abundant, it has the proper divisors     1,2,3,4 & 6     which sum to   16   ( > 12 or n);        or alternately,   has the sigma sum of   1,2,3,4,6 & 12   which sum to   28   ( > 24 or 2n). Abundant numbers are common, though even abundant numbers seem to be much more common than odd abundant numbers. To make things more interesting, this task is specifically about finding   odd abundant numbers. Task Find and display here: at least the first 25 abundant odd numbers and either their proper divisor sum or sigma sum. Find and display here: the one thousandth abundant odd number and either its proper divisor sum or sigma sum. Find and display here: the first abundant odd number greater than one billion (109) and either its proper divisor sum or sigma sum. References   OEIS:A005231: Odd abundant numbers (odd numbers n whose sum of divisors exceeds 2n)   American Journal of Mathematics, Vol. 35, No. 4 (Oct., 1913), pp. 413-422 - Finiteness of the Odd Perfect and Primitive Abundant Numbers with n Distinct Prime Factors (LE Dickson)
#PicoLisp
PicoLisp
(de accud (Var Key) (if (assoc Key (val Var)) (con @ (inc (cdr @))) (push Var (cons Key 1)) ) Key ) (de **sum (L) (let S 1 (for I (cdr L) (inc 'S (** (car L) I)) ) S ) ) (de factor-sum (N) (if (=1 N) 0 (let (R NIL D 2 L (1 2 2 . (4 2 4 2 4 6 2 6 .)) M (sqrt N) N1 N S 1 ) (while (>= M D) (if (=0 (% N1 D)) (setq M (sqrt (setq N1 (/ N1 (accud 'R D)))) ) (inc 'D (pop 'L)) ) ) (accud 'R N1) (for I R (setq S (* S (**sum I))) ) (- S N) ) ) ) (de factor-list NIL (let (N 1 C 0) (make (loop (when (> (setq @@ (factor-sum N)) N) (link (cons N @@)) (inc 'C) ) (inc 'N 2) (T (= C 1000)) ) ) ) ) (let L (factor-list) (for N 25 (println N (++ L)) ) (println 1000 (last L)) (println '**** 1000000575 (factor-sum 1000000575) ) )
http://rosettacode.org/wiki/21_game
21 game
21 game You are encouraged to solve this task according to the task description, using any language you may know. 21 is a two player game, the game is played by choosing a number (1, 2, or 3) to be added to the running total. The game is won by the player whose chosen number causes the running total to reach exactly 21. The running total starts at zero. One player will be the computer. Players alternate supplying a number to be added to the running total. Task Write a computer program that will: do the prompting (or provide a button menu), check for errors and display appropriate error messages, do the additions (add a chosen number to the running total), display the running total, provide a mechanism for the player to quit/exit/halt/stop/close the program, issue a notification when there is a winner, and determine who goes first (maybe a random or user choice, or can be specified when the game begins).
#Gambas
Gambas
  ' Gambas module file   Private gameConunt As Integer = 0 Private numRound As Integer = 1 Private winPlayer As Integer = 0 Private winComputer As Integer = 0     Public Sub Main()   Dim entra As String   Print "Enter q to quit at any time\nThe computer will choose first"   While gameConunt < 21 Print "ROUND: " & numRound & "\n" gameConunt += selectCount(gameConunt) Print Subst("Running total is now &1 \n ", gameConunt) If gameConunt = 21 Then Inc winComputer Print "The computer has won !\n" endGame() Endif gameConunt += humanCount(gameConunt) Print Subst("Running total is now &1", gameConunt) If gameConunt = 21 Then Inc winPlayer Print "Congratulations! You've won!\n" endGame() Endif Inc numRound Wend   End   Private Function selectCount(cou As Integer) As Integer   Dim a As Integer   Randomize   If cou < 18 Then a = Int(Rnd(1, 4)) Else a = 21 - cou Endif   Print "The computer choose " & a   Return a   End   Private Function humanCount(cou As Integer) As Integer   Dim entra As String Dim a As Integer   While True Print "Your choice 1 to 3" Input entra If entra = "q" Then Print "Good Bye!" Quit Endif Try a = CInt(entra) If Error Then Print "Invalid entry, try again" Continue Endif If a < 1 Or a > 3 Then Print "Out of range, try again" Continue Endif If a + cou > 21 Then Print "The sum is greater than 21, try again" Continue Endif Return a Wend   End     Private Sub endGame()   Dim entra As String   Print Subst("Computer wins &1 games, human wins &2 games", winComputer, winPlayer) Print "\nPlay again? (y/n)" Input entra If entra = "y" Or entra = "Y" Then numRound = 1 gameConunt = 0 Print "Enter q to quit at any time\nThe computer will choose first" Else Print "Good Bye!" Quit Endif   End
http://rosettacode.org/wiki/24_game/Solve
24 game/Solve
task Write a program that takes four digits, either from user input or by random generation, and computes arithmetic expressions following the rules of the 24 game. Show examples of solutions generated by the program. Related task   Arithmetic Evaluator
#C
C
#include <stdio.h>   typedef struct {int val, op, left, right;} Node;   Node nodes[10000]; int iNodes;   int b; float eval(Node x){ if (x.op != -1){ float l = eval(nodes[x.left]), r = eval(nodes[x.right]); switch(x.op){ case 0: return l+r; case 1: return l-r; case 2: return r-l; case 3: return l*r; case 4: return r?l/r:(b=1,0); case 5: return l?r/l:(b=1,0); } } else return x.val*1.; }   void show(Node x){ if (x.op != -1){ printf("("); switch(x.op){ case 0: show(nodes[x.left]); printf(" + "); show(nodes[x.right]); break; case 1: show(nodes[x.left]); printf(" - "); show(nodes[x.right]); break; case 2: show(nodes[x.right]); printf(" - "); show(nodes[x.left]); break; case 3: show(nodes[x.left]); printf(" * "); show(nodes[x.right]); break; case 4: show(nodes[x.left]); printf(" / "); show(nodes[x.right]); break; case 5: show(nodes[x.right]); printf(" / "); show(nodes[x.left]); break; } printf(")"); } else printf("%d", x.val); }   int float_fix(float x){ return x < 0.00001 && x > -0.00001; }   void solutions(int a[], int n, float t, int s){ if (s == n){ b = 0; float e = eval(nodes[0]);   if (!b && float_fix(e-t)){ show(nodes[0]); printf("\n"); } } else{ nodes[iNodes++] = (typeof(Node)){a[s],-1,-1,-1};   for (int op = 0; op < 6; op++){ int k = iNodes-1; for (int i = 0; i < k; i++){ nodes[iNodes++] = nodes[i]; nodes[i] = (typeof(Node)){-1,op,iNodes-1,iNodes-2}; solutions(a, n, t, s+1); nodes[i] = nodes[--iNodes]; } }   iNodes--; } };   int main(){ // define problem   int a[4] = {8, 3, 8, 3}; float t = 24;   // print all solutions   nodes[0] = (typeof(Node)){a[0],-1,-1,-1}; iNodes = 1;   solutions(a, sizeof(a)/sizeof(int), t, 1);   return 0; }
http://rosettacode.org/wiki/4-rings_or_4-squares_puzzle
4-rings or 4-squares puzzle
4-rings or 4-squares puzzle You are encouraged to solve this task according to the task description, using any language you may know. Task Replace       a, b, c, d, e, f,   and   g       with the decimal digits   LOW   ───►   HIGH such that the sum of the letters inside of each of the four large squares add up to the same sum. ╔══════════════╗ ╔══════════════╗ ║ ║ ║ ║ ║ a ║ ║ e ║ ║ ║ ║ ║ ║ ┌───╫──────╫───┐ ┌───╫─────────┐ ║ │ ║ ║ │ │ ║ │ ║ │ b ║ ║ d │ │ f ║ │ ║ │ ║ ║ │ │ ║ │ ║ │ ║ ║ │ │ ║ │ ╚══════════╪═══╝ ╚═══╪══════╪═══╝ │ │ c │ │ g │ │ │ │ │ │ │ │ │ └──────────────┘ └─────────────┘ Show all output here.   Show all solutions for each letter being unique with LOW=1 HIGH=7   Show all solutions for each letter being unique with LOW=3 HIGH=9   Show only the   number   of solutions when each letter can be non-unique LOW=0 HIGH=9 Related task Solve the no connection puzzle
#Java
Java
import java.util.Arrays;   public class FourSquares { public static void main(String[] args) { fourSquare(1, 7, true, true); fourSquare(3, 9, true, true); fourSquare(0, 9, false, false); }   private static void fourSquare(int low, int high, boolean unique, boolean print) { int count = 0;   if (print) { System.out.println("a b c d e f g"); } for (int a = low; a <= high; ++a) { for (int b = low; b <= high; ++b) { if (notValid(unique, a, b)) continue;   int fp = a + b; for (int c = low; c <= high; ++c) { if (notValid(unique, c, a, b)) continue; for (int d = low; d <= high; ++d) { if (notValid(unique, d, a, b, c)) continue; if (fp != b + c + d) continue;   for (int e = low; e <= high; ++e) { if (notValid(unique, e, a, b, c, d)) continue; for (int f = low; f <= high; ++f) { if (notValid(unique, f, a, b, c, d, e)) continue; if (fp != d + e + f) continue;   for (int g = low; g <= high; ++g) { if (notValid(unique, g, a, b, c, d, e, f)) continue; if (fp != f + g) continue;   ++count; if (print) { System.out.printf("%d %d %d %d %d %d %d%n", a, b, c, d, e, f, g); } } } } } } } } if (unique) { System.out.printf("There are %d unique solutions in [%d, %d]%n", count, low, high); } else { System.out.printf("There are %d non-unique solutions in [%d, %d]%n", count, low, high); } }   private static boolean notValid(boolean unique, int needle, int... haystack) { return unique && Arrays.stream(haystack).anyMatch(p -> p == needle); } }
http://rosettacode.org/wiki/99_bottles_of_beer
99 bottles of beer
Task Display the complete lyrics for the song:     99 Bottles of Beer on the Wall. The beer song The lyrics follow this form: 99 bottles of beer on the wall 99 bottles of beer Take one down, pass it around 98 bottles of beer on the wall 98 bottles of beer on the wall 98 bottles of beer Take one down, pass it around 97 bottles of beer on the wall ... and so on, until reaching   0     (zero). Grammatical support for   1 bottle of beer   is optional. As with any puzzle, try to do it in as creative/concise/comical a way as possible (simple, obvious solutions allowed, too). 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 See also   http://99-bottles-of-beer.net/   Category:99_Bottles_of_Beer   Category:Programming language families   Wikipedia 99 bottles of beer
#6800_Assembly
6800 Assembly
  \ 99 bottles of beer on the wall: : allout "no more bottles" ; : just-one "1 bottle"  ; : yeah! dup . " bottles" ;   [ ' allout , ' just-one , ' yeah! , ] var, bottles   : .bottles dup 2 n:min bottles @ swap caseof ; : .beer .bottles . " of beer" . ; : .wall .beer " on the wall" . ; : .take " Take one down and pass it around" . ; : beers .wall ", " . .beer '; putc cr n:1- 0 max .take ", " . .wall '. putc cr drop ;   ' beers 1 99 loop- bye  
http://rosettacode.org/wiki/24_game
24 game
The 24 Game tests one's mental arithmetic. Task Write a program that randomly chooses and displays four digits, each from 1 ──► 9 (inclusive) with repetitions allowed. The program should prompt for the player to enter an arithmetic expression using just those, and all of those four digits, used exactly once each. The program should check then evaluate the expression. The goal is for the player to enter an expression that (numerically) evaluates to 24. Only the following operators/functions are allowed: multiplication, division, addition, subtraction Division should use floating point or rational arithmetic, etc, to preserve remainders. Brackets are allowed, if using an infix expression evaluator. Forming multiple digit numbers from the supplied digits is disallowed. (So an answer of 12+12 when given 1, 2, 2, and 1 is wrong). The order of the digits when given does not have to be preserved. Notes The type of expression evaluator used is not mandated. An RPN evaluator is equally acceptable for example. The task is not for the program to generate the expression, or test whether an expression is even possible. Related tasks 24 game/Solve Reference The 24 Game on h2g2.
#AutoHotkey
AutoHotkey
AutoExecute: Title := "24 Game" Gui, -MinimizeBox Gui, Add, Text, w230 vPuzzle Gui, Add, Edit, wp vAnswer Gui, Add, Button, w70, &Generate Gui, Add, Button, x+10 wp Default, &Submit Gui, Add, Button, x+10 wp, E&xit     ButtonGenerate: ; new set of numbers Loop, 4 Random, r%A_Index%, 1, 9 Puzzle = %r1%, %r2%, %r3%, and %r4% GuiControl,, Puzzle, The numbers are: %Puzzle% - Good luck! GuiControl,, Answer ; empty the edit box ControlFocus, Edit1 Gui, -Disabled Gui, Show,, %Title% Return ; end of auto execute section     ButtonSubmit: ; check solution Gui, Submit, NoHide Gui, +Disabled   ; check numbers used RegExMatch(Answer, "(\d)\D+(\d)\D+(\d)\D+(\d)", $) ListPuzzle := r1 "," r2 "," r3 "," r4 ListAnswer := $1 "," $2 "," $3 "," $4 Sort, ListPuzzle, D, Sort, ListAnswer, D, If Not ListPuzzle = ListAnswer { MsgBox, 48, Error - %Title%, Numbers used!`n%Answer% Goto, TryAgain }   ; check operators used StringReplace, $, $, +,, All StringReplace, $, $, -,, All StringReplace, $, $, *,, All StringReplace, $, $, /,, All StringReplace, $, $, (,, All StringReplace, $, $, ),, All Loop, 9 StringReplace, $, $, %A_Index%,, All If StrLen($) > 0 Or InStr(Answer, "**") Or InStr(Answer, "//") Or InStr(Answer, "++") Or InStr(Answer, "--") { MsgBox, 48, Error - %Title%, Operators used!`n%Answer% Goto, TryAgain }   ; check result Result := Eval(Answer) If Not Result = 24 { MsgBox, 48, Error - %Title%, Result incorrect!`n%Result% Goto, TryAgain }   ; if we are sill here MsgBox, 4, %Title%, Correct solution! Play again? IfMsgBox, Yes Gosub, ButtonGenerate Else ExitApp Return     TryAgain: ; alternative ending of routine ButtonSubmit ControlFocus, Edit1 Gui, -Disabled Gui, Show Return     GuiClose: GuiEscape: ButtonExit: ExitApp Return     ;--------------------------------------------------------------------------- Eval(Expr) { ; evaluate expression using separate AHK process ;--------------------------------------------------------------------------- ; credit for this function goes to AutoHotkey forum member Laszlo ; http://www.autohotkey.com/forum/topic9578.html ;----------------------------------------------------------------------- static File := "24$Temp.ahk"   ; delete old temporary file, and write new FileDelete, %File% FileContent := "#NoTrayIcon`r`n" . "FileDelete, " File "`r`n" . "FileAppend, `% " Expr ", " File "`r`n" FileAppend, %FileContent%, %File%   ; run AHK to execute temp script, evaluate expression RunWait, %A_AhkPath% %File%   ; get result FileRead, Result, %File% FileDelete, %File% Return, Result }
http://rosettacode.org/wiki/9_billion_names_of_God_the_integer
9 billion names of God the integer
This task is a variation of the short story by Arthur C. Clarke. (Solvers should be aware of the consequences of completing this task.) In detail, to specify what is meant by a   “name”: The integer 1 has 1 name     “1”. The integer 2 has 2 names   “1+1”,   and   “2”. The integer 3 has 3 names   “1+1+1”,   “2+1”,   and   “3”. The integer 4 has 5 names   “1+1+1+1”,   “2+1+1”,   “2+2”,   “3+1”,   “4”. The integer 5 has 7 names   “1+1+1+1+1”,   “2+1+1+1”,   “2+2+1”,   “3+1+1”,   “3+2”,   “4+1”,   “5”. Task Display the first 25 rows of a number triangle which begins: 1 1 1 1 1 1 1 2 1 1 1 2 2 1 1 1 3 3 2 1 1 Where row   n {\displaystyle n}   corresponds to integer   n {\displaystyle n} ,   and each column   C {\displaystyle C}   in row   m {\displaystyle m}   from left to right corresponds to the number of names beginning with   C {\displaystyle C} . A function   G ( n ) {\displaystyle G(n)}   should return the sum of the   n {\displaystyle n} -th   row. Demonstrate this function by displaying:   G ( 23 ) {\displaystyle G(23)} ,   G ( 123 ) {\displaystyle G(123)} ,   G ( 1234 ) {\displaystyle G(1234)} ,   and   G ( 12345 ) {\displaystyle G(12345)} . Optionally note that the sum of the   n {\displaystyle n} -th   row   P ( n ) {\displaystyle P(n)}   is the     integer partition function. Demonstrate this is equivalent to   G ( n ) {\displaystyle G(n)}   by displaying:   P ( 23 ) {\displaystyle P(23)} ,   P ( 123 ) {\displaystyle P(123)} ,   P ( 1234 ) {\displaystyle P(1234)} ,   and   P ( 12345 ) {\displaystyle P(12345)} . Extra credit If your environment is able, plot   P ( n ) {\displaystyle P(n)}   against   n {\displaystyle n}   for   n = 1 … 999 {\displaystyle n=1\ldots 999} . Related tasks Partition function P
#Phixmonti
Phixmonti
/# Rosetta Code problem: http://rosettacode.org/wiki/9_billion_names_of_God_the_integer by Galileo, 05/2022 #/   include ..\Utilitys.pmt   cls   def nine_billion_names >ps 0 ( tps dup ) dim   1 ( 1 1 ) sset   ( 2 tps ) for var i ( 1 i ) for var j ( i 1 - j 1 - ) sget >ps ( i j - j ) sget ps> + ( i j ) sset endfor endfor   ( 1 tps ) for var i tps 2 * i 2 * 2 - - >ps ( 1 i ) for var j ( i j ) sget tostr len nip 1 swap - tps j 4 * + + i locate ( i j ) sget print endfor nl ps> drop endfor ps> drop drop enddef   20 nine_billion_names
http://rosettacode.org/wiki/9_billion_names_of_God_the_integer
9 billion names of God the integer
This task is a variation of the short story by Arthur C. Clarke. (Solvers should be aware of the consequences of completing this task.) In detail, to specify what is meant by a   “name”: The integer 1 has 1 name     “1”. The integer 2 has 2 names   “1+1”,   and   “2”. The integer 3 has 3 names   “1+1+1”,   “2+1”,   and   “3”. The integer 4 has 5 names   “1+1+1+1”,   “2+1+1”,   “2+2”,   “3+1”,   “4”. The integer 5 has 7 names   “1+1+1+1+1”,   “2+1+1+1”,   “2+2+1”,   “3+1+1”,   “3+2”,   “4+1”,   “5”. Task Display the first 25 rows of a number triangle which begins: 1 1 1 1 1 1 1 2 1 1 1 2 2 1 1 1 3 3 2 1 1 Where row   n {\displaystyle n}   corresponds to integer   n {\displaystyle n} ,   and each column   C {\displaystyle C}   in row   m {\displaystyle m}   from left to right corresponds to the number of names beginning with   C {\displaystyle C} . A function   G ( n ) {\displaystyle G(n)}   should return the sum of the   n {\displaystyle n} -th   row. Demonstrate this function by displaying:   G ( 23 ) {\displaystyle G(23)} ,   G ( 123 ) {\displaystyle G(123)} ,   G ( 1234 ) {\displaystyle G(1234)} ,   and   G ( 12345 ) {\displaystyle G(12345)} . Optionally note that the sum of the   n {\displaystyle n} -th   row   P ( n ) {\displaystyle P(n)}   is the     integer partition function. Demonstrate this is equivalent to   G ( n ) {\displaystyle G(n)}   by displaying:   P ( 23 ) {\displaystyle P(23)} ,   P ( 123 ) {\displaystyle P(123)} ,   P ( 1234 ) {\displaystyle P(1234)} ,   and   P ( 12345 ) {\displaystyle P(12345)} . Extra credit If your environment is able, plot   P ( n ) {\displaystyle P(n)}   against   n {\displaystyle n}   for   n = 1 … 999 {\displaystyle n=1\ldots 999} . Related tasks Partition function P
#Picat
Picat
import cp.   main => foreach(N in 1..25) P = integer_partition(N).reverse, G = P.map(sort_down).map(first).counts.to_list.sort.map(second), println(G=G.sum) end, println("Num partitions == sum of rows:"), println([partition1(N) : N in 1..25]).   % Get all partitions integer_partition(N) = find_all(X,integer_partition(N,X)). integer_partition(N,X) => member(Len,1..N), X = new_list(Len), X :: 1..N, increasing(X), sum(X) #= N, solve($[split],X).   % Counts the occurrences of the elements in L counts(L) = Map => Map = new_map(), foreach(I in L) Map.put(I,Map.get(I,0)+1) end.
http://rosettacode.org/wiki/A%2BB
A+B
A+B   ─── a classic problem in programming contests,   it's given so contestants can gain familiarity with the online judging system being used. Task Given two integers,   A and B. Their sum needs to be calculated. Input data Two integers are written in the input stream, separated by space(s): ( − 1000 ≤ A , B ≤ + 1000 ) {\displaystyle (-1000\leq A,B\leq +1000)} Output data The required output is one integer:   the sum of A and B. Example input   output   2 2 4 3 2 5
#BASIC
BASIC
DEFINT A-Z   tryagain: backhere = CSRLIN INPUT "", i$ i$ = LTRIM$(RTRIM$(i$)) where = INSTR(i$, " ") IF where THEN a = VAL(LEFT$(i$, where - 1)) b = VAL(MID$(i$, where + 1)) c = a + b LOCATE backhere, LEN(i$) + 1 PRINT c ELSE GOTO tryagain END IF
http://rosettacode.org/wiki/Ackermann_function
Ackermann function
The Ackermann function is a classic example of a recursive function, notable especially because it is not a primitive recursive function. It grows very quickly in value, as does the size of its call tree. The Ackermann function is usually defined as follows: A ( m , n ) = { n + 1 if  m = 0 A ( m − 1 , 1 ) if  m > 0  and  n = 0 A ( m − 1 , A ( m , n − 1 ) ) if  m > 0  and  n > 0. {\displaystyle A(m,n)={\begin{cases}n+1&{\mbox{if }}m=0\\A(m-1,1)&{\mbox{if }}m>0{\mbox{ and }}n=0\\A(m-1,A(m,n-1))&{\mbox{if }}m>0{\mbox{ and }}n>0.\end{cases}}} Its arguments are never negative and it always terminates. Task Write a function which returns the value of A ( m , n ) {\displaystyle A(m,n)} . Arbitrary precision is preferred (since the function grows so quickly), but not required. See also Conway chained arrow notation for the Ackermann function.
#Slate
Slate
m@(Integer traits) ackermann: n@(Integer traits) [ m isZero ifTrue: [n + 1] ifFalse: [n isZero ifTrue: [m - 1 ackermann: n] ifFalse: [m - 1 ackermann: (m ackermann: n - 1)]] ].
http://rosettacode.org/wiki/ABC_problem
ABC problem
ABC problem You are encouraged to solve this task according to the task description, using any language you may know. You are given a collection of ABC blocks   (maybe like the ones you had when you were a kid). There are twenty blocks with two letters on each block. A complete alphabet is guaranteed amongst all sides of the blocks. The sample collection of blocks: (B O) (X K) (D Q) (C P) (N A) (G T) (R E) (T G) (Q D) (F S) (J W) (H U) (V I) (A N) (O B) (E R) (F S) (L Y) (P C) (Z M) Task Write a function that takes a string (word) and determines whether the word can be spelled with the given collection of blocks. The rules are simple:   Once a letter on a block is used that block cannot be used again   The function should be case-insensitive   Show the output on this page for the following 7 words in the following example Example >>> can_make_word("A") True >>> can_make_word("BARK") True >>> can_make_word("BOOK") False >>> can_make_word("TREAT") True >>> can_make_word("COMMON") False >>> can_make_word("SQUAD") True >>> can_make_word("CONFUSE") True 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
#Component_Pascal
Component Pascal
  MODULE ABCProblem; IMPORT StdLog, DevCommanders, TextMappers; CONST notfound = -1; TYPE String = ARRAY 3 OF CHAR; VAR blocks : ARRAY 20 OF String;   PROCEDURE Check(s: ARRAY OF CHAR): BOOLEAN; VAR used: SET; i,blockIndex: INTEGER;   PROCEDURE GetBlockFor(c: CHAR): INTEGER; VAR i: INTEGER; BEGIN c := CAP(c); i := 0; WHILE (i < LEN(blocks)) DO IF (c = blocks[i][0]) OR (c = blocks[i][1]) THEN IF ~(i IN used) THEN RETURN i END END; INC(i) END; RETURN notfound END GetBlockFor;   BEGIN used := {}; FOR i := 0 TO LEN(s$) - 1 DO blockIndex := GetBlockFor(s[i]); IF blockIndex = notfound THEN RETURN FALSE ELSE INCL(used,blockIndex) END END; RETURN TRUE END Check;   PROCEDURE CanMakeWord*; VAR s: TextMappers.Scanner; BEGIN s.ConnectTo(DevCommanders.par.text); s.SetPos(DevCommanders.par.beg); s.Scan; WHILE (~s.rider.eot) DO IF (s.type = TextMappers.char) & (s.char = '~') THEN RETURN ELSIF (s.type = TextMappers.string) THEN StdLog.String(s.string);StdLog.String(":> "); StdLog.Bool(Check(s.string));StdLog.Ln END; s.Scan END END CanMakeWord;   BEGIN blocks[0] := "BO"; blocks[1] := "XK"; blocks[2] := "DQ"; blocks[3] := "CP"; blocks[4] := "NA"; blocks[5] := "GT"; blocks[6] := "RE"; blocks[7] := "TG"; blocks[8] := "QD"; blocks[9] := "FS"; blocks[10] := "JW"; blocks[11] := "HU"; blocks[12] := "VI"; blocks[13] := "AN"; blocks[14] := "OB"; blocks[15] := "ER"; blocks[16] := "FS"; blocks[17] := "LY"; blocks[18] := "PC"; blocks[19] := "ZM";   END ABCProblem.  
http://rosettacode.org/wiki/100_prisoners
100 prisoners
The Problem 100 prisoners are individually numbered 1 to 100 A room having a cupboard of 100 opaque drawers numbered 1 to 100, that cannot be seen from outside. Cards numbered 1 to 100 are placed randomly, one to a drawer, and the drawers all closed; at the start. Prisoners start outside the room They can decide some strategy before any enter the room. Prisoners enter the room one by one, can open a drawer, inspect the card number in the drawer, then close the drawer. A prisoner can open no more than 50 drawers. A prisoner tries to find his own number. A prisoner finding his own number is then held apart from the others. If all 100 prisoners find their own numbers then they will all be pardoned. If any don't then all sentences stand. The task Simulate several thousand instances of the game where the prisoners randomly open drawers Simulate several thousand instances of the game where the prisoners use the optimal strategy mentioned in the Wikipedia article, of: First opening the drawer whose outside number is his prisoner number. If the card within has his number then he succeeds otherwise he opens the drawer with the same number as that of the revealed card. (until he opens his maximum). Show and compare the computed probabilities of success for the two strategies, here, on this page. References The unbelievable solution to the 100 prisoner puzzle standupmaths (Video). wp:100 prisoners problem 100 Prisoners Escape Puzzle DataGenetics. Random permutation statistics#One hundred prisoners on Wikipedia.
#Ada
Ada
  package Prisoners is   type Win_Percentage is digits 2 range 0.0 .. 100.0; type Drawers is array (1 .. 100) of Positive;   function Play_Game (Repetitions : in Positive; Strategy  : not null access function (Cupboard  : in Drawers; Max_Prisoners : Integer; Max_Attempts : Integer; Prisoner_Number : Integer) return Boolean) return Win_Percentage; -- Play the game with a specified number of repetitions, the chosen strategy -- is passed to this function   function Optimal_Strategy (Cupboard : in Drawers; Max_Prisoners : Integer; Max_Attempts : Integer; Prisoner_Number : Integer) return Boolean;   function Random_Strategy (Cupboard : in Drawers; Max_Prisoners : Integer; Max_Attempts : Integer; Prisoner_Number : Integer) return Boolean;   end Prisoners;  
http://rosettacode.org/wiki/Abundant_odd_numbers
Abundant odd numbers
An Abundant number is a number n for which the   sum of divisors   σ(n) > 2n, or,   equivalently,   the   sum of proper divisors   (or aliquot sum)       s(n) > n. E.G. 12   is abundant, it has the proper divisors     1,2,3,4 & 6     which sum to   16   ( > 12 or n);        or alternately,   has the sigma sum of   1,2,3,4,6 & 12   which sum to   28   ( > 24 or 2n). Abundant numbers are common, though even abundant numbers seem to be much more common than odd abundant numbers. To make things more interesting, this task is specifically about finding   odd abundant numbers. Task Find and display here: at least the first 25 abundant odd numbers and either their proper divisor sum or sigma sum. Find and display here: the one thousandth abundant odd number and either its proper divisor sum or sigma sum. Find and display here: the first abundant odd number greater than one billion (109) and either its proper divisor sum or sigma sum. References   OEIS:A005231: Odd abundant numbers (odd numbers n whose sum of divisors exceeds 2n)   American Journal of Mathematics, Vol. 35, No. 4 (Oct., 1913), pp. 413-422 - Finiteness of the Odd Perfect and Primitive Abundant Numbers with n Distinct Prime Factors (LE Dickson)
#Processing
Processing
void setup() { println("First 25 abundant odd numbers: "); int abundant = 0; int i = 1; while (abundant < 25) { int sigma_sum = sigma(i); if (sigma_sum > 2 * i) { abundant++; println(i + " Sigma sum: " + sigma_sum); } i += 2; } println("Thousandth abundant odd number: "); while (abundant < 1000) { int sigma_sum = sigma(i); if (sigma_sum > 2 * i) { abundant++; if (abundant == 1000) { println(i + " Sigma sum: " + sigma_sum); } } i += 2; } println("First abundant odd number greater than 10^9: "); i = int(pow(10, 9)) + 1; while (!(sigma(i) > 2 * i)) { i += 2; } println(i + " Sigma sum: " + sigma(i)); }   int sigma(int n) { int sum = 0; for (int i = 1; i < sqrt(n); i++) { if (n % i == 0) { sum += i + n / i; } } if (sqrt(n) % 1 == 0) { sum += sqrt(n); } return sum; }
http://rosettacode.org/wiki/21_game
21 game
21 game You are encouraged to solve this task according to the task description, using any language you may know. 21 is a two player game, the game is played by choosing a number (1, 2, or 3) to be added to the running total. The game is won by the player whose chosen number causes the running total to reach exactly 21. The running total starts at zero. One player will be the computer. Players alternate supplying a number to be added to the running total. Task Write a computer program that will: do the prompting (or provide a button menu), check for errors and display appropriate error messages, do the additions (add a chosen number to the running total), display the running total, provide a mechanism for the player to quit/exit/halt/stop/close the program, issue a notification when there is a winner, and determine who goes first (maybe a random or user choice, or can be specified when the game begins).
#Go
Go
package main   import ( "bufio" "fmt" "log" "math/rand" "os" "strconv" "time" )   var scanner = bufio.NewScanner(os.Stdin)   var ( total = 0 quit = false )   func itob(i int) bool { if i == 0 { return false } return true }   func getChoice() { for { fmt.Print("Your choice 1 to 3 : ") scanner.Scan() if scerr := scanner.Err(); scerr != nil { log.Fatalln(scerr, "when choosing number") } text := scanner.Text() if text == "q" || text == "Q" { quit = true return } input, err := strconv.Atoi(text) if err != nil { fmt.Println("Invalid number, try again") continue } newTotal := total + input switch { case input < 1 || input > 3: fmt.Println("Out of range, try again") case newTotal > 21: fmt.Println("Too big, try again") default: total = newTotal fmt.Println("Running total is now", total) return } } }   func main() { rand.Seed(time.Now().UnixNano()) computer := itob(rand.Intn(2)) fmt.Println("Enter q to quit at any time\n") if computer { fmt.Println("The computer will choose first") } else { fmt.Println("You will choose first") } fmt.Println("\nRunning total is now 0\n") var choice int for round := 1; ; round++ { fmt.Printf("ROUND %d:\n\n", round) for i := 0; i < 2; i++ { if computer { if total < 18 { choice = 1 + rand.Intn(3) } else { choice = 21 - total } total += choice fmt.Println("The computer chooses", choice) fmt.Println("Running total is now", total) if total == 21 { fmt.Println("\nSo, commiserations, the computer has won!") return } } else { getChoice() if quit { fmt.Println("OK, quitting the game") return } if total == 21 { fmt.Println("\nSo, congratulations, you've won!") return } } fmt.Println() computer = !computer } } }
http://rosettacode.org/wiki/24_game/Solve
24 game/Solve
task Write a program that takes four digits, either from user input or by random generation, and computes arithmetic expressions following the rules of the 24 game. Show examples of solutions generated by the program. Related task   Arithmetic Evaluator
#C.2B.2B
C++
  #include <iostream> #include <ratio> #include <array> #include <algorithm> #include <random>   typedef short int Digit; // Typedef for the digits data type.   constexpr Digit nDigits{4}; // Amount of digits that are taken into the game. constexpr Digit maximumDigit{9}; // Maximum digit that may be taken into the game. constexpr short int gameGoal{24}; // Desired result.   typedef std::array<Digit, nDigits> digitSet; // Typedef for the set of digits in the game. digitSet d;   void printTrivialOperation(std::string operation) { // Prints a commutative operation taking all the digits. bool printOperation(false); for(const Digit& number : d) { if(printOperation) std::cout << operation; else printOperation = true; std::cout << number; } std::cout << std::endl; }   void printOperation(std::string prefix, std::string operation1, std::string operation2, std::string operation3, std::string suffix = "") { std::cout << prefix << d[0] << operation1 << d[1] << operation2 << d[2] << operation3 << d[3] << suffix << std::endl; }   int main() { std::mt19937_64 randomGenerator; std::uniform_int_distribution<Digit> digitDistro{1, maximumDigit}; // Let us set up a number of trials: for(int trial{10}; trial; --trial) { for(Digit& digit : d) { digit = digitDistro(randomGenerator); std::cout << digit << " "; } std::cout << std::endl; std::sort(d.begin(), d.end()); // We start with the most trivial, commutative operations: if(std::accumulate(d.cbegin(), d.cend(), 0) == gameGoal) printTrivialOperation(" + "); if(std::accumulate(d.cbegin(), d.cend(), 1, std::multiplies<Digit>{}) == gameGoal) printTrivialOperation(" * "); // Now let's start working on every permutation of the digits. do { // Operations with 2 symbols + and one symbol -: if(d[0] + d[1] + d[2] - d[3] == gameGoal) printOperation("", " + ", " + ", " - "); // If gameGoal is ever changed to a smaller value, consider adding more operations in this category. // Operations with 2 symbols + and one symbol *: if(d[0] * d[1] + d[2] + d[3] == gameGoal) printOperation("", " * ", " + ", " + "); if(d[0] * (d[1] + d[2]) + d[3] == gameGoal) printOperation("", " * ( ", " + ", " ) + "); if(d[0] * (d[1] + d[2] + d[3]) == gameGoal) printOperation("", " * ( ", " + ", " + ", " )"); // Operations with one symbol + and 2 symbols *: if((d[0] * d[1] * d[2]) + d[3] == gameGoal) printOperation("( ", " * ", " * ", " ) + "); if(d[0] * d[1] * (d[2] + d[3]) == gameGoal) printOperation("( ", " * ", " * ( ", " + ", " )"); if((d[0] * d[1]) + (d[2] * d[3]) == gameGoal) printOperation("( ", " * ", " ) + ( ", " * ", " )"); // Operations with one symbol - and 2 symbols *: if((d[0] * d[1] * d[2]) - d[3] == gameGoal) printOperation("( ", " * ", " * ", " ) - "); if(d[0] * d[1] * (d[2] - d[3]) == gameGoal) printOperation("( ", " * ", " * ( ", " - ", " )"); if((d[0] * d[1]) - (d[2] * d[3]) == gameGoal) printOperation("( ", " * ", " ) - ( ", " * ", " )"); // Operations with one symbol +, one symbol *, and one symbol -: if(d[0] * d[1] + d[2] - d[3] == gameGoal) printOperation("", " * ", " + ", " - "); if(d[0] * (d[1] + d[2]) - d[3] == gameGoal) printOperation("", " * ( ", " + ", " ) - "); if(d[0] * (d[1] - d[2]) + d[3] == gameGoal) printOperation("", " * ( ", " - ", " ) + "); if(d[0] * (d[1] + d[2] - d[3]) == gameGoal) printOperation("", " * ( ", " + ", " - ", " )"); if(d[0] * d[1] - (d[2] + d[3]) == gameGoal) printOperation("", " * ", " - ( ", " + ", " )"); // Operations with one symbol *, one symbol /, one symbol +: if(d[0] * d[1] == (gameGoal - d[3]) * d[2]) printOperation("( ", " * ", " / ", " ) + "); if(((d[0] * d[1]) + d[2]) == gameGoal * d[3]) printOperation("(( ", " * ", " ) + ", " ) / "); if((d[0] + d[1]) * d[2] == gameGoal * d[3]) printOperation("(( ", " + ", " ) * ", " ) / "); if(d[0] * d[1] == gameGoal * (d[2] + d[3])) printOperation("( ", " * ", " ) / ( ", " + ", " )"); // Operations with one symbol *, one symbol /, one symbol -: if(d[0] * d[1] == (gameGoal + d[3]) * d[2]) printOperation("( ", " * ", " / ", " ) - "); if(((d[0] * d[1]) - d[2]) == gameGoal * d[3]) printOperation("(( ", " * ", " ) - ", " ) / "); if((d[0] - d[1]) * d[2] == gameGoal * d[3]) printOperation("(( ", " - ", " ) * ", " ) / "); if(d[0] * d[1] == gameGoal * (d[2] - d[3])) printOperation("( ", " * ", " ) / ( ", " - ", " )"); // Operations with 2 symbols *, one symbol /: if(d[0] * d[1] * d[2] == gameGoal * d[3]) printOperation("", " * ", " * ", " / "); if(d[0] * d[1] == gameGoal * d[2] * d[3]) printOperation("", " * ", " / ( ", " * ", " )"); // Operations with 2 symbols /, one symbol -: if(d[0] * d[3] == gameGoal * (d[1] * d[3] - d[2])) printOperation("", " / ( ", " - ", " / ", " )"); // Operations with 2 symbols /, one symbol *: if(d[0] * d[1] == gameGoal * d[2] * d[3]) printOperation("( ", " * ", " / ", " ) / ", ""); } while(std::next_permutation(d.begin(), d.end())); // All operations are repeated for all possible permutations of the numbers. } return 0; }  
http://rosettacode.org/wiki/4-rings_or_4-squares_puzzle
4-rings or 4-squares puzzle
4-rings or 4-squares puzzle You are encouraged to solve this task according to the task description, using any language you may know. Task Replace       a, b, c, d, e, f,   and   g       with the decimal digits   LOW   ───►   HIGH such that the sum of the letters inside of each of the four large squares add up to the same sum. ╔══════════════╗ ╔══════════════╗ ║ ║ ║ ║ ║ a ║ ║ e ║ ║ ║ ║ ║ ║ ┌───╫──────╫───┐ ┌───╫─────────┐ ║ │ ║ ║ │ │ ║ │ ║ │ b ║ ║ d │ │ f ║ │ ║ │ ║ ║ │ │ ║ │ ║ │ ║ ║ │ │ ║ │ ╚══════════╪═══╝ ╚═══╪══════╪═══╝ │ │ c │ │ g │ │ │ │ │ │ │ │ │ └──────────────┘ └─────────────┘ Show all output here.   Show all solutions for each letter being unique with LOW=1 HIGH=7   Show all solutions for each letter being unique with LOW=3 HIGH=9   Show only the   number   of solutions when each letter can be non-unique LOW=0 HIGH=9 Related task Solve the no connection puzzle
#JavaScript
JavaScript
(() => {   // 4-rings or 4-squares puzzle ------------------------   // rings :: noRepeatedDigits -> DigitList -> solutions // rings :: Bool -> [Int] -> [[Int]] const rings = (uniq, digits) => { return 0 < digits.length ? (() => { const ns = sortBy(flip(compare), digits), h = head(ns);   // CENTRAL DIGIT :: d return bindList( ns, d => { const ts = filter(x => (x + d) <= h, ns);   // LEFT OF CENTRE :: c and a return bindList( uniq ? delete_(d, ts) : ns, c => { const a = c + d;   // RIGHT OF CENTRE :: e and g return a > h ? ( [] ) : bindList(uniq ? ( difference(ts, [d, c, a]) ) : ns, e => { const g = d + e; return ((g > h) || (uniq && (g === c))) ? ( [] ) : (() => { const agDelta = a - g, bfs = uniq ? difference( ns, [d, c, e, g, a] ) : ns;   // MID LEFT, MID RIGHT :: b and f return bindList(bfs, b => { const f = b + agDelta; return elem(f, bfs) && ( !uniq || notElem(f, [ a, b, c, d, e, g ]) ) ? ([ [a, b, c, d, e, f, g] ]) : []; }); })(); }); }); }); })() : [] };     // TEST ----------------------------------------------- const main = () => { return unlines([ 'rings(true, enumFromTo(1,7))\n', unlines(map(show, rings(true, enumFromTo(1, 7)))),   '\nrings(true, enumFromTo(3, 9))\n', unlines(map(show, rings(true, enumFromTo(3, 9)))),   '\nlength(rings(false, enumFromTo(0, 9)))\n', length(rings(false, enumFromTo(0, 9))) .toString(), '' ]); };   // GENERIC FUNCTIONS ----------------------------------   // bindList (>>=) :: [a] -> (a -> [b]) -> [b] const bindList = (xs, mf) => [].concat.apply([], xs.map(mf));   // compare :: a -> a -> Ordering const compare = (a, b) => a < b ? -1 : (a > b ? 1 : 0);   // delete_ :: Eq a => a -> [a] -> [a] const delete_ = (x, xs) => xs.length > 0 ? ( (x === xs[0]) ? ( xs.slice(1) ) : [xs[0]].concat(delete_(x, xs.slice(1))) ) : [];   // difference :: Eq a => [a] -> [a] -> [a] const difference = (xs, ys) => { const s = new Set(ys); return xs.filter(x => !s.has(x)); };   // elem :: Eq a => a -> [a] -> Bool const elem = (x, xs) => xs.indexOf(x) !== -1;   // enumFromTo :: Int -> Int -> [Int] const enumFromTo = (m, n) => Array.from({ length: Math.floor(n - m) + 1 }, (_, i) => m + i);   // filter :: (a -> Bool) -> [a] -> [a] const filter = (f, xs) => xs.filter(f);   // flip :: (a -> b -> c) -> b -> a -> c const flip = f => (a, b) => f.apply(null, [b, a]);   // head :: [a] -> a const head = xs => xs.length ? xs[0] : undefined;   // length :: [a] -> Int const length = xs => xs.length;   // map :: (a -> b) -> [a] -> [b] const map = (f, xs) => xs.map(f);   // notElem :: Eq a => a -> [a] -> Bool const notElem = (x, xs) => xs.indexOf(x) === -1;   // show :: a -> String const show = x => JSON.stringify(x); //, null, 2);   // sortBy :: (a -> a -> Ordering) -> [a] -> [a] const sortBy = (f, xs) => xs.sort(f);   // unlines :: [String] -> String const unlines = xs => xs.join('\n');     // MAIN --- return main(); })();
http://rosettacode.org/wiki/99_bottles_of_beer
99 bottles of beer
Task Display the complete lyrics for the song:     99 Bottles of Beer on the Wall. The beer song The lyrics follow this form: 99 bottles of beer on the wall 99 bottles of beer Take one down, pass it around 98 bottles of beer on the wall 98 bottles of beer on the wall 98 bottles of beer Take one down, pass it around 97 bottles of beer on the wall ... and so on, until reaching   0     (zero). Grammatical support for   1 bottle of beer   is optional. As with any puzzle, try to do it in as creative/concise/comical a way as possible (simple, obvious solutions allowed, too). 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 See also   http://99-bottles-of-beer.net/   Category:99_Bottles_of_Beer   Category:Programming language families   Wikipedia 99 bottles of beer
#8080_Assembly
8080 Assembly
  \ 99 bottles of beer on the wall: : allout "no more bottles" ; : just-one "1 bottle"  ; : yeah! dup . " bottles" ;   [ ' allout , ' just-one , ' yeah! , ] var, bottles   : .bottles dup 2 n:min bottles @ swap caseof ; : .beer .bottles . " of beer" . ; : .wall .beer " on the wall" . ; : .take " Take one down and pass it around" . ; : beers .wall ", " . .beer '; putc cr n:1- 0 max .take ", " . .wall '. putc cr drop ;   ' beers 1 99 loop- bye  
http://rosettacode.org/wiki/24_game
24 game
The 24 Game tests one's mental arithmetic. Task Write a program that randomly chooses and displays four digits, each from 1 ──► 9 (inclusive) with repetitions allowed. The program should prompt for the player to enter an arithmetic expression using just those, and all of those four digits, used exactly once each. The program should check then evaluate the expression. The goal is for the player to enter an expression that (numerically) evaluates to 24. Only the following operators/functions are allowed: multiplication, division, addition, subtraction Division should use floating point or rational arithmetic, etc, to preserve remainders. Brackets are allowed, if using an infix expression evaluator. Forming multiple digit numbers from the supplied digits is disallowed. (So an answer of 12+12 when given 1, 2, 2, and 1 is wrong). The order of the digits when given does not have to be preserved. Notes The type of expression evaluator used is not mandated. An RPN evaluator is equally acceptable for example. The task is not for the program to generate the expression, or test whether an expression is even possible. Related tasks 24 game/Solve Reference The 24 Game on h2g2.
#AutoIt
AutoIt
  ;AutoIt Script Example ;by Daniel Barnes ;spam me at djbarnes at orcon dot net dot en zed ;13/08/2012   ;Choose four random digits (1-9) with repetitions allowed: global $digits FOR $i = 1 TO 4 $digits &= Random(1,9,1) NEXT   While 1 main() WEnd   Func main() $text = "Enter an equation (using all of, and only, the single digits "&$digits &")"&@CRLF $text &= "which evaluates to exactly 24. Only multiplication (*) division (/)"&@CRLF $text &= "addition (+) and subtraction (-) operations and parentheses are allowed:" $input = InputBox ("24 Game",$text,"","",400,150) If @error Then exit   ;remove any spaces in input $input = StringReplace($input," ","")   ;check correct characters were used For $i = 1 To StringLen($input) $chr = StringMid($input,$i,1) If Not StringInStr("123456789*/+-()",$chr) Then MsgBox (0, "ERROR","Invalid character used: '"&$chr&"'") return endif Next   ;validate the equation uses all of the 4 characters, and nothing else $test = $input $test = StringReplace($test,"(","") $test = StringReplace($test,")","")   ;validate the length of the input - if its not 7 characters long then the user has done something wrong If StringLen ($test) <> 7 Then MsgBox (0,"ERROR","The equation "&$test&" is invalid") return endif   $test = StringReplace($test,"/","") $test = StringReplace($test,"*","") $test = StringReplace($test,"-","") $test = StringReplace($test,"+","")   For $i = 1 To StringLen($digits) $digit = StringMid($digits,$i,1) For $ii = 1 To StringLen($test) If StringMid($test,$ii,1) = $digit Then $test = StringLeft($test,$ii-1) & StringRight($test,StringLen($test)-$ii) ExitLoop endif Next Next If $test <> "" Then MsgBox (0, "ERROR", "The equation didn't use all 4 characters, and nothing else!") return endif   $try = Execute($input)   If $try = 24 Then MsgBox (0, "24 Game","Well done. Your equation ("&$input&") = 24!") Exit Else MsgBox (0, "24 Game","Fail. Your equation ("&$input&") = "&$try&"!") return endif EndFunc  
http://rosettacode.org/wiki/9_billion_names_of_God_the_integer
9 billion names of God the integer
This task is a variation of the short story by Arthur C. Clarke. (Solvers should be aware of the consequences of completing this task.) In detail, to specify what is meant by a   “name”: The integer 1 has 1 name     “1”. The integer 2 has 2 names   “1+1”,   and   “2”. The integer 3 has 3 names   “1+1+1”,   “2+1”,   and   “3”. The integer 4 has 5 names   “1+1+1+1”,   “2+1+1”,   “2+2”,   “3+1”,   “4”. The integer 5 has 7 names   “1+1+1+1+1”,   “2+1+1+1”,   “2+2+1”,   “3+1+1”,   “3+2”,   “4+1”,   “5”. Task Display the first 25 rows of a number triangle which begins: 1 1 1 1 1 1 1 2 1 1 1 2 2 1 1 1 3 3 2 1 1 Where row   n {\displaystyle n}   corresponds to integer   n {\displaystyle n} ,   and each column   C {\displaystyle C}   in row   m {\displaystyle m}   from left to right corresponds to the number of names beginning with   C {\displaystyle C} . A function   G ( n ) {\displaystyle G(n)}   should return the sum of the   n {\displaystyle n} -th   row. Demonstrate this function by displaying:   G ( 23 ) {\displaystyle G(23)} ,   G ( 123 ) {\displaystyle G(123)} ,   G ( 1234 ) {\displaystyle G(1234)} ,   and   G ( 12345 ) {\displaystyle G(12345)} . Optionally note that the sum of the   n {\displaystyle n} -th   row   P ( n ) {\displaystyle P(n)}   is the     integer partition function. Demonstrate this is equivalent to   G ( n ) {\displaystyle G(n)}   by displaying:   P ( 23 ) {\displaystyle P(23)} ,   P ( 123 ) {\displaystyle P(123)} ,   P ( 1234 ) {\displaystyle P(1234)} ,   and   P ( 12345 ) {\displaystyle P(12345)} . Extra credit If your environment is able, plot   P ( n ) {\displaystyle P(n)}   against   n {\displaystyle n}   for   n = 1 … 999 {\displaystyle n=1\ldots 999} . Related tasks Partition function P
#PicoLisp
PicoLisp
(de row (N) (let C '((1)) (do N (push 'C (grow C)) ) (mapcon '((L) (when (cdr L) (cons (- (cadr L) (car L))) ) ) (car C) ) ) )   (de grow (Lst) (let (L (length Lst) S 0) (cons 0 (mapcar '((I X) (inc 'S (get I (inc (min X (- L X)))) ) ) Lst (range 1 L) ) ) ) )   (de sumr (N) (let (K 1 S 1 O (cons 1 (need N 0)) D (make (while (< (* K (dec (* 3 K))) (* 2 N) ) (link (list (dec (* 2 K)) S)) (link (list K S)) (inc 'K) (setq S (- S)) ) ) ) (for (Y O (cdr Y) (cdr Y)) (let Z Y (for L D (inc (setq Z (cdr (nth Z (car L)))) (* (car Y) (cadr L)) ) ) ) ) (last O) ) )   (for I 25 (println (row I)) )   (bench (for I '(23 123 1234 12345) (println (sumr I)) ) )   (bye)
http://rosettacode.org/wiki/9_billion_names_of_God_the_integer
9 billion names of God the integer
This task is a variation of the short story by Arthur C. Clarke. (Solvers should be aware of the consequences of completing this task.) In detail, to specify what is meant by a   “name”: The integer 1 has 1 name     “1”. The integer 2 has 2 names   “1+1”,   and   “2”. The integer 3 has 3 names   “1+1+1”,   “2+1”,   and   “3”. The integer 4 has 5 names   “1+1+1+1”,   “2+1+1”,   “2+2”,   “3+1”,   “4”. The integer 5 has 7 names   “1+1+1+1+1”,   “2+1+1+1”,   “2+2+1”,   “3+1+1”,   “3+2”,   “4+1”,   “5”. Task Display the first 25 rows of a number triangle which begins: 1 1 1 1 1 1 1 2 1 1 1 2 2 1 1 1 3 3 2 1 1 Where row   n {\displaystyle n}   corresponds to integer   n {\displaystyle n} ,   and each column   C {\displaystyle C}   in row   m {\displaystyle m}   from left to right corresponds to the number of names beginning with   C {\displaystyle C} . A function   G ( n ) {\displaystyle G(n)}   should return the sum of the   n {\displaystyle n} -th   row. Demonstrate this function by displaying:   G ( 23 ) {\displaystyle G(23)} ,   G ( 123 ) {\displaystyle G(123)} ,   G ( 1234 ) {\displaystyle G(1234)} ,   and   G ( 12345 ) {\displaystyle G(12345)} . Optionally note that the sum of the   n {\displaystyle n} -th   row   P ( n ) {\displaystyle P(n)}   is the     integer partition function. Demonstrate this is equivalent to   G ( n ) {\displaystyle G(n)}   by displaying:   P ( 23 ) {\displaystyle P(23)} ,   P ( 123 ) {\displaystyle P(123)} ,   P ( 1234 ) {\displaystyle P(1234)} ,   and   P ( 12345 ) {\displaystyle P(12345)} . Extra credit If your environment is able, plot   P ( n ) {\displaystyle P(n)}   against   n {\displaystyle n}   for   n = 1 … 999 {\displaystyle n=1\ldots 999} . Related tasks Partition function P
#Pike
Pike
array cumu(int n) { array(array(int)) cache = ({({1})});   for(int l = sizeof(cache); l < n + 1; l++) { array(int) r = ({0}); for(int x = 1; x < l + 1; x++) { r = Array.push(r, r[-1] + cache[l - x][min(x, l-x)]); } cache = Array.push(cache, r); } return cache[n]; }   array row(int n) { array r = cumu(n); array res = ({}); for (int i = 0; i < n; i++) { res = Array.push(res, r[i+1] - r[i]); } return res; }   int main() { write("rows:\n"); for(int x = 1; x < 11; x++) { write("%2d: ", x); for(int i = 0; i < sizeof(row(x)); i++) { write((string)row(x)[i] + " "); } write("\n"); }   array(int) sum_n = ({23, 123, 1234, 12345}); write("\nsums:\n"); for (int x = 0; x < sizeof(sum_n); x++) { write((string)sum_n[x] + " " + (string)cumu(sum_n[x])[-1] + "\n"); } return 0; }
http://rosettacode.org/wiki/A%2BB
A+B
A+B   ─── a classic problem in programming contests,   it's given so contestants can gain familiarity with the online judging system being used. Task Given two integers,   A and B. Their sum needs to be calculated. Input data Two integers are written in the input stream, separated by space(s): ( − 1000 ≤ A , B ≤ + 1000 ) {\displaystyle (-1000\leq A,B\leq +1000)} Output data The required output is one integer:   the sum of A and B. Example input   output   2 2 4 3 2 5
#Batch_File
Batch File
::aplusb.cmd @echo off setlocal set /p a="A: " set /p b="B: " set /a c=a+b echo %c% endlocal
http://rosettacode.org/wiki/Ackermann_function
Ackermann function
The Ackermann function is a classic example of a recursive function, notable especially because it is not a primitive recursive function. It grows very quickly in value, as does the size of its call tree. The Ackermann function is usually defined as follows: A ( m , n ) = { n + 1 if  m = 0 A ( m − 1 , 1 ) if  m > 0  and  n = 0 A ( m − 1 , A ( m , n − 1 ) ) if  m > 0  and  n > 0. {\displaystyle A(m,n)={\begin{cases}n+1&{\mbox{if }}m=0\\A(m-1,1)&{\mbox{if }}m>0{\mbox{ and }}n=0\\A(m-1,A(m,n-1))&{\mbox{if }}m>0{\mbox{ and }}n>0.\end{cases}}} Its arguments are never negative and it always terminates. Task Write a function which returns the value of A ( m , n ) {\displaystyle A(m,n)} . Arbitrary precision is preferred (since the function grows so quickly), but not required. See also Conway chained arrow notation for the Ackermann function.
#Smalltalk
Smalltalk
|ackermann| ackermann := [ :n :m | (n = 0) ifTrue: [ (m + 1) ] ifFalse: [ (m = 0) ifTrue: [ ackermann value: (n-1) value: 1 ] ifFalse: [ ackermann value: (n-1) value: ( ackermann value: n value: (m-1) ) ] ] ].   (ackermann value: 0 value: 0) displayNl. (ackermann value: 3 value: 4) displayNl.
http://rosettacode.org/wiki/ABC_problem
ABC problem
ABC problem You are encouraged to solve this task according to the task description, using any language you may know. You are given a collection of ABC blocks   (maybe like the ones you had when you were a kid). There are twenty blocks with two letters on each block. A complete alphabet is guaranteed amongst all sides of the blocks. The sample collection of blocks: (B O) (X K) (D Q) (C P) (N A) (G T) (R E) (T G) (Q D) (F S) (J W) (H U) (V I) (A N) (O B) (E R) (F S) (L Y) (P C) (Z M) Task Write a function that takes a string (word) and determines whether the word can be spelled with the given collection of blocks. The rules are simple:   Once a letter on a block is used that block cannot be used again   The function should be case-insensitive   Show the output on this page for the following 7 words in the following example Example >>> can_make_word("A") True >>> can_make_word("BARK") True >>> can_make_word("BOOK") False >>> can_make_word("TREAT") True >>> can_make_word("COMMON") False >>> can_make_word("SQUAD") True >>> can_make_word("CONFUSE") True 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
#Cowgol
Cowgol
include "cowgol.coh"; include "strings.coh";   sub can_make_word(word: [uint8]): (r: uint8) is var blocks: [uint8] := "BOXKDQCPNAGTRETGQDFSJWHUVIANOBERFSLYPCZM";   # Initialize blocks array var avl: uint8[41]; CopyString(blocks, &avl[0]);   r := 1; loop var letter := [word]; word := @next word; if letter == 0 then break; end if;   # find current letter in blocks var i: @indexof avl := 0; loop var block := avl[i]; if block == 0 then # no block, this word cannot be formed r := 0; return; elseif block == letter then # we found it, blank it out avl[i] := ' '; avl[i^1] := ' '; # and the other letter on the block too break; end if; i := i + 1; end loop; end loop; end sub;   # test a list of words var words: [uint8][] := {"A","BARK","BOOK","TREAT","COMMON","SQUAD","CONFUSE"}; var resp: [uint8][] := {": No\n", ": Yes\n"}; var i: @indexof words := 0; while i < @sizeof words loop print(words[i]); print(resp[can_make_word(words[i])]); i := i + 1; end loop;
http://rosettacode.org/wiki/100_prisoners
100 prisoners
The Problem 100 prisoners are individually numbered 1 to 100 A room having a cupboard of 100 opaque drawers numbered 1 to 100, that cannot be seen from outside. Cards numbered 1 to 100 are placed randomly, one to a drawer, and the drawers all closed; at the start. Prisoners start outside the room They can decide some strategy before any enter the room. Prisoners enter the room one by one, can open a drawer, inspect the card number in the drawer, then close the drawer. A prisoner can open no more than 50 drawers. A prisoner tries to find his own number. A prisoner finding his own number is then held apart from the others. If all 100 prisoners find their own numbers then they will all be pardoned. If any don't then all sentences stand. The task Simulate several thousand instances of the game where the prisoners randomly open drawers Simulate several thousand instances of the game where the prisoners use the optimal strategy mentioned in the Wikipedia article, of: First opening the drawer whose outside number is his prisoner number. If the card within has his number then he succeeds otherwise he opens the drawer with the same number as that of the revealed card. (until he opens his maximum). Show and compare the computed probabilities of success for the two strategies, here, on this page. References The unbelievable solution to the 100 prisoner puzzle standupmaths (Video). wp:100 prisoners problem 100 Prisoners Escape Puzzle DataGenetics. Random permutation statistics#One hundred prisoners on Wikipedia.
#APL
APL
  ∇ R ← random Nnc; N; n; c (N n c) ← Nnc R ← ∧/{∨/⍵=c[n?N]}¨⍳N ∇   ∇ R ← follow Nnc; N; n; c; b (N n c) ← Nnc b ← n N⍴⍳N R ← ∧/∨⌿b={⍺⊢c[⍵]}⍀n N⍴c ∇   ∇ R ← M timesSimPrisoners Nn; N; n; m; c; r; s (N n) ← Nn R ← 0 0 m ← M LOOP: c←N?N r ← random N n c s ← follow N n c R ← R + r,s →((m←m-1)>0)/LOOP R ← R ÷ M ∇   5000 timesSimPrisoners 100 50    
http://rosettacode.org/wiki/Abundant_odd_numbers
Abundant odd numbers
An Abundant number is a number n for which the   sum of divisors   σ(n) > 2n, or,   equivalently,   the   sum of proper divisors   (or aliquot sum)       s(n) > n. E.G. 12   is abundant, it has the proper divisors     1,2,3,4 & 6     which sum to   16   ( > 12 or n);        or alternately,   has the sigma sum of   1,2,3,4,6 & 12   which sum to   28   ( > 24 or 2n). Abundant numbers are common, though even abundant numbers seem to be much more common than odd abundant numbers. To make things more interesting, this task is specifically about finding   odd abundant numbers. Task Find and display here: at least the first 25 abundant odd numbers and either their proper divisor sum or sigma sum. Find and display here: the one thousandth abundant odd number and either its proper divisor sum or sigma sum. Find and display here: the first abundant odd number greater than one billion (109) and either its proper divisor sum or sigma sum. References   OEIS:A005231: Odd abundant numbers (odd numbers n whose sum of divisors exceeds 2n)   American Journal of Mathematics, Vol. 35, No. 4 (Oct., 1913), pp. 413-422 - Finiteness of the Odd Perfect and Primitive Abundant Numbers with n Distinct Prime Factors (LE Dickson)
#PureBasic
PureBasic
NewList l_sum.i()     Procedure.i sum_proper_divisors(n.i) Define.i sum, i=3, j Shared l_sum() AddElement(l_sum()) l_sum()=1 While i<Sqr(n)+1 If n%i=0 sum+i AddElement(l_sum()) l_sum()=i j=n/i If i<>j sum+j AddElement(l_sum()) l_sum()=j EndIf EndIf i+2 Wend ProcedureReturn sum+1 EndProcedure     If OpenConsole("Abundant_odd_numbers") Define.i n, c, s   n=1 c=0 While c<25 ClearList(l_sum()) s=sum_proper_divisors(n) If n<s SortList(l_sum(),#PB_Sort_Ascending) c+1 Print(RSet(Str(c),3)+": "+RSet(Str(n),6)+" -> "+RSet(Str(s),6)) ForEach l_sum() If ListIndex(l_sum())=0 Print(" = ") Else Print("+") EndIf Print(Str(l_sum())) Next PrintN("") EndIf n+2 Wend   n-2 While c<1000 s=sum_proper_divisors(n+2) c+Bool(n<s) n+2 Wend PrintN(~"\nThe one thousandth abundant odd number is: "+Str(n)+ ~"\n\tand the proper divisor sum is: "+Str(s))   n=1000000001-2 Repeat n+2 s=sum_proper_divisors(n) Until n<s PrintN("The first abundant odd number above one billion is: "+Str(n)+ ~"\n\tand the proper divisor sum is: "+Str(s))   Input() EndIf
http://rosettacode.org/wiki/21_game
21 game
21 game You are encouraged to solve this task according to the task description, using any language you may know. 21 is a two player game, the game is played by choosing a number (1, 2, or 3) to be added to the running total. The game is won by the player whose chosen number causes the running total to reach exactly 21. The running total starts at zero. One player will be the computer. Players alternate supplying a number to be added to the running total. Task Write a computer program that will: do the prompting (or provide a button menu), check for errors and display appropriate error messages, do the additions (add a chosen number to the running total), display the running total, provide a mechanism for the player to quit/exit/halt/stop/close the program, issue a notification when there is a winner, and determine who goes first (maybe a random or user choice, or can be specified when the game begins).
#Haskell
Haskell
import System.Random import System.IO import System.Exit import Control.Monad import Text.Read import Data.Maybe   promptAgain :: IO Int promptAgain = do putStrLn "Invalid input - must be a number among 1,2 or 3. Try again." playerMove   playerMove :: IO Int playerMove = do putStr "Your choice(1 to 3):" number <- getLine when (number == "q") $ do exitWith ExitSuccess let n = readMaybe number :: Maybe Int x <- if isNothing n then promptAgain else let val = read number in if (val > 3 || val < 1) then promptAgain else return val return x   computerMove :: IO Int computerMove = do x <- randomRIO (1, 3) putStrLn $ "Computer move:" ++ (show x) return x   gameLoop :: (IO Int, IO Int) -> IO Int gameLoop moveorder = loop moveorder 0 where loop moveorder total = do number <- fst moveorder let total1 = number + total putStrLn $ "Running total:" ++ (show total1) if total1 >= 21 then return 0 else do number <- snd moveorder let total2 = number + total1 putStrLn $ "Running total:" ++ (show total2) if total2 >= 21 then return 1 else loop moveorder total2   main :: IO () main = do hSetBuffering stdout $ BlockBuffering $ Just 1 putStrLn "Enter q to quit at any time" x <- randomRIO (0, 1) :: IO Int let (moveorder, names) = if x == 0 then ((playerMove, computerMove), ("Player", "Computer")) else ((computerMove, playerMove), ("Computer", "Player")) when (x == 1) $ do putStrLn "Computer will start the game" y <- gameLoop moveorder when (y == 0) $ do putStrLn $ (fst names) ++ " has won the game" when (y == 1) $ do putStrLn $ (snd names) ++ " has won the game"
http://rosettacode.org/wiki/24_game/Solve
24 game/Solve
task Write a program that takes four digits, either from user input or by random generation, and computes arithmetic expressions following the rules of the 24 game. Show examples of solutions generated by the program. Related task   Arithmetic Evaluator
#C.23
C#
using System; using System.Collections.Generic; using static System.Linq.Enumerable;   public static class Solve24Game { public static void Main2() { var testCases = new [] { new [] { 1,1,2,7 }, new [] { 1,2,3,4 }, new [] { 1,2,4,5 }, new [] { 1,2,7,7 }, new [] { 1,4,5,6 }, new [] { 3,3,8,8 }, new [] { 4,4,5,9 }, new [] { 5,5,5,5 }, new [] { 5,6,7,8 }, new [] { 6,6,6,6 }, new [] { 6,7,8,9 }, }; foreach (var t in testCases) Test(24, t); Test(100, 9,9,9,9,9,9);   static void Test(int target, params int[] numbers) { foreach (var eq in GenerateEquations(target, numbers)) Console.WriteLine(eq); Console.WriteLine(); } }   static readonly char[] ops = { '*', '/', '+', '-' }; public static IEnumerable<string> GenerateEquations(int target, params int[] numbers) { var operators = Repeat(ops, numbers.Length - 1).CartesianProduct().Select(e => e.ToArray()).ToList(); return ( from pattern in Patterns(numbers.Length) let expression = CreateExpression(pattern) from ops in operators where expression.WithOperators(ops).HasPreferredTree() from permutation in Permutations(numbers) let expr = expression.WithValues(permutation) where expr.Value == target && expr.HasPreferredValues() select $"{expr.ToString()} = {target}") .Distinct() .DefaultIfEmpty($"Cannot make {target} with {string.Join(", ", numbers)}"); }   ///<summary>Generates postfix expression trees where 1's represent operators and 0's represent numbers.</summary> static IEnumerable<int> Patterns(int length) { if (length == 1) yield return 0; //0 if (length == 2) yield return 1; //001 if (length < 3) yield break; //Of each tree, the first 2 bits must always be 0 and the last bit must be 1. Generate the bits in between. length -= 2; int len = length * 2 + 3; foreach (int permutation in BinaryPatterns(length, length * 2)) { (int p, int l) = ((permutation << 1) + 1, len); if (IsValidPattern(ref p, ref l)) yield return (permutation << 1) + 1; } }   ///<summary>Generates all numbers with the given number of 1's and total length.</summary> static IEnumerable<int> BinaryPatterns(int ones, int length) { int initial = (1 << ones) - 1; int blockMask = (1 << length) - 1; for (int v = initial; v >= initial; ) { yield return v; int w = (v | (v - 1)) + 1; w |= (((w & -w) / (v & -v)) >> 1) - 1; v = w & blockMask; } }   static bool IsValidPattern(ref int pattern, ref int len) { bool isNumber = (pattern & 1) == 0; pattern >>= 1; len--; if (isNumber) return true; IsValidPattern(ref pattern, ref len); IsValidPattern(ref pattern, ref len); return len == 0; }   static Expr CreateExpression(int pattern) { return Create();   Expr Create() { bool isNumber = (pattern & 1) == 0; pattern >>= 1; if (isNumber) return new Const(0); Expr right = Create(); Expr left = Create(); return new Binary('*', left, right); } }   static IEnumerable<IEnumerable<T>> CartesianProduct<T>(this IEnumerable<IEnumerable<T>> sequences) { IEnumerable<IEnumerable<T>> emptyProduct = new[] { Empty<T>() }; return sequences.Aggregate( emptyProduct, (accumulator, sequence) => from acc in accumulator from item in sequence select acc.Concat(new [] { item })); }   private static List<int> helper = new List<int>(); public static IEnumerable<T[]> Permutations<T>(params T[] input) { if (input == null || input.Length == 0) yield break; helper.Clear(); for (int i = 0; i < input.Length; i++) helper.Add(i); while (true) { yield return input; int cursor = helper.Count - 2; while (cursor >= 0 && helper[cursor] > helper[cursor + 1]) cursor--; if (cursor < 0) break; int i = helper.Count - 1; while (i > cursor && helper[i] < helper[cursor]) i--; (helper[cursor], helper[i]) = (helper[i], helper[cursor]); (input[cursor], input[i]) = (input[i], input[cursor]); int firstIndex = cursor + 1; for (int lastIndex = helper.Count - 1; lastIndex > firstIndex; ++firstIndex, --lastIndex) { (helper[firstIndex], helper[lastIndex]) = (helper[lastIndex], helper[firstIndex]); (input[firstIndex], input[lastIndex]) = (input[lastIndex], input[firstIndex]); } } }   static Expr WithOperators(this Expr expr, char[] operators) { int i = 0; SetOperators(expr, operators, ref i); return expr;   static void SetOperators(Expr expr, char[] operators, ref int i) { if (expr is Binary b) { b.Symbol = operators[i++]; SetOperators(b.Right, operators, ref i); SetOperators(b.Left, operators, ref i); } } }   static Expr WithValues(this Expr expr, int[] values) { int i = 0; SetValues(expr, values, ref i); return expr;   static void SetValues(Expr expr, int[] values, ref int i) { if (expr is Binary b) { SetValues(b.Left, values, ref i); SetValues(b.Right, values, ref i); } else { expr.Value = values[i++]; } } }   static bool HasPreferredTree(this Expr expr) => expr switch { Const _ => true,   // a / b * c => a * c / b ((_, '/' ,_), '*', _) => false, // c + a * b => a * b + c (var l, '+', (_, '*' ,_) r) when l.Depth < r.Depth => false, // c + a / b => a / b + c (var l, '+', (_, '/' ,_) r) when l.Depth < r.Depth => false, // a * (b + c) => (b + c) * a (var l, '*', (_, '+' ,_) r) when l.Depth < r.Depth => false, // a * (b - c) => (b - c) * a (var l, '*', (_, '-' ,_) r) when l.Depth < r.Depth => false, // (a +- b) + (c */ d) => ((c */ d) + a) +- b ((_, var p, _), '+', (_, var q, _)) when "+-".Contains(p) && "*/".Contains(q) => false, // a + (b + c) => (a + b) + c (var l, '+', (_, '+' ,_) r) => false, // a + (b - c) => (a + b) - c (var l, '+', (_, '-' ,_) r) => false, // a - (b + c) => (a - b) + c (_, '-', (_, '+', _)) => false, // a * (b * c) => (a * b) * c (var l, '*', (_, '*' ,_) r) => false, // a * (b / c) => (a * b) / c (var l, '*', (_, '/' ,_) r) => false, // a / (b / c) => (a * c) / b (var l, '/', (_, '/' ,_) r) => false, // a - (b - c) * d => (c - b) * d + a (_, '-', ((_, '-' ,_), '*', _)) => false, // a - (b - c) / d => (c - b) / d + a (_, '-', ((_, '-' ,_), '/', _)) => false, // a - (b - c) => a + c - b (_, '-', (_, '-', _)) => false, // (a - b) + c => (a + c) - b ((_, '-', var b), '+', var c) => false,   (var l, _, var r) => l.HasPreferredTree() && r.HasPreferredTree() };   static bool HasPreferredValues(this Expr expr) => expr switch { Const _ => true,   // -a + b => b - a (var l, '+', var r) when l.Value < 0 && r.Value >= 0 => false, // b * a => a * b (var l, '*', var r) when l.Depth == r.Depth && l.Value > r.Value => false, // b + a => a + b (var l, '+', var r) when l.Depth == r.Depth && l.Value > r.Value => false, // (b o c) * (a o d) => (a o d) * (b o c) ((var a, _, _) l, '*', (var c, _, _) r) when l.Value == r.Value && l.Depth == r.Depth && a.Value < c.Value => false, // (b o c) + (a o d) => (a o d) + (b o c) ((var a, var p, _) l, '+', (var c, var q, _) r) when l.Value == r.Value && l.Depth == r.Depth && a.Value < c.Value => false, // (a * c) * b => (a * b) * c ((_, '*', var c), '*', var b) when b.Value < c.Value => false, // (a + c) + b => (a + b) + c ((_, '+', var c), '+', var b) when b.Value < c.Value => false, // (a - b) - c => (a - c) - b ((_, '-', var b), '-', var c) when b.Value < c.Value => false, // a / 1 => a * 1 (_, '/', var b) when b.Value == 1 => false, // a * b / b => a + b - b ((_, '*', var b), '/', var c) when b.Value == c.Value => false, // a * 1 * 1 => a + 1 - 1 ((_, '*', var b), '*', var c) when b.Value == 1 && c.Value == 1 => false,   (var l, _, var r) => l.HasPreferredValues() && r.HasPreferredValues() };   private struct Fraction : IEquatable<Fraction>, IComparable<Fraction> { public readonly int Numerator, Denominator;   public Fraction(int numerator, int denominator) => (Numerator, Denominator) = (numerator, denominator) switch { (_, 0) => (Math.Sign(numerator), 0), (0, _) => (0, 1), (_, var d) when d < 0 => (-numerator, -denominator), _ => (numerator, denominator) };   public static implicit operator Fraction(int i) => new Fraction(i, 1); public static Fraction operator +(Fraction a, Fraction b) => new Fraction(a.Numerator * b.Denominator + a.Denominator * b.Numerator, a.Denominator * b.Denominator); public static Fraction operator -(Fraction a, Fraction b) => new Fraction(a.Numerator * b.Denominator + a.Denominator * -b.Numerator, a.Denominator * b.Denominator); public static Fraction operator *(Fraction a, Fraction b) => new Fraction(a.Numerator * b.Numerator, a.Denominator * b.Denominator); public static Fraction operator /(Fraction a, Fraction b) => new Fraction(a.Numerator * b.Denominator, a.Denominator * b.Numerator);   public static bool operator ==(Fraction a, Fraction b) => a.CompareTo(b) == 0; public static bool operator !=(Fraction a, Fraction b) => a.CompareTo(b) != 0; public static bool operator <(Fraction a, Fraction b) => a.CompareTo(b) < 0; public static bool operator >(Fraction a, Fraction b) => a.CompareTo(b) > 0; public static bool operator <=(Fraction a, Fraction b) => a.CompareTo(b) <= 0; public static bool operator >=(Fraction a, Fraction b) => a.CompareTo(b) >= 0;   public bool Equals(Fraction other) => Numerator == other.Numerator && Denominator == other.Denominator; public override string ToString() => Denominator == 1 ? Numerator.ToString() : $"[{Numerator}/{Denominator}]";   public int CompareTo(Fraction other) => (Numerator, Denominator, other.Numerator, other.Denominator) switch { var ( n1, d1, n2, d2) when n1 == n2 && d1 == d2 => 0, ( 0, 0, _, _) => (-1), ( _, _, 0, 0) => 1, var ( n1, d1, n2, d2) when d1 == d2 => n1.CompareTo(n2), (var n1, 0, _, _) => Math.Sign(n1), ( _, _, var n2, 0) => Math.Sign(n2), var ( n1, d1, n2, d2) => (n1 * d2).CompareTo(n2 * d1) }; }   private abstract class Expr { protected Expr(char symbol) => Symbol = symbol; public char Symbol { get; set; } public abstract Fraction Value { get; set; } public abstract int Depth { get; } public abstract void Deconstruct(out Expr left, out char symbol, out Expr right); }   private sealed class Const : Expr { public Const(Fraction value) : base('c') => Value = value; public override Fraction Value { get; set; } public override int Depth => 0; public override void Deconstruct(out Expr left, out char symbol, out Expr right) => (left, symbol, right) = (this, Symbol, this); public override string ToString() => Value.ToString(); }   private sealed class Binary : Expr { public Binary(char symbol, Expr left, Expr right) : base(symbol) => (Left, Right) = (left, right); public Expr Left { get; } public Expr Right { get; } public override int Depth => Math.Max(Left.Depth, Right.Depth) + 1; public override void Deconstruct(out Expr left, out char symbol, out Expr right) => (left, symbol, right) = (Left, Symbol, Right);   public override Fraction Value { get => Symbol switch { '*' => Left.Value * Right.Value, '/' => Left.Value / Right.Value, '+' => Left.Value + Right.Value, '-' => Left.Value - Right.Value, _ => throw new InvalidOperationException() }; set {} }   public override string ToString() => Symbol switch { '*' => ToString("+-".Contains(Left.Symbol), "+-".Contains(Right.Symbol)), '/' => ToString("+-".Contains(Left.Symbol), "*/+-".Contains(Right.Symbol)), '+' => ToString(false, false), '-' => ToString(false, "+-".Contains(Right.Symbol)), _ => $"[{Value}]" };   private string ToString(bool wrapLeft, bool wrapRight) => $"{(wrapLeft ? $"({Left})" : $"{Left}")} {Symbol} {(wrapRight ? $"({Right})" : $"{Right}")}"; } }
http://rosettacode.org/wiki/4-rings_or_4-squares_puzzle
4-rings or 4-squares puzzle
4-rings or 4-squares puzzle You are encouraged to solve this task according to the task description, using any language you may know. Task Replace       a, b, c, d, e, f,   and   g       with the decimal digits   LOW   ───►   HIGH such that the sum of the letters inside of each of the four large squares add up to the same sum. ╔══════════════╗ ╔══════════════╗ ║ ║ ║ ║ ║ a ║ ║ e ║ ║ ║ ║ ║ ║ ┌───╫──────╫───┐ ┌───╫─────────┐ ║ │ ║ ║ │ │ ║ │ ║ │ b ║ ║ d │ │ f ║ │ ║ │ ║ ║ │ │ ║ │ ║ │ ║ ║ │ │ ║ │ ╚══════════╪═══╝ ╚═══╪══════╪═══╝ │ │ c │ │ g │ │ │ │ │ │ │ │ │ └──────────────┘ └─────────────┘ Show all output here.   Show all solutions for each letter being unique with LOW=1 HIGH=7   Show all solutions for each letter being unique with LOW=3 HIGH=9   Show only the   number   of solutions when each letter can be non-unique LOW=0 HIGH=9 Related task Solve the no connection puzzle
#jq
jq
# Generate a stream of all the permutations of the input array def permutations: if length == 0 then [] else range(0;length) as $i | [.[$i]] + (del(.[$i])|permutations) end ;   # Permutations of a ... n inclusive def permutations(a;n): [range(a;n+1)] | permutations;   # value of a box # Input: the table of values def valueOfBox($box): [ .[ $box[] ]] | add;   def allEqual($boxes): . as $values | valueOfBox($boxes[0]) as $sum | all($boxes[1:][]; . as $box | $values | valueOfBox($box) == $sum);   def combinations($m; $n; $size): [range(0; $size) | [range($m; $n)]] | combinations;   def count(s): reduce s as $x (null; .+1);   # a=0, b=1, etc def boxes: [[0,1], [1,2,3], [3,4,5], [5,6]];   def tasks: "1 to 7:", (permutations(1;7) | select(allEqual(boxes))), "\n3 to 9:", (permutations(3;9) | select(allEqual(boxes))), "\n0 to 9:\n\(count(permutations(0;9) | select(allEqual(boxes))))", "\nThere are \(count(combinations(0;10;7) | select(allEqual(boxes)))) solutions for 0 to 9 with replacement." ;   tasks
http://rosettacode.org/wiki/99_bottles_of_beer
99 bottles of beer
Task Display the complete lyrics for the song:     99 Bottles of Beer on the Wall. The beer song The lyrics follow this form: 99 bottles of beer on the wall 99 bottles of beer Take one down, pass it around 98 bottles of beer on the wall 98 bottles of beer on the wall 98 bottles of beer Take one down, pass it around 97 bottles of beer on the wall ... and so on, until reaching   0     (zero). Grammatical support for   1 bottle of beer   is optional. As with any puzzle, try to do it in as creative/concise/comical a way as possible (simple, obvious solutions allowed, too). 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 See also   http://99-bottles-of-beer.net/   Category:99_Bottles_of_Beer   Category:Programming language families   Wikipedia 99 bottles of beer
#8th
8th
  \ 99 bottles of beer on the wall: : allout "no more bottles" ; : just-one "1 bottle"  ; : yeah! dup . " bottles" ;   [ ' allout , ' just-one , ' yeah! , ] var, bottles   : .bottles dup 2 n:min bottles @ swap caseof ; : .beer .bottles . " of beer" . ; : .wall .beer " on the wall" . ; : .take " Take one down and pass it around" . ; : beers .wall ", " . .beer '; putc cr n:1- 0 max .take ", " . .wall '. putc cr drop ;   ' beers 1 99 loop- bye  
http://rosettacode.org/wiki/24_game
24 game
The 24 Game tests one's mental arithmetic. Task Write a program that randomly chooses and displays four digits, each from 1 ──► 9 (inclusive) with repetitions allowed. The program should prompt for the player to enter an arithmetic expression using just those, and all of those four digits, used exactly once each. The program should check then evaluate the expression. The goal is for the player to enter an expression that (numerically) evaluates to 24. Only the following operators/functions are allowed: multiplication, division, addition, subtraction Division should use floating point or rational arithmetic, etc, to preserve remainders. Brackets are allowed, if using an infix expression evaluator. Forming multiple digit numbers from the supplied digits is disallowed. (So an answer of 12+12 when given 1, 2, 2, and 1 is wrong). The order of the digits when given does not have to be preserved. Notes The type of expression evaluator used is not mandated. An RPN evaluator is equally acceptable for example. The task is not for the program to generate the expression, or test whether an expression is even possible. Related tasks 24 game/Solve Reference The 24 Game on h2g2.
#BBC_BASIC
BBC BASIC
REM Choose four random digits (1-9) with repetitions allowed: DIM digits%(4), check%(4) FOR choice% = 1 TO 4 digits%(choice%) = RND(9) NEXT choice%   REM Prompt the player: PRINT "Enter an equation (using all of, and only, the single digits "; FOR index% = 1 TO 4 PRINT ; digits%(index%) ; IF index%<>4 PRINT " " ; NEXT PRINT ")" PRINT "which evaluates to exactly 24. Only multiplication (*), division (/)," PRINT "addition (+) & subtraction (-) operations and parentheses are allowed:" INPUT "24 = " equation$   REPEAT   REM Check that the correct digits are used: check%() = 0 FOR char% = 1 TO LEN(equation$) digit% = INSTR("0123456789", MID$(equation$, char%, 1)) - 1 IF digit% >= 0 THEN FOR index% = 1 TO 4 IF digit% = digits%(index%) THEN IF NOT check%(index%) check%(index%) = TRUE : EXIT FOR ENDIF NEXT index% IF index% > 4 THEN PRINT "Sorry, you used the illegal digit "; digit% EXIT REPEAT ENDIF ENDIF NEXT char%   FOR index% = 1 TO 4 IF NOT check%(index%) THEN PRINT "Sorry, you failed to use the digit " ; digits%(index%) EXIT REPEAT ENDIF NEXT index%   REM Check that no pairs of digits are used: FOR pair% = 11 TO 99 IF INSTR(equation$, STR$(pair%)) THEN PRINT "Sorry, you may not use a pair of digits "; pair% EXIT REPEAT ENDIF NEXT pair%   REM Check whether the equation evaluates to 24: ON ERROR LOCAL PRINT "Sorry, there was an error in the equation" : EXIT REPEAT result = EVAL(equation$) RESTORE ERROR IF result = 24 THEN PRINT "Congratulations, you succeeded in the task!" ELSE PRINT "Sorry, your equation evaluated to " ; result " rather than 24!" ENDIF   UNTIL TRUE   INPUT '"Play again", answer$ IF LEFT$(answer$,1) = "y" OR LEFT$(answer$,1) = "Y" THEN CLS : RUN QUIT
http://rosettacode.org/wiki/9_billion_names_of_God_the_integer
9 billion names of God the integer
This task is a variation of the short story by Arthur C. Clarke. (Solvers should be aware of the consequences of completing this task.) In detail, to specify what is meant by a   “name”: The integer 1 has 1 name     “1”. The integer 2 has 2 names   “1+1”,   and   “2”. The integer 3 has 3 names   “1+1+1”,   “2+1”,   and   “3”. The integer 4 has 5 names   “1+1+1+1”,   “2+1+1”,   “2+2”,   “3+1”,   “4”. The integer 5 has 7 names   “1+1+1+1+1”,   “2+1+1+1”,   “2+2+1”,   “3+1+1”,   “3+2”,   “4+1”,   “5”. Task Display the first 25 rows of a number triangle which begins: 1 1 1 1 1 1 1 2 1 1 1 2 2 1 1 1 3 3 2 1 1 Where row   n {\displaystyle n}   corresponds to integer   n {\displaystyle n} ,   and each column   C {\displaystyle C}   in row   m {\displaystyle m}   from left to right corresponds to the number of names beginning with   C {\displaystyle C} . A function   G ( n ) {\displaystyle G(n)}   should return the sum of the   n {\displaystyle n} -th   row. Demonstrate this function by displaying:   G ( 23 ) {\displaystyle G(23)} ,   G ( 123 ) {\displaystyle G(123)} ,   G ( 1234 ) {\displaystyle G(1234)} ,   and   G ( 12345 ) {\displaystyle G(12345)} . Optionally note that the sum of the   n {\displaystyle n} -th   row   P ( n ) {\displaystyle P(n)}   is the     integer partition function. Demonstrate this is equivalent to   G ( n ) {\displaystyle G(n)}   by displaying:   P ( 23 ) {\displaystyle P(23)} ,   P ( 123 ) {\displaystyle P(123)} ,   P ( 1234 ) {\displaystyle P(1234)} ,   and   P ( 12345 ) {\displaystyle P(12345)} . Extra credit If your environment is able, plot   P ( n ) {\displaystyle P(n)}   against   n {\displaystyle n}   for   n = 1 … 999 {\displaystyle n=1\ldots 999} . Related tasks Partition function P
#PureBasic
PureBasic
  Define nMax.i=25, n.i, k.i Dim pfx.s(1)   Procedure.s Sigma(sx.s, sums.s) Define i.i, v1.i, v2.i, r.i Define s.s, sa.s sums=ReverseString(sums) : s=ReverseString(sx) For i=1 To Len(s)*Bool(Len(s)>Len(sums))+Len(sums)*Bool(Len(sums)>=Len(s)) v1=Val(Mid(s,i,1)) v2=Val(Mid(sums,i,1)) r+v1+v2 sa+Str(r%10) r/10 Next i If r : sa+Str(r%10) : EndIf ProcedureReturn ReverseString(sa) EndProcedure   Procedure.i Adr(row.i,col.i) ProcedureReturn ((row-1)*row/2+col)*Bool(row>0 And col>0) EndProcedure   Procedure Triangle(row.i,Array pfx.s(1)) Define n.i,k.i Define zs.s nMax=row ReDim pfx(Adr(nMax,nMax)) For n=1 To nMax For k=1 To n If k>n  : pfx(Adr(n,k))="0"  : Continue : EndIf If n=k  : pfx(Adr(n,k))="1"  : Continue : EndIf If k<=n/2 zs="" zs=Sigma(pfx(Adr(n-k,k)),zs) zs=Sigma(pfx(Adr(n-1,k-1)),zs) pfx(Adr(n,k))=zs Else pfx(Adr(n,k))=pfx(Adr(n-1,k-1)) EndIf Next k Next n EndProcedure   Procedure.s sum(row.i, Array pfx.s(1)) Define s.s Triangle(row, pfx()) For n=1 To row s=Sigma(pfx(Adr(row,n)),s) Next n ProcedureReturn RSet(Str(row),5,Chr(32))+" : "+s EndProcedure   OpenConsole()   Triangle(nMax, pfx()) For n=1 To nMax Print(Space(((nMax*4-1)-(n*4-1))/2)) For k=1 To n Print(RSet(pfx(Adr(n,k)),3,Chr(32))+Space(1)) Next k PrintN("") Next n PrintN("") PrintN(sum(23,pfx())) PrintN(sum(123,pfx())) PrintN(sum(1234,pfx())) PrintN(sum(12345,pfx())) Input()  
http://rosettacode.org/wiki/A%2BB
A+B
A+B   ─── a classic problem in programming contests,   it's given so contestants can gain familiarity with the online judging system being used. Task Given two integers,   A and B. Their sum needs to be calculated. Input data Two integers are written in the input stream, separated by space(s): ( − 1000 ≤ A , B ≤ + 1000 ) {\displaystyle (-1000\leq A,B\leq +1000)} Output data The required output is one integer:   the sum of A and B. Example input   output   2 2 4 3 2 5
#bc
bc
read() + read()
http://rosettacode.org/wiki/Ackermann_function
Ackermann function
The Ackermann function is a classic example of a recursive function, notable especially because it is not a primitive recursive function. It grows very quickly in value, as does the size of its call tree. The Ackermann function is usually defined as follows: A ( m , n ) = { n + 1 if  m = 0 A ( m − 1 , 1 ) if  m > 0  and  n = 0 A ( m − 1 , A ( m , n − 1 ) ) if  m > 0  and  n > 0. {\displaystyle A(m,n)={\begin{cases}n+1&{\mbox{if }}m=0\\A(m-1,1)&{\mbox{if }}m>0{\mbox{ and }}n=0\\A(m-1,A(m,n-1))&{\mbox{if }}m>0{\mbox{ and }}n>0.\end{cases}}} Its arguments are never negative and it always terminates. Task Write a function which returns the value of A ( m , n ) {\displaystyle A(m,n)} . Arbitrary precision is preferred (since the function grows so quickly), but not required. See also Conway chained arrow notation for the Ackermann function.
#SmileBASIC
SmileBASIC
DEF ACK(M,N) IF M==0 THEN RETURN N+1 ELSEIF M>0 AND N==0 THEN RETURN ACK(M-1,1) ELSE RETURN ACK(M-1,ACK(M,N-1)) ENDIF END
http://rosettacode.org/wiki/ABC_problem
ABC problem
ABC problem You are encouraged to solve this task according to the task description, using any language you may know. You are given a collection of ABC blocks   (maybe like the ones you had when you were a kid). There are twenty blocks with two letters on each block. A complete alphabet is guaranteed amongst all sides of the blocks. The sample collection of blocks: (B O) (X K) (D Q) (C P) (N A) (G T) (R E) (T G) (Q D) (F S) (J W) (H U) (V I) (A N) (O B) (E R) (F S) (L Y) (P C) (Z M) Task Write a function that takes a string (word) and determines whether the word can be spelled with the given collection of blocks. The rules are simple:   Once a letter on a block is used that block cannot be used again   The function should be case-insensitive   Show the output on this page for the following 7 words in the following example Example >>> can_make_word("A") True >>> can_make_word("BARK") True >>> can_make_word("BOOK") False >>> can_make_word("TREAT") True >>> can_make_word("COMMON") False >>> can_make_word("SQUAD") True >>> can_make_word("CONFUSE") True 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
#D
D
import std.stdio, std.algorithm, std.string;   bool canMakeWord(in string word, in string[] blocks) pure /*nothrow*/ @safe { auto bs = blocks.dup; outer: foreach (immutable ch; word.toUpper) { foreach (immutable block; bs) if (block.canFind(ch)) { bs = bs.remove(bs.countUntil(block)); continue outer; } return false; } return true; }   void main() @safe { immutable blocks = "BO XK DQ CP NA GT RE TG QD FS JW HU VI AN OB ER FS LY PC ZM".split;   foreach (word; "" ~ "A BARK BoOK TrEAT COmMoN SQUAD conFUsE".split) writefln(`"%s" %s`, word, canMakeWord(word, blocks)); }
http://rosettacode.org/wiki/100_prisoners
100 prisoners
The Problem 100 prisoners are individually numbered 1 to 100 A room having a cupboard of 100 opaque drawers numbered 1 to 100, that cannot be seen from outside. Cards numbered 1 to 100 are placed randomly, one to a drawer, and the drawers all closed; at the start. Prisoners start outside the room They can decide some strategy before any enter the room. Prisoners enter the room one by one, can open a drawer, inspect the card number in the drawer, then close the drawer. A prisoner can open no more than 50 drawers. A prisoner tries to find his own number. A prisoner finding his own number is then held apart from the others. If all 100 prisoners find their own numbers then they will all be pardoned. If any don't then all sentences stand. The task Simulate several thousand instances of the game where the prisoners randomly open drawers Simulate several thousand instances of the game where the prisoners use the optimal strategy mentioned in the Wikipedia article, of: First opening the drawer whose outside number is his prisoner number. If the card within has his number then he succeeds otherwise he opens the drawer with the same number as that of the revealed card. (until he opens his maximum). Show and compare the computed probabilities of success for the two strategies, here, on this page. References The unbelievable solution to the 100 prisoner puzzle standupmaths (Video). wp:100 prisoners problem 100 Prisoners Escape Puzzle DataGenetics. Random permutation statistics#One hundred prisoners on Wikipedia.
#Applesoft_BASIC
Applesoft BASIC
0 GOTO 9   1 FOR X = 0 TO N:J(X) = X: NEXT: FOR I = 0 TO N:FOR X = 0 TO N:T = J(X):NP = INT ( RND (1) * H):J(X) = J(NP):J(NP) = T: NEXT :FOR G = 1 TO W:IF D(J(G)) = I THEN IP = IP + 1: NEXT I: RETURN 2 NEXT G:RETURN   3 FOR I = 0 TO N:NG = I: FOR G = 0 TO W:CD = D(NG):IF CD = I THEN IP = IP + 1: NEXT I: RETURN 4 NG = CD:IF CD = I THEN STOP 5 NEXT G: RETURN   9 H=100:N=H-1:DIM D(99),J(99):FOR I = 0 TO N:D(I) = I: NEXT:W=INT(H/2)-1:M$=CHR$(13):M$(1)="RANDOM GUESSING":M$(2)="CHAINED NUMBER PICKING"   1000 FOR Q = 0 TO 1 STEP 0 : HOME : PRINT "100 PRISONERS"M$: INPUT "HOW MANY TRIALS FOR EACH METHOD? "; TT 1010 VTAB 2:CALL-958:PRINT M$"RESULTS:"M$ 1020 FOR M = 1 TO 2: SU(M) = 0:FA(M) = 0 1030 FOR TN = 1 TO TT 1040 VTAB 4:PRINT M$ " OUT OF " TT " TRIALS, THE RESULTS ARE"M$" AS FOLLOWS..."; 1050 IP = 0: X = RND ( - TI): FOR I = 0 TO N:R = INT ( RND (1) * N):T = D(I):D(I) = D(R):D(R) = T: NEXT 1060 ON M GOSUB 1,3 : SU(M) = SU(M) + (IP = H):FA(M) = FA(M) + (IP < H) 1070 FOR Z = 1 TO 2 1071 PRINT M$M$Z". "M$(Z)":"M$ 1073 PRINT " "SU(Z)" SUCCESSES"TAB(21) 1074 PRINT " "FA(Z)" FAILURES"M$ 1075 PRINT " "(SU(Z) / TT) * 100"% SUCCESS RATE.";:CALL-868 1090 NEXT Z,TN,M   1100 PRINT M$M$"AGAIN?" 1110 GET K$ 1120 Q = K$ <> "Y" AND K$ <> CHR$(ASC("Y") + 32) : NEXT Q  
http://rosettacode.org/wiki/Abundant_odd_numbers
Abundant odd numbers
An Abundant number is a number n for which the   sum of divisors   σ(n) > 2n, or,   equivalently,   the   sum of proper divisors   (or aliquot sum)       s(n) > n. E.G. 12   is abundant, it has the proper divisors     1,2,3,4 & 6     which sum to   16   ( > 12 or n);        or alternately,   has the sigma sum of   1,2,3,4,6 & 12   which sum to   28   ( > 24 or 2n). Abundant numbers are common, though even abundant numbers seem to be much more common than odd abundant numbers. To make things more interesting, this task is specifically about finding   odd abundant numbers. Task Find and display here: at least the first 25 abundant odd numbers and either their proper divisor sum or sigma sum. Find and display here: the one thousandth abundant odd number and either its proper divisor sum or sigma sum. Find and display here: the first abundant odd number greater than one billion (109) and either its proper divisor sum or sigma sum. References   OEIS:A005231: Odd abundant numbers (odd numbers n whose sum of divisors exceeds 2n)   American Journal of Mathematics, Vol. 35, No. 4 (Oct., 1913), pp. 413-422 - Finiteness of the Odd Perfect and Primitive Abundant Numbers with n Distinct Prime Factors (LE Dickson)
#Python
Python
#!/usr/bin/python # Abundant odd numbers - Python   oddNumber = 1 aCount = 0 dSum = 0   from math import sqrt   def divisorSum(n): sum = 1 i = int(sqrt(n)+1)   for d in range (2, i): if n % d == 0: sum += d otherD = n // d if otherD != d: sum += otherD return sum   print ("The first 25 abundant odd numbers:") while aCount < 25: dSum = divisorSum(oddNumber ) if dSum > oddNumber : aCount += 1 print("{0:5} proper divisor sum: {1}". format(oddNumber ,dSum )) oddNumber += 2   while aCount < 1000: dSum = divisorSum(oddNumber ) if dSum > oddNumber : aCount += 1 oddNumber += 2 print ("\n1000th abundant odd number:") print (" ",(oddNumber - 2)," proper divisor sum: ",dSum)   oddNumber = 1000000001 found = False while not found : dSum = divisorSum(oddNumber ) if dSum > oddNumber : found = True print ("\nFirst abundant odd number > 1 000 000 000:") print (" ",oddNumber," proper divisor sum: ",dSum) oddNumber += 2
http://rosettacode.org/wiki/21_game
21 game
21 game You are encouraged to solve this task according to the task description, using any language you may know. 21 is a two player game, the game is played by choosing a number (1, 2, or 3) to be added to the running total. The game is won by the player whose chosen number causes the running total to reach exactly 21. The running total starts at zero. One player will be the computer. Players alternate supplying a number to be added to the running total. Task Write a computer program that will: do the prompting (or provide a button menu), check for errors and display appropriate error messages, do the additions (add a chosen number to the running total), display the running total, provide a mechanism for the player to quit/exit/halt/stop/close the program, issue a notification when there is a winner, and determine who goes first (maybe a random or user choice, or can be specified when the game begins).
#J
J
  g21=: summarize@play@setup ::('g21: error termination'"_)   NB. non-verb must be defined before use, otherwise are assumed verbs. Until=: 2 :'u^:(0-:v)^:_'   t=: 'score turn choice' (t)=: i. # ;: t empty erase't'   Fetch=: &{ Alter=: }   play=: move Until done done=: 21 <: score Fetch move=: [: update you`it@.(turn Fetch)   update=: swap@display@add add=: score Alter~ (score Fetch + choice Fetch) display=: [ ([: echo 'sum: {}' format~ score Fetch) swap=: turn Alter~ ([: -. turn Fetch)   it=: ([ [: echo 'It chose {}.' format~ choice Fetch)@(choice Alter~ cb) cb=: (1:`r`3:`2:)@.(4 | score Fetch) NB. computer brain r=: 3 :'>:?3'   you=: qio1@check@acquire@prompt prompt=: [ ([: echo 'your choice?'"_) acquire=: choice Alter~ ('123' i. 0 { ' ' ,~ read) check=: (choice Alter~ (665 - score Fetch))@([ ([: echo 'g21: early termination'"_))^:(3 = choice Fetch) qio1=: choice Alter~ ([: >: choice Fetch)   setup=: ([ [: echo 'On your turn enter 1 2 or 3, other entries exit'"_)@((3 :'?2') turn Alter ])@0 0 0"_ NB. choose first player randomly summarize=: ' won' ,~ (];._2 'it you ') {~ turn Fetch   read=: 1!:1@:1: write=: 1!:2 4: NB. unused format=: ''&$: :([: ; (a: , [: ":&.> [) ,. '{}' ([ (E. <@}.;._1 ]) ,) ])  
http://rosettacode.org/wiki/24_game/Solve
24 game/Solve
task Write a program that takes four digits, either from user input or by random generation, and computes arithmetic expressions following the rules of the 24 game. Show examples of solutions generated by the program. Related task   Arithmetic Evaluator
#Ceylon
Ceylon
import ceylon.random { DefaultRandom }   shared sealed class Rational(numerator, denominator = 1) satisfies Numeric<Rational> {   shared Integer numerator; shared Integer denominator;   Integer gcd(Integer a, Integer b) => if (b == 0) then a else gcd(b, a % b);   shared Rational inverted => Rational(denominator, numerator);   shared Rational simplified => let (largestFactor = gcd(numerator, denominator)) Rational(numerator / largestFactor, denominator / largestFactor);   divided(Rational other) => (this * other.inverted).simplified;   negated => Rational(-numerator, denominator).simplified;   plus(Rational other) => let (top = numerator*other.denominator + other.numerator*denominator, bottom = denominator * other.denominator) Rational(top, bottom).simplified;   times(Rational other) => Rational(numerator * other.numerator, denominator * other.denominator).simplified;   shared Integer integer => numerator / denominator; shared Float float => numerator.float / denominator.float;   string => denominator == 1 then numerator.string else "``numerator``/``denominator``";   shared actual Boolean equals(Object that) { if (is Rational that) { value simplifiedThis = this.simplified; value simplifiedThat = that.simplified; return simplifiedThis.numerator==simplifiedThat.numerator && simplifiedThis.denominator==simplifiedThat.denominator; } else { return false; } } }   shared Rational? rational(Integer numerator, Integer denominator = 1) => if (denominator == 0) then null else Rational(numerator, denominator).simplified;   shared Rational numeratorOverOne(Integer numerator) => Rational(numerator);   shared abstract class Operation(String lexeme) of addition | subtraction | multiplication | division { shared formal Rational perform(Rational left, Rational right); string => lexeme; }   shared object addition extends Operation("+") { perform(Rational left, Rational right) => left + right; } shared object subtraction extends Operation("-") { perform(Rational left, Rational right) => left - right; } shared object multiplication extends Operation("*") { perform(Rational left, Rational right) => left * right; } shared object division extends Operation("/") { perform(Rational left, Rational right) => left / right; }   shared Operation[] operations = `Operation`.caseValues;   shared interface Expression of NumberExpression | OperationExpression { shared formal Rational evaluate(); }   shared class NumberExpression(Rational number) satisfies Expression { evaluate() => number; string => number.string; } shared class OperationExpression(Expression left, Operation op, Expression right) satisfies Expression { evaluate() => op.perform(left.evaluate(), right.evaluate()); string => "(``left`` ``op`` ``right``)"; }   shared void run() {   value twentyfour = numeratorOverOne(24);   value random = DefaultRandom();   function buildExpressions({Rational*} numbers, Operation* ops) { assert (is NumberExpression[4] numTuple = numbers.collect(NumberExpression).tuple()); assert (is Operation[3] opTuple = ops.sequence().tuple()); value [a, b, c, d] = numTuple; value [op1, op2, op3] = opTuple; value opExp = OperationExpression; // this is just to give it a shorter name return [ opExp(opExp(opExp(a, op1, b), op2, c), op3, d), opExp(opExp(a, op1, opExp(b, op2, c)), op3, d), opExp(a, op1, opExp(opExp(b, op2, c), op3, d)), opExp(a, op1, opExp(b, op2, opExp(c, op3, d))) ]; }   print("Please enter your 4 numbers to see how they form 24 or enter the letter r for random numbers.");   if (exists line = process.readLine()) {   Rational[] chosenNumbers;   if (line.trimmed.uppercased == "R") { chosenNumbers = random.elements(1..9).take(4).collect((Integer element) => numeratorOverOne(element)); print("The random numbers are ``chosenNumbers``"); } else { chosenNumbers = line.split().map(Integer.parse).narrow<Integer>().collect(numeratorOverOne); }   value expressions = { for (numbers in chosenNumbers.permutations) for (op1 in operations) for (op2 in operations) for (op3 in operations) for (exp in buildExpressions(numbers, op1, op2, op3)) if (exp.evaluate() == twentyfour) exp };   print("The solutions are:"); expressions.each(print); } }
http://rosettacode.org/wiki/4-rings_or_4-squares_puzzle
4-rings or 4-squares puzzle
4-rings or 4-squares puzzle You are encouraged to solve this task according to the task description, using any language you may know. Task Replace       a, b, c, d, e, f,   and   g       with the decimal digits   LOW   ───►   HIGH such that the sum of the letters inside of each of the four large squares add up to the same sum. ╔══════════════╗ ╔══════════════╗ ║ ║ ║ ║ ║ a ║ ║ e ║ ║ ║ ║ ║ ║ ┌───╫──────╫───┐ ┌───╫─────────┐ ║ │ ║ ║ │ │ ║ │ ║ │ b ║ ║ d │ │ f ║ │ ║ │ ║ ║ │ │ ║ │ ║ │ ║ ║ │ │ ║ │ ╚══════════╪═══╝ ╚═══╪══════╪═══╝ │ │ c │ │ g │ │ │ │ │ │ │ │ │ └──────────────┘ └─────────────┘ Show all output here.   Show all solutions for each letter being unique with LOW=1 HIGH=7   Show all solutions for each letter being unique with LOW=3 HIGH=9   Show only the   number   of solutions when each letter can be non-unique LOW=0 HIGH=9 Related task Solve the no connection puzzle
#Julia
Julia
  using Combinatorics   function foursquares(low, high, onlyunique=true, showsolutions=true) integers = collect(low:high) count = 0 sumsallequal(c) = c[1] + c[2] == c[2] + c[3] + c[4] == c[4] + c[5] + c[6] == c[6] + c[7] combos = onlyunique ? combinations(integers) : with_replacement_combinations(integers, 7) for combo in combos, plist in unique(collect(permutations(combo, 7))) if sumsallequal(plist) count += 1 if showsolutions println("$plist is a solution for the list $integers") end end end println("""Total $(onlyunique?"unique ":"")solutions for HIGH $high, LOW $low: $count""") end   foursquares(1, 7, true, true) foursquares(3, 9, true, true) foursquares(0, 9, false, false)  
http://rosettacode.org/wiki/99_bottles_of_beer
99 bottles of beer
Task Display the complete lyrics for the song:     99 Bottles of Beer on the Wall. The beer song The lyrics follow this form: 99 bottles of beer on the wall 99 bottles of beer Take one down, pass it around 98 bottles of beer on the wall 98 bottles of beer on the wall 98 bottles of beer Take one down, pass it around 97 bottles of beer on the wall ... and so on, until reaching   0     (zero). Grammatical support for   1 bottle of beer   is optional. As with any puzzle, try to do it in as creative/concise/comical a way as possible (simple, obvious solutions allowed, too). 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 See also   http://99-bottles-of-beer.net/   Category:99_Bottles_of_Beer   Category:Programming language families   Wikipedia 99 bottles of beer
#AArch64_Assembly
AArch64 Assembly
  /* ARM assembly AARCH64 Raspberry PI 3B */ /* program bootleBeer64.s */   /*******************************************/ /* Constantes file */ /*******************************************/ /* for this file see task include a file in language AArch64 assembly*/ .include "../includeConstantesARM64.inc"   .equ MAXI, 99   /*********************************/ /* Initialized data */ /*********************************/ .data szMessLine1: .asciz "@ bottles of beer on the wall\n" szMessLine2: .ascii "@ bottles of beer\n" .asciz "Take one down, pass it around\n" szMessLine3: .asciz "@ bottles of beer on the wall\n\n"   szMessLine4: .ascii "\nNo more bottles of beer on the wall, no more bottles of beer.\n" .asciz "Go to the store and buy some more, 99 bottles of beer on the wall.\n"   szCarriageReturn: .asciz "\n" /*********************************/ /* UnInitialized data */ /*********************************/ .bss sZoneConv: .skip 24 /*********************************/ /* code section */ /*********************************/ .text .global main main: // entry of program mov x2,#MAXI 1: mov x0,x2 ldr x1,qAdrsZoneConv bl conversion10 // call decimal conversion ldr x0,qAdrszMessLine1 ldr x1,qAdrsZoneConv // insert conversion in message bl strInsertAtCharInc bl affichageMess   ldr x0,qAdrszMessLine2 ldr x1,qAdrsZoneConv // insert conversion in message bl strInsertAtCharInc bl affichageMess   subs x0,x2,#1 ble 2f ldr x1,qAdrsZoneConv bl conversion10 // call decimal conversion ldr x0,qAdrszMessLine3 ldr x1,qAdrsZoneConv // insert conversion in message bl strInsertAtCharInc bl affichageMess 2: subs x2,x2,1 bgt 1b   ldr x0,qAdrszMessLine4 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   qAdrszCarriageReturn: .quad szCarriageReturn qAdrszMessLine1: .quad szMessLine1 qAdrszMessLine2: .quad szMessLine2 qAdrszMessLine3: .quad szMessLine3 qAdrszMessLine4: .quad szMessLine4 qAdrsZoneConv: .quad sZoneConv   /********************************************************/ /* File Include fonctions */ /********************************************************/ /* for this file see task include a file in language AArch64 assembly */ .include "../includeARM64.inc"  
http://rosettacode.org/wiki/24_game
24 game
The 24 Game tests one's mental arithmetic. Task Write a program that randomly chooses and displays four digits, each from 1 ──► 9 (inclusive) with repetitions allowed. The program should prompt for the player to enter an arithmetic expression using just those, and all of those four digits, used exactly once each. The program should check then evaluate the expression. The goal is for the player to enter an expression that (numerically) evaluates to 24. Only the following operators/functions are allowed: multiplication, division, addition, subtraction Division should use floating point or rational arithmetic, etc, to preserve remainders. Brackets are allowed, if using an infix expression evaluator. Forming multiple digit numbers from the supplied digits is disallowed. (So an answer of 12+12 when given 1, 2, 2, and 1 is wrong). The order of the digits when given does not have to be preserved. Notes The type of expression evaluator used is not mandated. An RPN evaluator is equally acceptable for example. The task is not for the program to generate the expression, or test whether an expression is even possible. Related tasks 24 game/Solve Reference The 24 Game on h2g2.
#Befunge
Befunge
v > > >> v 2 2 1234 4 ^1?3^4 >8*00p10p> >?  ?5> 68*+00g10gpv v9?7v6 0 8 0 > > >> ^ g ^p00 _v# `\*49:+1 < _>"rorrE",,,,,$ >~:67*-!#v_:167*+-!#v_:95*-!#v_:295*+-!#v_:586*+\`#v_:97*2--!#v $ $ $ $  : $ * + - / 1  : ^ < < < < 8 . 6 6 * 4 + * \ - ` > v_v " ^ < _v e ^ _^#+*28:p2\*84\-*86g2:-+*441< s o L > 1 |-*49"#< | -*84gg01g00<p00*84<v < >00g:1+00p66*`#^_ "niW">:#,_@  
http://rosettacode.org/wiki/9_billion_names_of_God_the_integer
9 billion names of God the integer
This task is a variation of the short story by Arthur C. Clarke. (Solvers should be aware of the consequences of completing this task.) In detail, to specify what is meant by a   “name”: The integer 1 has 1 name     “1”. The integer 2 has 2 names   “1+1”,   and   “2”. The integer 3 has 3 names   “1+1+1”,   “2+1”,   and   “3”. The integer 4 has 5 names   “1+1+1+1”,   “2+1+1”,   “2+2”,   “3+1”,   “4”. The integer 5 has 7 names   “1+1+1+1+1”,   “2+1+1+1”,   “2+2+1”,   “3+1+1”,   “3+2”,   “4+1”,   “5”. Task Display the first 25 rows of a number triangle which begins: 1 1 1 1 1 1 1 2 1 1 1 2 2 1 1 1 3 3 2 1 1 Where row   n {\displaystyle n}   corresponds to integer   n {\displaystyle n} ,   and each column   C {\displaystyle C}   in row   m {\displaystyle m}   from left to right corresponds to the number of names beginning with   C {\displaystyle C} . A function   G ( n ) {\displaystyle G(n)}   should return the sum of the   n {\displaystyle n} -th   row. Demonstrate this function by displaying:   G ( 23 ) {\displaystyle G(23)} ,   G ( 123 ) {\displaystyle G(123)} ,   G ( 1234 ) {\displaystyle G(1234)} ,   and   G ( 12345 ) {\displaystyle G(12345)} . Optionally note that the sum of the   n {\displaystyle n} -th   row   P ( n ) {\displaystyle P(n)}   is the     integer partition function. Demonstrate this is equivalent to   G ( n ) {\displaystyle G(n)}   by displaying:   P ( 23 ) {\displaystyle P(23)} ,   P ( 123 ) {\displaystyle P(123)} ,   P ( 1234 ) {\displaystyle P(1234)} ,   and   P ( 12345 ) {\displaystyle P(12345)} . Extra credit If your environment is able, plot   P ( n ) {\displaystyle P(n)}   against   n {\displaystyle n}   for   n = 1 … 999 {\displaystyle n=1\ldots 999} . Related tasks Partition function P
#Python
Python
cache = [[1]] def cumu(n): for l in range(len(cache), n+1): r = [0] for x in range(1, l+1): r.append(r[-1] + cache[l-x][min(x, l-x)]) cache.append(r) return cache[n]   def row(n): r = cumu(n) return [r[i+1] - r[i] for i in range(n)]   print "rows:" for x in range(1, 11): print "%2d:"%x, row(x)     print "\nsums:" for x in [23, 123, 1234, 12345]: print x, cumu(x)[-1]
http://rosettacode.org/wiki/A%2BB
A+B
A+B   ─── a classic problem in programming contests,   it's given so contestants can gain familiarity with the online judging system being used. Task Given two integers,   A and B. Their sum needs to be calculated. Input data Two integers are written in the input stream, separated by space(s): ( − 1000 ≤ A , B ≤ + 1000 ) {\displaystyle (-1000\leq A,B\leq +1000)} Output data The required output is one integer:   the sum of A and B. Example input   output   2 2 4 3 2 5
#Befunge
Befunge
&&+.@
http://rosettacode.org/wiki/Ackermann_function
Ackermann function
The Ackermann function is a classic example of a recursive function, notable especially because it is not a primitive recursive function. It grows very quickly in value, as does the size of its call tree. The Ackermann function is usually defined as follows: A ( m , n ) = { n + 1 if  m = 0 A ( m − 1 , 1 ) if  m > 0  and  n = 0 A ( m − 1 , A ( m , n − 1 ) ) if  m > 0  and  n > 0. {\displaystyle A(m,n)={\begin{cases}n+1&{\mbox{if }}m=0\\A(m-1,1)&{\mbox{if }}m>0{\mbox{ and }}n=0\\A(m-1,A(m,n-1))&{\mbox{if }}m>0{\mbox{ and }}n>0.\end{cases}}} Its arguments are never negative and it always terminates. Task Write a function which returns the value of A ( m , n ) {\displaystyle A(m,n)} . Arbitrary precision is preferred (since the function grows so quickly), but not required. See also Conway chained arrow notation for the Ackermann function.
#SNOBOL4
SNOBOL4
define('ack(m,n)') :(ack_end) ack ack = eq(m,0) n + 1 :s(return) ack = eq(n,0) ack(m - 1,1) :s(return) ack = ack(m - 1,ack(m,n - 1)) :(return) ack_end   * # Test and display ack(0,0) .. ack(3,6) L1 str = str ack(m,n) ' ' n = lt(n,6) n + 1 :s(L1) output = str; str = '' n = 0; m = lt(m,3) m + 1 :s(L1) end
http://rosettacode.org/wiki/ABC_problem
ABC problem
ABC problem You are encouraged to solve this task according to the task description, using any language you may know. You are given a collection of ABC blocks   (maybe like the ones you had when you were a kid). There are twenty blocks with two letters on each block. A complete alphabet is guaranteed amongst all sides of the blocks. The sample collection of blocks: (B O) (X K) (D Q) (C P) (N A) (G T) (R E) (T G) (Q D) (F S) (J W) (H U) (V I) (A N) (O B) (E R) (F S) (L Y) (P C) (Z M) Task Write a function that takes a string (word) and determines whether the word can be spelled with the given collection of blocks. The rules are simple:   Once a letter on a block is used that block cannot be used again   The function should be case-insensitive   Show the output on this page for the following 7 words in the following example Example >>> can_make_word("A") True >>> can_make_word("BARK") True >>> can_make_word("BOOK") False >>> can_make_word("TREAT") True >>> can_make_word("COMMON") False >>> can_make_word("SQUAD") True >>> can_make_word("CONFUSE") True 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
#Delphi
Delphi
program ABC; {$APPTYPE CONSOLE}   uses SysUtils;   type TBlock = set of char;   const TheBlocks : array [0..19] of TBlock = ( [ 'B', 'O' ], [ 'X', 'K' ], [ 'D', 'Q' ], [ 'C', 'P' ], [ 'N', 'A' ], [ 'G', 'T' ], [ 'R', 'E' ], [ 'T', 'G' ], [ 'Q', 'D' ], [ 'F', 'S' ], [ 'J', 'W' ], [ 'H', 'U' ], [ 'V', 'I' ], [ 'A', 'N' ], [ 'O', 'B' ], [ 'E', 'R' ], [ 'F', 'S' ], [ 'L', 'Y' ], [ 'P', 'C' ], [ 'Z', 'M' ] );   function SolveABC(Target : string; Blocks : array of TBlock) : boolean; var iChr : integer; Used : array [0..19] of boolean;   function FindUnused(TargetChr : char) : boolean; // Nested routine var iBlock : integer; begin Result := FALSE; for iBlock := low(Blocks) to high(Blocks) do if (not Used[iBlock]) and ( TargetChr in Blocks[iBlock] ) then begin Result := TRUE; Used[iBlock] := TRUE; Break; end; end;   begin FillChar(Used, sizeof(Used), ord(FALSE)); Result := TRUE; iChr := 1; while Result and (iChr <= length(Target)) do if FindUnused(Target[iChr]) then inc(iChr) else Result := FALSE; end;   procedure CheckABC(Target : string); begin if SolveABC(uppercase(Target), TheBlocks) then writeln('Can make ' + Target) else writeln('Can NOT make ' + Target); end;   begin CheckABC('A'); CheckABC('BARK'); CheckABC('BOOK'); CheckABC('TREAT'); CheckABC('COMMON'); CheckABC('SQUAD'); CheckABC('CONFUSE'); readln; end.  
http://rosettacode.org/wiki/100_prisoners
100 prisoners
The Problem 100 prisoners are individually numbered 1 to 100 A room having a cupboard of 100 opaque drawers numbered 1 to 100, that cannot be seen from outside. Cards numbered 1 to 100 are placed randomly, one to a drawer, and the drawers all closed; at the start. Prisoners start outside the room They can decide some strategy before any enter the room. Prisoners enter the room one by one, can open a drawer, inspect the card number in the drawer, then close the drawer. A prisoner can open no more than 50 drawers. A prisoner tries to find his own number. A prisoner finding his own number is then held apart from the others. If all 100 prisoners find their own numbers then they will all be pardoned. If any don't then all sentences stand. The task Simulate several thousand instances of the game where the prisoners randomly open drawers Simulate several thousand instances of the game where the prisoners use the optimal strategy mentioned in the Wikipedia article, of: First opening the drawer whose outside number is his prisoner number. If the card within has his number then he succeeds otherwise he opens the drawer with the same number as that of the revealed card. (until he opens his maximum). Show and compare the computed probabilities of success for the two strategies, here, on this page. References The unbelievable solution to the 100 prisoner puzzle standupmaths (Video). wp:100 prisoners problem 100 Prisoners Escape Puzzle DataGenetics. Random permutation statistics#One hundred prisoners on Wikipedia.
#ARM_Assembly
ARM Assembly
  /* ARM assembly Raspberry PI */ /* program prisonniers.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"   .equ NBDOORS, 100 .equ NBLOOP, 1000   /*********************************/ /* Initialized data */ /*********************************/ .data sMessResult: .asciz "Random strategie  : @ sur 1000 \n" sMessResultOPT: .asciz "Optimal strategie : @ sur 1000 \n" szCarriageReturn: .asciz "\n" .align 4 iGraine: .int 123456 /*********************************/ /* UnInitialized data */ /*********************************/ .bss sZoneConv: .skip 24 tbDoors: .skip 4 * NBDOORS tbTest: .skip 4 * NBDOORS /*********************************/ /* code section */ /*********************************/ .text .global main main: @ entry of program   ldr r1,iAdrtbDoors mov r2,#0 1: @ loop init doors table add r3,r2,#1 str r3,[r1,r2,lsl #2] add r2,r2,#1 cmp r2,#NBDOORS blt 1b   mov r9,#0 @ loop counter mov r10,#0 @ counter successes random strategie mov r11,#0 @ counter successes optimal strategie 2: ldr r0,iAdrtbDoors mov r1,#NBDOORS bl knuthShuffle   ldr r0,iAdrtbDoors bl aleaStrategie cmp r0,#NBDOORS addeq r10,r10,#1   ldr r0,iAdrtbDoors bl optimaStrategie cmp r0,#NBDOORS addeq r11,r11,#1   add r9,r9,#1 cmp r9,#NBLOOP blt 2b   mov r0,r10 @ result display ldr r1,iAdrsZoneConv bl conversion10 @ call decimal conversion ldr r0,iAdrsMessResult ldr r1,iAdrsZoneConv @ insert conversion in message bl strInsertAtCharInc bl affichageMess   mov r0,r11 @ result display ldr r1,iAdrsZoneConv bl conversion10 @ call decimal conversion ldr r0,iAdrsMessResultOPT ldr r1,iAdrsZoneConv @ insert conversion in message bl strInsertAtCharInc 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 iAdrsMessResultOPT: .int sMessResultOPT iAdrtbDoors: .int tbDoors iAdrtbTest: .int tbTest iAdrsZoneConv: .int sZoneConv /******************************************************************/ /* random door test strategy */ /******************************************************************/ /* r0 contains the address of table */ aleaStrategie: push {r1-r7,lr} @ save registers ldr r6,iAdrtbTest @ table doors tests address mov r1,r0 @ save table doors address mov r4,#0 @ counter number of successes mov r2,#0 @ prisonners indice 1: bl razTable @ zero to table doors tests mov r5,#0 @ counter of door tests add r7,r2,#1 2: mov r0,#NBDOORS - 1 bl genereraleas @ random test add r0,r0,#1 ldr r3,[r6,r0,lsl #2] @ doors also tested ? cmp r3,#0 bne 2b @ yes ldr r3,[r1,r0,lsl #2] @ load N° door cmp r3,r7 @ compar N° door N° prisonner addeq r4,r4,#1 @ succes beq 3f mov r3,#1 @ top test table item str r3,[r6,r0,lsl #2] add r5,r5,#1 cmp r5,#NBDOORS / 2 @ number tests maxi ? blt 2b @ no -> loop 3: add r2,r2,#1 @ other prisonner cmp r2,#NBDOORS blt 1b   mov r0,r4 @ return number of successes 100: pop {r1-r7,lr} bx lr @ return /******************************************************************/ /* raz test table */ /******************************************************************/ razTable: push {r0-r2,lr} @ save registers ldr r0,iAdrtbTest mov r1,#0 @ item indice mov r2,#0 1: str r2,[r0,r1,lsl #2] @ store zero à item add r1,r1,#1 cmp r1,#NBDOORS blt 1b 100: pop {r0-r2,lr} bx lr @ return /******************************************************************/ /* random door test strategy */ /******************************************************************/ /* r0 contains the address of table */ optimaStrategie: push {r1-r7,lr} @ save registers mov r4,#0 @ counter number of successes mov r2,#0 @ counter prisonner 1: mov r5,#0 @ counter test mov r1,r2 @ first test = N° prisonner 2: ldr r3,[r0,r1,lsl #2] @ load N° door cmp r3,r2 addeq r4,r4,#1 @ equal -> succes beq 3f mov r1,r3 @ new test with N° door add r5,r5,#1 cmp r5,#NBDOORS / 2 @ test number maxi ? blt 2b 3: add r2,r2,#1 @ other prisonner cmp r2,#NBDOORS blt 1b   mov r0,r4 100: pop {r1-r7,lr} bx lr @ return /******************************************************************/ /* knuth Shuffle */ /******************************************************************/ /* r0 contains the address of table */ /* r1 contains the number of elements */ knuthShuffle: push {r2-r5,lr} @ save registers mov r5,r0 @ save table address mov r2,#0 @ start index 1: mov r0,r2 @ generate aleas bl genereraleas ldr r3,[r5,r2,lsl #2] @ swap number on the table ldr r4,[r5,r0,lsl #2] str r4,[r5,r2,lsl #2] str r3,[r5,r0,lsl #2] add r2,#1 @ next number cmp r2,r1 @ end ? blt 1b @ no -> loop 100: pop {r2-r5,lr} bx lr @ return /***************************************************/ /* Generation random number */ /***************************************************/ /* r0 contains limit */ genereraleas: push {r1-r4,lr} @ save registers ldr r4,iAdriGraine ldr r2,[r4] ldr r3,iNbDep1 mul r2,r3,r2 ldr r3,iNbDep1 add r2,r2,r3 str r2,[r4] @ maj de la graine pour l appel suivant cmp r0,#0 beq 100f mov r1,r0 @ divisor mov r0,r2 @ dividende bl division mov r0,r3 @ résult = remainder   100: @ end function pop {r1-r4,lr} @ restaur registers bx lr @ return /*****************************************************/ iAdriGraine: .int iGraine iNbDep1: .int 0x343FD iNbDep2: .int 0x269EC3 /***************************************************/ /* ROUTINES INCLUDE */ /***************************************************/ .include "../affichage.inc"  
http://rosettacode.org/wiki/Abundant_odd_numbers
Abundant odd numbers
An Abundant number is a number n for which the   sum of divisors   σ(n) > 2n, or,   equivalently,   the   sum of proper divisors   (or aliquot sum)       s(n) > n. E.G. 12   is abundant, it has the proper divisors     1,2,3,4 & 6     which sum to   16   ( > 12 or n);        or alternately,   has the sigma sum of   1,2,3,4,6 & 12   which sum to   28   ( > 24 or 2n). Abundant numbers are common, though even abundant numbers seem to be much more common than odd abundant numbers. To make things more interesting, this task is specifically about finding   odd abundant numbers. Task Find and display here: at least the first 25 abundant odd numbers and either their proper divisor sum or sigma sum. Find and display here: the one thousandth abundant odd number and either its proper divisor sum or sigma sum. Find and display here: the first abundant odd number greater than one billion (109) and either its proper divisor sum or sigma sum. References   OEIS:A005231: Odd abundant numbers (odd numbers n whose sum of divisors exceeds 2n)   American Journal of Mathematics, Vol. 35, No. 4 (Oct., 1913), pp. 413-422 - Finiteness of the Odd Perfect and Primitive Abundant Numbers with n Distinct Prime Factors (LE Dickson)
#q
q
s:{c where 0=x mod c:1+til x div 2} / proper divisors sd:sum s@ / sum of proper divisors abundant:{x<sd x} Filter:{y where x each y}
http://rosettacode.org/wiki/21_game
21 game
21 game You are encouraged to solve this task according to the task description, using any language you may know. 21 is a two player game, the game is played by choosing a number (1, 2, or 3) to be added to the running total. The game is won by the player whose chosen number causes the running total to reach exactly 21. The running total starts at zero. One player will be the computer. Players alternate supplying a number to be added to the running total. Task Write a computer program that will: do the prompting (or provide a button menu), check for errors and display appropriate error messages, do the additions (add a chosen number to the running total), display the running total, provide a mechanism for the player to quit/exit/halt/stop/close the program, issue a notification when there is a winner, and determine who goes first (maybe a random or user choice, or can be specified when the game begins).
#Java
Java
  import java.util.Random; import java.util.Scanner;   public class TwentyOneGame {   public static void main(String[] args) { new TwentyOneGame().run(true, 21, new int[] {1, 2, 3}); }   public void run(boolean computerPlay, int max, int[] valid) { String comma = ""; for ( int i = 0 ; i < valid.length ; i++ ) { comma += valid[i]; if ( i < valid.length - 2 && valid.length >= 3 ) { comma += ", "; } if ( i == valid.length - 2 ) { comma += " or "; } } System.out.printf("The %d game.%nEach player chooses to add %s to a running total.%n" + "The player whose turn it is when the total reaches %d will win the game.%n" + "Winner of the game starts the next game. Enter q to quit.%n%n", max, comma, max); int cGames = 0; int hGames = 0; boolean anotherGame = true; try (Scanner scanner = new Scanner(System.in);) { while ( anotherGame ) { Random r = new Random(); int round = 0; int total = 0; System.out.printf("Start game %d%n", hGames + cGames + 1); DONE: while ( true ) { round++; System.out.printf("ROUND %d:%n%n", round); for ( int play = 0 ; play < 2 ; play++ ) { if ( computerPlay ) { int guess = 0; // try find one equal for ( int test : valid ) { if ( total + test == max ) { guess = test; break; } } // try find one greater than if ( guess == 0 ) { for ( int test : valid ) { if ( total + test >= max ) { guess = test; break; } } } if ( guess == 0 ) { guess = valid[r.nextInt(valid.length)]; } total += guess; System.out.printf("The computer chooses %d%n", guess); System.out.printf("Running total is now %d%n%n", total); if ( total >= max ) { break DONE; } } else { while ( true ) { System.out.printf("Your choice among %s: ", comma); String line = scanner.nextLine(); if ( line.matches("^[qQ].*") ) { System.out.printf("Computer wins %d game%s, human wins %d game%s. One game incomplete.%nQuitting.%n", cGames, cGames == 1 ? "" : "s", hGames, hGames == 1 ? "" : "s"); return; } try { int input = Integer.parseInt(line); boolean inputOk = false; for ( int test : valid ) { if ( input == test ) { inputOk = true; break; } } if ( inputOk ) { total += input; System.out.printf("Running total is now %d%n%n", total); if ( total >= max ) { break DONE; } break; } else { System.out.printf("Invalid input - must be a number among %s. Try again.%n", comma); } } catch (NumberFormatException e) { System.out.printf("Invalid input - must be a number among %s. Try again.%n", comma); } } } computerPlay = !computerPlay; } } String win; if ( computerPlay ) { win = "Computer wins!!"; cGames++; } else { win = "You win and probably had help from another computer!!"; hGames++; } System.out.printf("%s%n", win); System.out.printf("Computer wins %d game%s, human wins %d game%s%n%n", cGames, cGames == 1 ? "" : "s", hGames, hGames == 1 ? "" : "s"); while ( true ) { System.out.printf("Another game (y/n)? "); String line = scanner.nextLine(); if ( line.matches("^[yY]$") ) { // OK System.out.printf("%n"); break; } else if ( line.matches("^[nN]$") ) { anotherGame = false; System.out.printf("Quitting.%n"); break; } else { System.out.printf("Invalid input - must be a y or n. Try again.%n"); } } } } }   }  
http://rosettacode.org/wiki/24_game/Solve
24 game/Solve
task Write a program that takes four digits, either from user input or by random generation, and computes arithmetic expressions following the rules of the 24 game. Show examples of solutions generated by the program. Related task   Arithmetic Evaluator
#Clojure
Clojure
(ns rosettacode.24game.solve (:require [clojure.math.combinatorics :as c] [clojure.walk :as w]))   (def ^:private op-maps (map #(zipmap [:o1 :o2 :o3] %) (c/selections '(* + - /) 3)))   (def ^:private patterns '( (:o1 (:o2 :n1 :n2) (:o3 :n3 :n4)) (:o1 :n1 (:o2 :n2 (:o3 :n3 :n4))) (:o1 (:o2 (:o3 :n1 :n2) :n3) :n4)))   (defn play24 [& digits] {:pre (and (every? #(not= 0 %) digits) (= (count digits) 4))} (->> (for [:let [digit-maps (->> digits sort c/permutations (map #(zipmap [:n1 :n2 :n3 :n4] %)))] om op-maps, dm digit-maps] (w/prewalk-replace dm (w/prewalk-replace om patterns))) (filter #(= (eval %) 24)) (map println) doall count))
http://rosettacode.org/wiki/4-rings_or_4-squares_puzzle
4-rings or 4-squares puzzle
4-rings or 4-squares puzzle You are encouraged to solve this task according to the task description, using any language you may know. Task Replace       a, b, c, d, e, f,   and   g       with the decimal digits   LOW   ───►   HIGH such that the sum of the letters inside of each of the four large squares add up to the same sum. ╔══════════════╗ ╔══════════════╗ ║ ║ ║ ║ ║ a ║ ║ e ║ ║ ║ ║ ║ ║ ┌───╫──────╫───┐ ┌───╫─────────┐ ║ │ ║ ║ │ │ ║ │ ║ │ b ║ ║ d │ │ f ║ │ ║ │ ║ ║ │ │ ║ │ ║ │ ║ ║ │ │ ║ │ ╚══════════╪═══╝ ╚═══╪══════╪═══╝ │ │ c │ │ g │ │ │ │ │ │ │ │ │ └──────────────┘ └─────────────┘ Show all output here.   Show all solutions for each letter being unique with LOW=1 HIGH=7   Show all solutions for each letter being unique with LOW=3 HIGH=9   Show only the   number   of solutions when each letter can be non-unique LOW=0 HIGH=9 Related task Solve the no connection puzzle
#Kotlin
Kotlin
// version 1.1.2   class FourSquares( private val lo: Int, private val hi: Int, private val unique: Boolean, private val show: Boolean ) { private var a = 0 private var b = 0 private var c = 0 private var d = 0 private var e = 0 private var f = 0 private var g = 0 private var s = 0   init { println() if (show) { println("a b c d e f g") println("-------------") } acd() println("\n$s ${if (unique) "unique" else "non-unique"} solutions in $lo to $hi") }   private fun acd() { c = lo while (c <= hi) { d = lo while (d <= hi) { if (!unique || c != d) { a = c + d if ((a in lo..hi) && (!unique || (c != 0 && d!= 0))) ge() } d++ } c++ } }   private fun bf() { f = lo while (f <= hi) { if (!unique || (f != a && f != c && f != d && f != e && f!= g)) { b = e + f - c if ((b in lo..hi) && (!unique || (b != a && b != c && b != d && b != e && b != f && b!= g))) { s++ if (show) println("$a $b $c $d $e $f $g") } } f++ } }   private fun ge() { e = lo while (e <= hi) { if (!unique || (e != a && e != c && e != d)) { g = d + e if ((g in lo..hi) && (!unique || (g != a && g != c && g != d && g != e))) bf() } e++ } } }   fun main(args: Array<String>) { FourSquares(1, 7, true, true) FourSquares(3, 9, true, true) FourSquares(0, 9, false, false) }
http://rosettacode.org/wiki/99_bottles_of_beer
99 bottles of beer
Task Display the complete lyrics for the song:     99 Bottles of Beer on the Wall. The beer song The lyrics follow this form: 99 bottles of beer on the wall 99 bottles of beer Take one down, pass it around 98 bottles of beer on the wall 98 bottles of beer on the wall 98 bottles of beer Take one down, pass it around 97 bottles of beer on the wall ... and so on, until reaching   0     (zero). Grammatical support for   1 bottle of beer   is optional. As with any puzzle, try to do it in as creative/concise/comical a way as possible (simple, obvious solutions allowed, too). 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 See also   http://99-bottles-of-beer.net/   Category:99_Bottles_of_Beer   Category:Programming language families   Wikipedia 99 bottles of beer
#ABAP
ABAP
REPORT z99bottles.   DATA lv_no_bottles(2) TYPE n VALUE 99.   DO lv_no_bottles TIMES. WRITE lv_no_bottles NO-ZERO. WRITE ' bottles of beer on the wall'. NEW-LINE. WRITE lv_no_bottles NO-ZERO. WRITE ' bottles of beer'. NEW-LINE. WRITE 'Take one down, pass it around'. NEW-LINE. SUBTRACT 1 FROM lv_no_bottles. WRITE lv_no_bottles NO-ZERO. WRITE ' bottles of beer on the wall'. WRITE /. ENDDO.
http://rosettacode.org/wiki/24_game
24 game
The 24 Game tests one's mental arithmetic. Task Write a program that randomly chooses and displays four digits, each from 1 ──► 9 (inclusive) with repetitions allowed. The program should prompt for the player to enter an arithmetic expression using just those, and all of those four digits, used exactly once each. The program should check then evaluate the expression. The goal is for the player to enter an expression that (numerically) evaluates to 24. Only the following operators/functions are allowed: multiplication, division, addition, subtraction Division should use floating point or rational arithmetic, etc, to preserve remainders. Brackets are allowed, if using an infix expression evaluator. Forming multiple digit numbers from the supplied digits is disallowed. (So an answer of 12+12 when given 1, 2, 2, and 1 is wrong). The order of the digits when given does not have to be preserved. Notes The type of expression evaluator used is not mandated. An RPN evaluator is equally acceptable for example. The task is not for the program to generate the expression, or test whether an expression is even possible. Related tasks 24 game/Solve Reference The 24 Game on h2g2.
#Bracmat
Bracmat
( 24-game = m-w m-z 4numbers answer expr numbers , seed get-random convertBinaryMinusToUnary , convertDivisionToMultiplication isExpresssion reciprocal . (seed=.!arg:(~0:~/#?m-w.~0:~/#?m-z)) & seed$!arg & ( get-random = . 36969*mod$(!m-z.65536)+div$(!m-z.65536):?m-z & 18000*mod$(!m-w.65536)+div$(!m-w.65536):?m-w & mod$(!m-z*65536+!m-w.9)+1 ) & ( convertBinaryMinusToUnary = a z . @(!arg:%?a "-" ?z) & str$(!a "+-1*" convertBinaryMinusToUnary$!z) | !arg ) & (reciprocal=.!arg^-1) & ( convertDivisionToMultiplication = a z . @(!arg:?a "/" ?z) & str$(!a "*reciprocal$" convertDivisionToMultiplication$!z) | !arg ) & ( isExpresssion = A Z expr . @( !arg  :  ?A ("+"|"-"|"*"|"/") ( ?Z & isExpresssion$!A & isExpresssion$!Z ) ) |  !numbers:?A !arg ?Z & !A !Z:?numbers | ( @(!arg:"(" ?expr ")") | @(!arg:(" "|\t) ?expr) | @(!arg:?expr (" "|\t)) ) & isExpresssion$!expr ) & out $ "Enter an expression that evaluates to 24 by combining the following numbers." & out$"You may only use the operators + - * /" & out$"Parentheses and spaces are allowed." & whl ' ( get-random$() get-random$() get-random$() get-random$  : ?4numbers & out$!4numbers & whl ' ( get'(,STR):?expr:~ & !4numbers:?numbers & ~(isExpresssion$!expr&!numbers:) & out $ ( str $ ( "["  !expr "] is not a valid expression. Try another expression." ) ) ) & !expr:~ & convertBinaryMinusToUnary$!expr:?expr & convertDivisionToMultiplication$!expr:?expr & get$(!expr,MEM):?answer & out$(str$(!expr " = " !answer)) &  !answer  : ( 24&out$Right! | #&out$Wrong! ) & out$"Try another one:" ) & out$bye ) & 24-game$(13.14) & ;
http://rosettacode.org/wiki/9_billion_names_of_God_the_integer
9 billion names of God the integer
This task is a variation of the short story by Arthur C. Clarke. (Solvers should be aware of the consequences of completing this task.) In detail, to specify what is meant by a   “name”: The integer 1 has 1 name     “1”. The integer 2 has 2 names   “1+1”,   and   “2”. The integer 3 has 3 names   “1+1+1”,   “2+1”,   and   “3”. The integer 4 has 5 names   “1+1+1+1”,   “2+1+1”,   “2+2”,   “3+1”,   “4”. The integer 5 has 7 names   “1+1+1+1+1”,   “2+1+1+1”,   “2+2+1”,   “3+1+1”,   “3+2”,   “4+1”,   “5”. Task Display the first 25 rows of a number triangle which begins: 1 1 1 1 1 1 1 2 1 1 1 2 2 1 1 1 3 3 2 1 1 Where row   n {\displaystyle n}   corresponds to integer   n {\displaystyle n} ,   and each column   C {\displaystyle C}   in row   m {\displaystyle m}   from left to right corresponds to the number of names beginning with   C {\displaystyle C} . A function   G ( n ) {\displaystyle G(n)}   should return the sum of the   n {\displaystyle n} -th   row. Demonstrate this function by displaying:   G ( 23 ) {\displaystyle G(23)} ,   G ( 123 ) {\displaystyle G(123)} ,   G ( 1234 ) {\displaystyle G(1234)} ,   and   G ( 12345 ) {\displaystyle G(12345)} . Optionally note that the sum of the   n {\displaystyle n} -th   row   P ( n ) {\displaystyle P(n)}   is the     integer partition function. Demonstrate this is equivalent to   G ( n ) {\displaystyle G(n)}   by displaying:   P ( 23 ) {\displaystyle P(23)} ,   P ( 123 ) {\displaystyle P(123)} ,   P ( 1234 ) {\displaystyle P(1234)} ,   and   P ( 12345 ) {\displaystyle P(12345)} . Extra credit If your environment is able, plot   P ( n ) {\displaystyle P(n)}   against   n {\displaystyle n}   for   n = 1 … 999 {\displaystyle n=1\ldots 999} . Related tasks Partition function P
#Racket
Racket
#lang racket   (define (cdr-empty ls) (if (empty? ls) empty (cdr ls)))   (define (names-of n) (define (names-of-tail ans raws-rest n) (if (zero? n) ans (names-of-tail (cons 1 (append (map + (take ans (length raws-rest)) (map car raws-rest)) (drop ans (length raws-rest)))) (filter (compose not empty?) (map cdr-empty (cons ans raws-rest))) (sub1 n)))) (names-of-tail '() '() n))   (define (G n) (foldl + 0 (names-of n)))   (module+ main (build-list 25 (compose names-of add1)) (newline) (map G '(23 123 1234)))  
http://rosettacode.org/wiki/9_billion_names_of_God_the_integer
9 billion names of God the integer
This task is a variation of the short story by Arthur C. Clarke. (Solvers should be aware of the consequences of completing this task.) In detail, to specify what is meant by a   “name”: The integer 1 has 1 name     “1”. The integer 2 has 2 names   “1+1”,   and   “2”. The integer 3 has 3 names   “1+1+1”,   “2+1”,   and   “3”. The integer 4 has 5 names   “1+1+1+1”,   “2+1+1”,   “2+2”,   “3+1”,   “4”. The integer 5 has 7 names   “1+1+1+1+1”,   “2+1+1+1”,   “2+2+1”,   “3+1+1”,   “3+2”,   “4+1”,   “5”. Task Display the first 25 rows of a number triangle which begins: 1 1 1 1 1 1 1 2 1 1 1 2 2 1 1 1 3 3 2 1 1 Where row   n {\displaystyle n}   corresponds to integer   n {\displaystyle n} ,   and each column   C {\displaystyle C}   in row   m {\displaystyle m}   from left to right corresponds to the number of names beginning with   C {\displaystyle C} . A function   G ( n ) {\displaystyle G(n)}   should return the sum of the   n {\displaystyle n} -th   row. Demonstrate this function by displaying:   G ( 23 ) {\displaystyle G(23)} ,   G ( 123 ) {\displaystyle G(123)} ,   G ( 1234 ) {\displaystyle G(1234)} ,   and   G ( 12345 ) {\displaystyle G(12345)} . Optionally note that the sum of the   n {\displaystyle n} -th   row   P ( n ) {\displaystyle P(n)}   is the     integer partition function. Demonstrate this is equivalent to   G ( n ) {\displaystyle G(n)}   by displaying:   P ( 23 ) {\displaystyle P(23)} ,   P ( 123 ) {\displaystyle P(123)} ,   P ( 1234 ) {\displaystyle P(1234)} ,   and   P ( 12345 ) {\displaystyle P(12345)} . Extra credit If your environment is able, plot   P ( n ) {\displaystyle P(n)}   against   n {\displaystyle n}   for   n = 1 … 999 {\displaystyle n=1\ldots 999} . Related tasks Partition function P
#Raku
Raku
my @todo = $[1]; my @sums = 0; sub nextrow($n) { for +@todo .. $n -> $l { my $r = []; for reverse ^$l -> $x { my @x := @todo[$x]; if @x { $r.push: @sums[$x] += @x.shift; } else { $r.push: @sums[$x]; } } @todo.push($r); } @todo[$n]; }   say "rows:"; say .fmt('%2d'), ": ", nextrow($_)[] for 1..25;     my @names-of-God = 1, { partition-sum ++$ } … *; my @names-of-God-adder = lazy [\+] flat 1, ( (1 .. *) Z (1 .. *).map: * × 2 + 1 ); sub partition-sum ($n) { sum @names-of-God[$n X- @names-of-God-adder[^(@names-of-God-adder.first: * > $n, :k)]] Z× (flat (1, 1, -1, -1) xx *) }   say "\nsums:"; for 23, 123, 1234, 12345 { put $_, "\t", @names-of-God[$_]; }
http://rosettacode.org/wiki/A%2BB
A+B
A+B   ─── a classic problem in programming contests,   it's given so contestants can gain familiarity with the online judging system being used. Task Given two integers,   A and B. Their sum needs to be calculated. Input data Two integers are written in the input stream, separated by space(s): ( − 1000 ≤ A , B ≤ + 1000 ) {\displaystyle (-1000\leq A,B\leq +1000)} Output data The required output is one integer:   the sum of A and B. Example input   output   2 2 4 3 2 5
#Bird
Bird
use Console Math   define Main $a Console.Read $b Console.Read Console.Println Math.Add $a $b end
http://rosettacode.org/wiki/Ackermann_function
Ackermann function
The Ackermann function is a classic example of a recursive function, notable especially because it is not a primitive recursive function. It grows very quickly in value, as does the size of its call tree. The Ackermann function is usually defined as follows: A ( m , n ) = { n + 1 if  m = 0 A ( m − 1 , 1 ) if  m > 0  and  n = 0 A ( m − 1 , A ( m , n − 1 ) ) if  m > 0  and  n > 0. {\displaystyle A(m,n)={\begin{cases}n+1&{\mbox{if }}m=0\\A(m-1,1)&{\mbox{if }}m>0{\mbox{ and }}n=0\\A(m-1,A(m,n-1))&{\mbox{if }}m>0{\mbox{ and }}n>0.\end{cases}}} Its arguments are never negative and it always terminates. Task Write a function which returns the value of A ( m , n ) {\displaystyle A(m,n)} . Arbitrary precision is preferred (since the function grows so quickly), but not required. See also Conway chained arrow notation for the Ackermann function.
#SNUSP
SNUSP
/==!/==atoi=@@@-@-----# | | Ackermann function | | /=========\!==\!====\ recursion: $,@/>,@/==ack=!\?\<+# | | | A(0,j) -> j+1 j i \<?\+>-@/# | | A(i,0) -> A(i-1,1) \@\>@\->@/@\<-@/# A(i,j) -> A(i-1,A(i,j-1)) | | | # # | | | /+<<<-\ /-<<+>>\!=/ \=====|==!/========?\>>>=?/<<#  ?  ? | \<<<+>+>>-/ \>>+<<-/!==========/ # #
http://rosettacode.org/wiki/ABC_problem
ABC problem
ABC problem You are encouraged to solve this task according to the task description, using any language you may know. You are given a collection of ABC blocks   (maybe like the ones you had when you were a kid). There are twenty blocks with two letters on each block. A complete alphabet is guaranteed amongst all sides of the blocks. The sample collection of blocks: (B O) (X K) (D Q) (C P) (N A) (G T) (R E) (T G) (Q D) (F S) (J W) (H U) (V I) (A N) (O B) (E R) (F S) (L Y) (P C) (Z M) Task Write a function that takes a string (word) and determines whether the word can be spelled with the given collection of blocks. The rules are simple:   Once a letter on a block is used that block cannot be used again   The function should be case-insensitive   Show the output on this page for the following 7 words in the following example Example >>> can_make_word("A") True >>> can_make_word("BARK") True >>> can_make_word("BOOK") False >>> can_make_word("TREAT") True >>> can_make_word("COMMON") False >>> can_make_word("SQUAD") True >>> can_make_word("CONFUSE") True 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
#Draco
Draco
\util.g   proc nonrec ucase(char c) char: byte b; b := pretend(c, byte); b := b & ~32; pretend(b, char) corp   proc nonrec can_make_word(*char w) bool: [41] char blocks; word i; char ch; bool found, ok;   CharsCopy(&blocks[0], "BOXKDQCPNAGTRETGQDFSJWHUVIANOBERFSLYPCZM");   ok := true; while ch := ucase(w*); w := w + 1; ok and ch ~= '\e' do found := false; i := 0; while not found and i < 40 do if blocks[i] = ch then found := true fi; i := i + 1; od; if found then i := i - 1; blocks[i] := '\e'; blocks[i >< 1] := '\e' else ok := false fi od; ok corp   proc nonrec test(*char w) void: writeln(w, ": ", if can_make_word(w) then "yes" else "no" fi) corp   proc nonrec main() void: test("A"); test("BARK"); test("book"); test("treat"); test("CoMmOn"); test("sQuAd"); test("CONFUSE") corp
http://rosettacode.org/wiki/100_prisoners
100 prisoners
The Problem 100 prisoners are individually numbered 1 to 100 A room having a cupboard of 100 opaque drawers numbered 1 to 100, that cannot be seen from outside. Cards numbered 1 to 100 are placed randomly, one to a drawer, and the drawers all closed; at the start. Prisoners start outside the room They can decide some strategy before any enter the room. Prisoners enter the room one by one, can open a drawer, inspect the card number in the drawer, then close the drawer. A prisoner can open no more than 50 drawers. A prisoner tries to find his own number. A prisoner finding his own number is then held apart from the others. If all 100 prisoners find their own numbers then they will all be pardoned. If any don't then all sentences stand. The task Simulate several thousand instances of the game where the prisoners randomly open drawers Simulate several thousand instances of the game where the prisoners use the optimal strategy mentioned in the Wikipedia article, of: First opening the drawer whose outside number is his prisoner number. If the card within has his number then he succeeds otherwise he opens the drawer with the same number as that of the revealed card. (until he opens his maximum). Show and compare the computed probabilities of success for the two strategies, here, on this page. References The unbelievable solution to the 100 prisoner puzzle standupmaths (Video). wp:100 prisoners problem 100 Prisoners Escape Puzzle DataGenetics. Random permutation statistics#One hundred prisoners on Wikipedia.
#AutoHotkey
AutoHotkey
NumOfTrials := 20000 randomFailTotal := 0, strategyFailTotal := 0 prisoners := [], drawers := [], Cards := [] loop, 100 prisoners[A_Index] := A_Index ; create prisoners , drawers[A_Index] := true ; create drawers   loop, % NumOfTrials { loop, 100 Cards[A_Index] := A_Index ; create cards for this iteration loop, 100 { Random, rnd, 1, Cards.count() drawers[A_Index] := Cards.RemoveAt(rnd) ; randomly place cards in drawers } ;------------------------------------------- ; randomly open drawers RandomList := [] loop, 100 RandomList[A_Index] := A_Index Fail := false while (A_Index <=100) && !Fail { thisPrisoner := A_Index res := "" while (thisCard <> thisPrisoner) && !Fail { Random, rnd, 1, % RandomList.Count() ; choose random number NextDrawer := RandomList.RemoveAt(rnd) ; remove drawer from random list (don't choose more than once) thisCard := drawers[NextDrawer] ; get card from this drawer if (A_Index > 50) Fail := true } if Fail randomFailTotal++ } ;------------------------------------------- ; use optimal strategy Fail := false while (A_Index <=100) && !Fail { counter := 1, thisPrisoner := A_Index NextDrawer := drawers[thisPrisoner] ; 1st trial, drawer whose outside number is prisoner number while (drawers[NextDrawer] <> thisPrisoner) && !Fail { NextDrawer := drawers[NextDrawer] ; drawer with the same number as that of the revealed card if ++counter > 50 Fail := true } if Fail strategyFailTotal++ } } MsgBox % "Number Of Trials = " NumOfTrials . "`nOptimal Strategy:`t" (1 - strategyFailTotal/NumOfTrials) *100 " % success rate" . "`nRandom Trials:`t" (1 - randomFailTotal/NumOfTrials) *100 " % success rate"
http://rosettacode.org/wiki/Abundant_odd_numbers
Abundant odd numbers
An Abundant number is a number n for which the   sum of divisors   σ(n) > 2n, or,   equivalently,   the   sum of proper divisors   (or aliquot sum)       s(n) > n. E.G. 12   is abundant, it has the proper divisors     1,2,3,4 & 6     which sum to   16   ( > 12 or n);        or alternately,   has the sigma sum of   1,2,3,4,6 & 12   which sum to   28   ( > 24 or 2n). Abundant numbers are common, though even abundant numbers seem to be much more common than odd abundant numbers. To make things more interesting, this task is specifically about finding   odd abundant numbers. Task Find and display here: at least the first 25 abundant odd numbers and either their proper divisor sum or sigma sum. Find and display here: the one thousandth abundant odd number and either its proper divisor sum or sigma sum. Find and display here: the first abundant odd number greater than one billion (109) and either its proper divisor sum or sigma sum. References   OEIS:A005231: Odd abundant numbers (odd numbers n whose sum of divisors exceeds 2n)   American Journal of Mathematics, Vol. 35, No. 4 (Oct., 1913), pp. 413-422 - Finiteness of the Odd Perfect and Primitive Abundant Numbers with n Distinct Prime Factors (LE Dickson)
#Quackery
Quackery
[ 0 swap factors witheach + ] is sigmasum ( n --> n )   0 -1 [ 2 + dup sigmasum over 2 * over < iff [ over echo sp echo cr dip 1+ ] else drop over 25 = until ] 2drop cr 0 -1 [ 2 + dup sigmasum over 2 * > if [ dip 1+ ] over 1000 = until ] dup echo sp sigmasum echo cr drop cr 999999999 [ 2 + dup sigmasum over 2 * > until ] dup echo sp sigmasum echo cr
http://rosettacode.org/wiki/21_game
21 game
21 game You are encouraged to solve this task according to the task description, using any language you may know. 21 is a two player game, the game is played by choosing a number (1, 2, or 3) to be added to the running total. The game is won by the player whose chosen number causes the running total to reach exactly 21. The running total starts at zero. One player will be the computer. Players alternate supplying a number to be added to the running total. Task Write a computer program that will: do the prompting (or provide a button menu), check for errors and display appropriate error messages, do the additions (add a chosen number to the running total), display the running total, provide a mechanism for the player to quit/exit/halt/stop/close the program, issue a notification when there is a winner, and determine who goes first (maybe a random or user choice, or can be specified when the game begins).
#JavaScript
JavaScript
<!DOCTYPE html><html lang="en">   <head> <meta charset="UTF-8"> <meta name="keywords" content="Game 21"> <meta name="description" content=" 21 is a two player game, the game is played by choosing a number (1, 2, or 3) to be added to the running total. The game is won by the player whose chosen number causes the running total to reach exactly 21. The running total starts at zero. "> <!--DCMI metadata (Dublin Core Metadata Initiative)--> <meta name="dc.publisher" content="Rosseta Code"> <meta name="dc.date" content="2020-07-23"> <meta name="dc.created" content="2020-07-23"> <meta name="dc.modified" content="2020-07-30"> <title> 21 Game </title> <!-- Remove the line below in the final/production version. --> <meta http-equiv="cache-control" content="no-cache">   <style> .ui div { width: 50%; display: inline-flex; justify-content: flex-end; } div.total { margin-bottom: 1ch; } label { padding-right: 1ch; } button + button { margin-left: 1em; } </style> </head>   <body> <h1> 21 Game in ECMA Script (Java Script) </h1>   <p> 21 is a two player game, the game is played by choosing a number (1, 2, or 3) to be added to the running total. The game is won by the player whose chosen number causes the running total to reach exactly 21. The running total starts at zero. </p>   <p><span id="first"></span> Use buttons to play.</p>   <div class="ui"> <div class="total"> <label for="human">human last choice:</label> <input type="text" id="human" readonly> </div> <div class="total"> <label for="AI">AI last choice:</label> <input type="text" id="AI" readonly> </div> <div class="total"> <label for="runningTotalText">running total:</label> <input type="text" id="runningTotalText" readonly> </div> <div class="buttons"> <button onclick="choice(1);" id="choice1"> one </button> <button onclick="choice(2);" id="choice2"> two </button> <button onclick="choice(3);" id="choice3"> three </button> <button onclick="restart();"> restart </button> </div> </div>   <p id="message"></p>   <noscript> No script, no fun. Turn on Javascript on. </noscript>   <script> // I really dislike global variables, but in any (?) WWW browser the global // variables are in the window (separately for each tab) context space. // var runningTotal = 0; const human = document.getElementById('human'); const AI = document.getElementById('AI'); const runningTotalText = document.getElementById('runningTotalText'); const first = document.getElementById('first') const message = document.getElementById('message'); const choiceButtons = new Array(3);   // An function to restart game in any time, should be called as a callback // from the WWW page, see above for an example. // function restart() { runningTotal = 0; runningTotalText.value = runningTotal; human.value = ''; AI.value = ''; for (let i = 1; i <= 3; i++) { let button = document.getElementById('choice' + i); button.disabled = false; choiceButtons[i] = button; } message.innerText = ''; if (Math.random() > 0.5) { update(AI, ai()); first.innerText = 'The first move is AI move.' } else first.innerText = 'The first move is human move.' }   // This function update an (read-only for a user) two text boxes // as well as runningTotal. It should be called only once per a move/turn. // function update(textBox, n) { textBox.value = n; runningTotal = runningTotal + n; runningTotalText.value = runningTotal; for (let i = 1; i <= 3; i++) if (runningTotal + i > 21) choiceButtons[i].disabled = true; }   // An callback function called when the human player click the button. // function choice(n) { update(human, n); if (runningTotal == 21) message.innerText = 'The winner is human.'; else { update(AI, ai()); if (runningTotal == 21) message.innerText = 'The winner is AI.'; } }   // A rather simple function to calculate a computer move for the given total. // function ai() { for (let i = 1; i <= 3; i++) if (runningTotal + i == 21) return i;   for (let i = 1; i <= 3; i++) if ((runningTotal + i - 1) % 4 == 0) return i;   return 1; }   // Run the script - actually this part do only some initialization, because // the game is interactively driven by events from an UI written in HTML. // restart(); </script>   </body> </html>
http://rosettacode.org/wiki/24_game/Solve
24 game/Solve
task Write a program that takes four digits, either from user input or by random generation, and computes arithmetic expressions following the rules of the 24 game. Show examples of solutions generated by the program. Related task   Arithmetic Evaluator
#COBOL
COBOL
>>SOURCE FORMAT FREE *> This code is dedicated to the public domain *> This is GNUCobol 2.0 identification division. program-id. twentyfoursolve. environment division. configuration section. repository. function all intrinsic. input-output section. file-control. select count-file assign to count-file-name file status count-file-status organization line sequential. data division. file section. fd count-file. 01 count-record pic x(7).   working-storage section. 01 count-file-name pic x(64) value 'solutioncounts'. 01 count-file-status pic xx.   01 command-area. 03 nd pic 9. 03 number-definition. 05 n occurs 4 pic 9. 03 number-definition-9 redefines number-definition pic 9(4). 03 command-input pic x(16). 03 command pic x(5). 03 number-count pic 9999. 03 l1 pic 99. 03 l2 pic 99. 03 expressions pic zzz,zzz,zz9.   01 number-validation. 03 px pic 99. 03 permutations value '1234' & '1243' & '1324' & '1342' & '1423' & '1432'   & '2134' & '2143' & '2314' & '2341' & '2413' & '2431'   & '3124' & '3142' & '3214' & '3241' & '3423' & '3432'   & '4123' & '4132' & '4213' & '4231' & '4312' & '4321'. 05 permutation occurs 24 pic x(4). 03 cpx pic 9. 03 current-permutation pic x(4). 03 od1 pic 9. 03 od2 pic 9. 03 od3 pic 9. 03 operator-definitions pic x(4) value '+-*/'. 03 cox pic 9. 03 current-operators pic x(3). 03 rpn-forms value 'nnonono' & 'nnonnoo' & 'nnnonoo' & 'nnnoono' & 'nnnnooo'. 05 rpn-form occurs 5 pic x(7). 03 rpx pic 9. 03 current-rpn-form pic x(7).   01 calculation-area. 03 oqx pic 99. 03 output-queue pic x(7). 03 work-number pic s9999. 03 top-numerator pic s9999 sign leading separate. 03 top-denominator pic s9999 sign leading separate. 03 rsx pic 9. 03 result-stack occurs 8. 05 numerator pic s9999. 05 denominator pic s9999. 03 divide-by-zero-error pic x.   01 totals. 03 s pic 999. 03 s-lim pic 999 value 600. 03 s-max pic 999 value 0. 03 solution occurs 600 pic x(7). 03 sc pic 999. 03 sc1 pic 999. 03 sc2 pic 9. 03 sc-max pic 999 value 0. 03 sc-lim pic 999 value 600. 03 solution-counts value zeros. 05 solution-count occurs 600 pic 999. 03 ns pic 9999. 03 ns-max pic 9999 value 0. 03 ns-lim pic 9999 value 6561. 03 number-solutions occurs 6561. 05 ns-number pic x(4). 05 ns-count pic 999. 03 record-counts pic 9999. 03 total-solutions pic 9999.   01 infix-area. 03 i pic 9. 03 i-s pic 9. 03 i-s1 pic 9. 03 i-work pic x(16). 03 i-stack occurs 7 pic x(13).   procedure division. start-twentyfoursolve. display 'start twentyfoursolve' perform display-instructions perform get-command perform until command-input = spaces display space initialize command number-count unstring command-input delimited by all space into command number-count move command-input to number-definition move spaces to command-input evaluate command when 'h' when 'help' perform display-instructions when 'list' if ns-max = 0 perform load-solution-counts end-if perform list-counts when 'show' if ns-max = 0 perform load-solution-counts end-if perform show-numbers when other if number-definition-9 not numeric display 'invalid number' else perform get-solutions perform display-solutions end-if end-evaluate if command-input = spaces perform get-command end-if end-perform display 'exit twentyfoursolve' stop run . display-instructions. display space display 'enter a number <n> as four integers from 1-9 to see its solutions' display 'enter list to see counts of solutions for all numbers' display 'enter show <n> to see numbers having <n> solutions' display '<enter> ends the program' . get-command. display space move spaces to command-input display '(h for help)?' with no advancing accept command-input . ask-for-more. display space move 0 to l1 add 1 to l2 if l2 = 10 display 'more (<enter>)?' with no advancing accept command-input move 0 to l2 end-if . list-counts. add 1 to sc-max giving sc display 'there are ' sc ' solution counts' display space display 'solutions/numbers' move 0 to l1 move 0 to l2 perform varying sc from 1 by 1 until sc > sc-max or command-input <> spaces if solution-count(sc) > 0 subtract 1 from sc giving sc1 *> offset to capture zero counts display sc1 '/' solution-count(sc) space with no advancing add 1 to l1 if l1 = 8 perform ask-for-more end-if end-if end-perform if l1 > 0 display space end-if . show-numbers. *> with number-count solutions add 1 to number-count giving sc1 *> offset for zero count evaluate true when number-count >= sc-max display 'no number has ' number-count ' solutions' exit paragraph when solution-count(sc1) = 1 and number-count = 1 display '1 number has 1 solution' when solution-count(sc1) = 1 display '1 number has ' number-count ' solutions' when number-count = 1 display solution-count(sc1) ' numbers have 1 solution' when other display solution-count(sc1) ' numbers have ' number-count ' solutions' end-evaluate display space move 0 to l1 move 0 to l2 perform varying ns from 1 by 1 until ns > ns-max or command-input <> spaces if ns-count(ns) = number-count display ns-number(ns) space with no advancing add 1 to l1 if l1 = 14 perform ask-for-more end-if end-if end-perform if l1 > 0 display space end-if . display-solutions. evaluate s-max when 0 display number-definition ' has no solutions' when 1 display number-definition ' has 1 solution' when other display number-definition ' has ' s-max ' solutions' end-evaluate display space move 0 to l1 move 0 to l2 perform varying s from 1 by 1 until s > s-max or command-input <> spaces *> convert rpn solution(s) to infix move 0 to i-s perform varying i from 1 by 1 until i > 7 if solution(s)(i:1) >= '1' and <= '9' add 1 to i-s move solution(s)(i:1) to i-stack(i-s) else subtract 1 from i-s giving i-s1 move spaces to i-work string '(' i-stack(i-s1) solution(s)(i:1) i-stack(i-s) ')' delimited by space into i-work move i-work to i-stack(i-s1) subtract 1 from i-s end-if end-perform display solution(s) space i-stack(1) space space with no advancing add 1 to l1 if l1 = 3 perform ask-for-more end-if end-perform if l1 > 0 display space end-if . load-solution-counts. move 0 to ns-max *> numbers and their solution count move 0 to sc-max *> solution counts move spaces to count-file-status open input count-file if count-file-status <> '00' perform create-count-file move 0 to ns-max *> numbers and their solution count move 0 to sc-max *> solution counts open input count-file end-if read count-file move 0 to record-counts move zeros to solution-counts perform until count-file-status <> '00' add 1 to record-counts perform increment-ns-max move count-record to number-solutions(ns-max) add 1 to ns-count(ns-max) giving sc *> offset 1 for zero counts if sc > sc-lim display 'sc ' sc ' exceeds sc-lim ' sc-lim stop run end-if if sc > sc-max move sc to sc-max end-if add 1 to solution-count(sc) read count-file end-perform close count-file . create-count-file. open output count-file display 'Counting solutions for all numbers' display 'We will examine 9*9*9*9 numbers' display 'For each number we will examine 4! permutations of the digits' display 'For each permutation we will examine 4*4*4 combinations of operators' display 'For each permutation and combination we will examine 5 rpn forms' display 'We will count the number of unique solutions for the given number' display 'Each number and its counts will be written to file ' trim(count-file-name) compute expressions = 9*9*9*9*factorial(4)*4*4*4*5 display 'So we will evaluate ' trim(expressions) ' statements' display 'This will take a few minutes' display 'In the future if ' trim(count-file-name) ' exists, this step will be bypassed' move 0 to record-counts move 0 to total-solutions perform varying n(1) from 1 by 1 until n(1) = 0 perform varying n(2) from 1 by 1 until n(2) = 0 display n(1) n(2) '..' *> show progress perform varying n(3) from 1 by 1 until n(3) = 0 perform varying n(4) from 1 by 1 until n(4) = 0 perform get-solutions perform increment-ns-max move number-definition to ns-number(ns-max) move s-max to ns-count(ns-max) move number-solutions(ns-max) to count-record write count-record add s-max to total-solutions add 1 to record-counts add 1 to ns-count(ns-max) giving sc *> offset by 1 for zero counts if sc > sc-lim display 'error: ' sc ' solution count exceeds ' sc-lim stop run end-if add 1 to solution-count(sc) end-perform end-perform end-perform end-perform close count-file display record-counts ' numbers and counts written to ' trim(count-file-name) display total-solutions ' total solutions' display space . increment-ns-max. if ns-max >= ns-lim display 'error: numbers exceeds ' ns-lim stop run end-if add 1 to ns-max . get-solutions. move 0 to s-max perform varying px from 1 by 1 until px > 24 move permutation(px) to current-permutation perform varying od1 from 1 by 1 until od1 > 4 move operator-definitions(od1:1) to current-operators(1:1) perform varying od2 from 1 by 1 until od2 > 4 move operator-definitions(od2:1) to current-operators(2:1) perform varying od3 from 1 by 1 until od3 > 4 move operator-definitions(od3:1) to current-operators(3:1) perform varying rpx from 1 by 1 until rpx > 5 move rpn-form(rpx) to current-rpn-form move 0 to cpx cox move spaces to output-queue perform varying oqx from 1 by 1 until oqx > 7 if current-rpn-form(oqx:1) = 'n' add 1 to cpx move current-permutation(cpx:1) to nd move n(nd) to output-queue(oqx:1) else add 1 to cox move current-operators(cox:1) to output-queue(oqx:1) end-if end-perform perform evaluate-rpn if divide-by-zero-error = space and 24 * top-denominator = top-numerator perform varying s from 1 by 1 until s > s-max or solution(s) = output-queue continue end-perform if s > s-max if s >= s-lim display 'error: solutions ' s ' for ' number-definition ' exceeds ' s-lim stop run end-if move s to s-max move output-queue to solution(s-max) end-if end-if end-perform end-perform end-perform end-perform end-perform . evaluate-rpn. move space to divide-by-zero-error move 0 to rsx *> stack depth perform varying oqx from 1 by 1 until oqx > 7 if output-queue(oqx:1) >= '1' and <= '9' *> push the digit onto the stack add 1 to rsx move top-numerator to numerator(rsx) move top-denominator to denominator(rsx) move output-queue(oqx:1) to top-numerator move 1 to top-denominator else *> apply the operation evaluate output-queue(oqx:1) when '+' compute top-numerator = top-numerator * denominator(rsx) + top-denominator * numerator(rsx) compute top-denominator = top-denominator * denominator(rsx) when '-' compute top-numerator = top-denominator * numerator(rsx) - top-numerator * denominator(rsx) compute top-denominator = top-denominator * denominator(rsx) when '*' compute top-numerator = top-numerator * numerator(rsx) compute top-denominator = top-denominator * denominator(rsx) when '/' compute work-number = numerator(rsx) * top-denominator compute top-denominator = denominator(rsx) * top-numerator if top-denominator = 0 move 'y' to divide-by-zero-error exit paragraph end-if move work-number to top-numerator end-evaluate *> pop the stack subtract 1 from rsx end-if end-perform . end program twentyfoursolve.
http://rosettacode.org/wiki/4-rings_or_4-squares_puzzle
4-rings or 4-squares puzzle
4-rings or 4-squares puzzle You are encouraged to solve this task according to the task description, using any language you may know. Task Replace       a, b, c, d, e, f,   and   g       with the decimal digits   LOW   ───►   HIGH such that the sum of the letters inside of each of the four large squares add up to the same sum. ╔══════════════╗ ╔══════════════╗ ║ ║ ║ ║ ║ a ║ ║ e ║ ║ ║ ║ ║ ║ ┌───╫──────╫───┐ ┌───╫─────────┐ ║ │ ║ ║ │ │ ║ │ ║ │ b ║ ║ d │ │ f ║ │ ║ │ ║ ║ │ │ ║ │ ║ │ ║ ║ │ │ ║ │ ╚══════════╪═══╝ ╚═══╪══════╪═══╝ │ │ c │ │ g │ │ │ │ │ │ │ │ │ └──────────────┘ └─────────────┘ Show all output here.   Show all solutions for each letter being unique with LOW=1 HIGH=7   Show all solutions for each letter being unique with LOW=3 HIGH=9   Show only the   number   of solutions when each letter can be non-unique LOW=0 HIGH=9 Related task Solve the no connection puzzle
#Lua
Lua
function valid(unique,needle,haystack) if unique then for _,value in pairs(haystack) do if needle == value then return false end end end return true end   function fourSquare(low,high,unique,prnt) count = 0 if prnt then print("a", "b", "c", "d", "e", "f", "g") end for a=low,high do for b=low,high do if valid(unique, a, {b}) then fp = a + b for c=low,high do if valid(unique, c, {a, b}) then for d=low,high do if valid(unique, d, {a, b, c}) and fp == b + c + d then for e=low,high do if valid(unique, e, {a, b, c, d}) then for f=low,high do if valid(unique, f, {a, b, c, d, e}) and fp == d + e + f then for g=low,high do if valid(unique, g, {a, b, c, d, e, f}) and fp == f + g then count = count + 1 if prnt then print(a, b, c, d, e, f, g) end end end end end end end end end end end end end end if unique then print(string.format("There are %d unique solutions in [%d, %d]", count, low, high)) else print(string.format("There are %d non-unique solutions in [%d, %d]", count, low, high)) end end   fourSquare(1,7,true,true) fourSquare(3,9,true,true) fourSquare(0,9,false,false)
http://rosettacode.org/wiki/99_bottles_of_beer
99 bottles of beer
Task Display the complete lyrics for the song:     99 Bottles of Beer on the Wall. The beer song The lyrics follow this form: 99 bottles of beer on the wall 99 bottles of beer Take one down, pass it around 98 bottles of beer on the wall 98 bottles of beer on the wall 98 bottles of beer Take one down, pass it around 97 bottles of beer on the wall ... and so on, until reaching   0     (zero). Grammatical support for   1 bottle of beer   is optional. As with any puzzle, try to do it in as creative/concise/comical a way as possible (simple, obvious solutions allowed, too). 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 See also   http://99-bottles-of-beer.net/   Category:99_Bottles_of_Beer   Category:Programming language families   Wikipedia 99 bottles of beer
#ACL2
ACL2
PROC Bottles(BYTE i) IF i=0 THEN Print("No more") ELSE PrintB(i) FI Print(" bottle") IF i#1 THEN Print("s") FI RETURN   PROC Main() BYTE i=[99]   WHILE i>0 DO Bottles(i) PrintE(" of beer on the wall,") Bottles(i) PrintE(" of beer,") Print("Take ") IF i>1 THEN Print("one") ELSE Print("it") FI PrintE(" down and pass it around,") i==-1 Bottles(i) PrintE(" of beer on the wall.") IF i>0 THEN PutE() FI OD RETURN
http://rosettacode.org/wiki/24_game
24 game
The 24 Game tests one's mental arithmetic. Task Write a program that randomly chooses and displays four digits, each from 1 ──► 9 (inclusive) with repetitions allowed. The program should prompt for the player to enter an arithmetic expression using just those, and all of those four digits, used exactly once each. The program should check then evaluate the expression. The goal is for the player to enter an expression that (numerically) evaluates to 24. Only the following operators/functions are allowed: multiplication, division, addition, subtraction Division should use floating point or rational arithmetic, etc, to preserve remainders. Brackets are allowed, if using an infix expression evaluator. Forming multiple digit numbers from the supplied digits is disallowed. (So an answer of 12+12 when given 1, 2, 2, and 1 is wrong). The order of the digits when given does not have to be preserved. Notes The type of expression evaluator used is not mandated. An RPN evaluator is equally acceptable for example. The task is not for the program to generate the expression, or test whether an expression is even possible. Related tasks 24 game/Solve Reference The 24 Game on h2g2.
#C
C
#include <stdio.h> #include <ctype.h> #include <stdlib.h> #include <setjmp.h> #include <time.h>   jmp_buf ctx; const char *msg;   enum { OP_NONE = 0, OP_NUM, OP_ADD, OP_SUB, OP_MUL, OP_DIV };   typedef struct expr_t *expr, expr_t; struct expr_t { int op, val, used; expr left, right; };   #define N_DIGITS 4 expr_t digits[N_DIGITS];   void gen_digits() { int i; for (i = 0; i < N_DIGITS; i++) digits[i].val = 1 + rand() % 9; }   #define MAX_INPUT 64 char str[MAX_INPUT]; int pos;   #define POOL_SIZE 8 expr_t pool[POOL_SIZE]; int pool_ptr;   void reset() { int i; msg = 0; pool_ptr = pos = 0; for (i = 0; i < POOL_SIZE; i++) { pool[i].op = OP_NONE; pool[i].left = pool[i].right = 0; } for (i = 0; i < N_DIGITS; i++) digits[i].used = 0; }   /* longish jumpish back to input cycle */ void bail(const char *s) { msg = s; longjmp(ctx, 1); }   expr new_expr() { if (pool_ptr < POOL_SIZE) return pool + pool_ptr++; return 0; }   /* check next input char */ int next_tok() { while (isspace(str[pos])) pos++; return str[pos]; }   /* move input pointer forward */ int take() { if (str[pos] != '\0') return ++pos; return 0; }   /* BNF(ish) expr = term { ("+")|("-") term } term = fact { ("*")|("/") expr } fact = number | '(' expr ')' */   expr get_fact(); expr get_term(); expr get_expr();   expr get_expr() { int c; expr l, r, ret; if (!(ret = get_term())) bail("Expected term"); while ((c = next_tok()) == '+' || c == '-') { if (!take()) bail("Unexpected end of input"); if (!(r = get_term())) bail("Expected term");   l = ret; ret = new_expr(); ret->op = (c == '+') ? OP_ADD : OP_SUB; ret->left = l; ret->right = r; } return ret; }   expr get_term() { int c; expr l, r, ret; ret = get_fact(); while((c = next_tok()) == '*' || c == '/') { if (!take()) bail("Unexpected end of input");   r = get_fact(); l = ret; ret = new_expr(); ret->op = (c == '*') ? OP_MUL : OP_DIV; ret->left = l; ret->right = r; } return ret; }   expr get_digit() { int i, c = next_tok(); expr ret; if (c >= '0' && c <= '9') { take(); ret = new_expr(); ret->op = OP_NUM; ret->val = c - '0'; for (i = 0; i < N_DIGITS; i++) if (digits[i].val == ret->val && !digits[i].used) { digits[i].used = 1; return ret; } bail("Invalid digit"); } return 0; }   expr get_fact() { int c; expr l = get_digit(); if (l) return l; if ((c = next_tok()) == '(') { take(); l = get_expr(); if (next_tok() != ')') bail("Unbalanced parens"); take(); return l; } return 0; }   expr parse() { int i; expr ret = get_expr(); if (next_tok() != '\0') bail("Trailing garbage"); for (i = 0; i < N_DIGITS; i++) if (!digits[i].used) bail("Not all digits are used"); return ret; }   typedef struct frac_t frac_t, *frac; struct frac_t { int denom, num; };   int gcd(int m, int n) { int t; while (m) { t = m; m = n % m; n = t; } return n; }   /* evaluate expression tree. result in fraction form */ void eval_tree(expr e, frac res) { frac_t l, r; int t; if (e->op == OP_NUM) { res->num = e->val; res->denom = 1; return; }   eval_tree(e->left, &l); eval_tree(e->right, &r);   switch(e->op) { case OP_ADD: res->num = l.num * r.denom + l.denom * r.num; res->denom = l.denom * r.denom; break; case OP_SUB: res->num = l.num * r.denom - l.denom * r.num; res->denom = l.denom * r.denom; break; case OP_MUL: res->num = l.num * r.num; res->denom = l.denom * r.denom; break; case OP_DIV: res->num = l.num * r.denom; res->denom = l.denom * r.num; break; } if ((t = gcd(res->denom, res->num))) { res->denom /= t; res->num /= t; } }   void get_input() { int i; reinput: reset(); printf("\nAvailable digits are:"); for (i = 0; i < N_DIGITS; i++) printf(" %d", digits[i].val); printf(". Type an expression and I'll check it for you, or make new numbers.\n" "Your choice? [Expr/n/q] ");   while (1) { for (i = 0; i < MAX_INPUT; i++) str[i] = '\n'; fgets(str, MAX_INPUT, stdin); if (*str == '\0') goto reinput; if (str[MAX_INPUT - 1] != '\n') bail("string too long");   for (i = 0; i < MAX_INPUT; i++) if (str[i] == '\n') str[i] = '\0'; if (str[0] == 'q') { printf("Bye\n"); exit(0); } if (str[0] == 'n') { gen_digits(); goto reinput; } return; } }   int main() { frac_t f; srand(time(0));   gen_digits(); while(1) { get_input(); setjmp(ctx); /* if parse error, jump back here with err msg set */ if (msg) { /* after error jump; announce, reset, redo */ printf("%s at '%.*s'\n", msg, pos, str); continue; }   eval_tree(parse(), &f);   if (f.denom == 0) bail("Divide by zero"); if (f.denom == 1 && f.num == 24) printf("You got 24. Very good.\n"); else { if (f.denom == 1) printf("Eval to: %d, ", f.num); else printf("Eval to: %d/%d, ", f.num, f.denom); printf("no good. Try again.\n"); } } return 0; }