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/Align_columns
Align columns
Given a text file of many lines, where fields within a line are delineated by a single 'dollar' character, write a program that aligns each column of fields by ensuring that words in each column are separated by at least one space. Further, allow for each word in a column to be either left justified, right justified, o...
#HicEst
HicEst
  CHARACTER Fnam = "\HicEst\Rosetta\Align columns.txt"   OPEN(FIle=Fnam, Format="12$", LENgth=rows) ! call the DLG function in MatrixExplorer mode: DLG(Edit=Fnam, Format='12A10') ! left adjusted, 12 columns, 10 spaces each   ! or the standard way: CALL Align( "LLLLLLLLLLL ", Fnam, rows) ! left align CAL...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#Ruby
Ruby
require 'polynomial'   def x_minus_1_to_the(p) return Polynomial.new(-1,1)**p end   def prime?(p) return false if p < 2 (x_minus_1_to_the(p) - Polynomial.from_string("x**#{p}-1")).coefs.all?{|n| n%p==0} end   8.times do |n| # the default Polynomial#to_s would be OK here; the substitutions just make the # outp...
http://rosettacode.org/wiki/Anagrams
Anagrams
When two or more words are composed of the same characters, but in a different order, they are called anagrams. Task[edit] Using the word list at   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, find the sets of words that share the same characters that contain the most words in them. Related tasks Word plays ...
#Maxima
Maxima
read_file(name) := block([file, s, L], file: openr(name), L: [], while stringp(s: readline(file)) do L: cons(s, L), close(file), L)$   u: read_file("C:/my/mxm/unixdict.txt")$   v: map(lambda([s], [ssort(s), s]), u)$   w: sort(v, lambda([x, y], orderlessp(x[1], y[1])))$   ana(L) := block([m, n, p, r, u, v, w], L: endcon...
http://rosettacode.org/wiki/Anonymous_recursion
Anonymous recursion
While implementing a recursive function, it often happens that we must resort to a separate   helper function   to handle the actual recursion. This is usually the case when directly calling the current function would waste too many resources (stack space, execution time), causing unwanted side-effects,   and/or the f...
#Wart
Wart
def (fib n) if (n >= 0) (transform n :thru (afn (n) (if (n < 2) n (+ (self n-1) (self n-2)))))
http://rosettacode.org/wiki/Amicable_pairs
Amicable pairs
Two integers N {\displaystyle N} and M {\displaystyle M} are said to be amicable pairs if N ≠ M {\displaystyle N\neq M} and the sum of the proper divisors of N {\displaystyle N} ( s u m ( p r o p D i v s ( N ) ) {\displaystyle \mathrm {sum} (\mathrm {propDivs} (N))} ) = M ...
#VBScript
VBScript
start = Now Set nlookup = CreateObject("Scripting.Dictionary") Set uniquepair = CreateObject("Scripting.Dictionary")   For i = 1 To 20000 sum = 0 For n = 1 To 20000 If n < i Then If i Mod n = 0 Then sum = sum + n End If End If Next nlookup.Add i,sum Next   For j = 1 To 20000 sum = 0 For m = 1 To 200...
http://rosettacode.org/wiki/Amb
Amb
Define and give an example of the Amb operator. The Amb operator (short for "ambiguous") expresses nondeterminism. This doesn't refer to randomness (as in "nondeterministic universe") but is closely related to the term as it is used in automata theory ("non-deterministic finite automaton"). The Amb operator takes a v...
#VBScript
VBScript
class ambiguous dim sRule   public property let rule( x ) sRule = x end property   public default function amb(p1, p2) amb = eval(sRule) end function end class
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#R
R
accumulatorFactory <- function(init) { currentSum <- init function(add) { currentSum <<- currentSum + add currentSum } }
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Racket
Racket
#lang racket (define ((accumulator n) i) (set! n (+ n i)) n)  
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 ...
#Clay
Clay
ackermann(m, n) { if(m == 0) return n + 1; if(n == 0) return ackermann(m - 1, 1);   return ackermann(m - 1, ackermann(m, n - 1)); }
http://rosettacode.org/wiki/Abundant,_deficient_and_perfect_number_classifications
Abundant, deficient and perfect number classifications
These define three classifications of positive integers based on their   proper divisors. Let   P(n)   be the sum of the proper divisors of   n   where the proper divisors are all positive divisors of   n   other than   n   itself. if P(n) < n then n is classed as deficient (OEIS A005100). if P(n)...
#GFA_Basic
GFA Basic
  num_deficient%=0 num_perfect%=0 num_abundant%=0 ' FOR current%=1 TO 20000 sum_divisors%=@sum_proper_divisors(current%) IF sum_divisors%<current% num_deficient%=num_deficient%+1 ELSE IF sum_divisors%=current% num_perfect%=num_perfect%+1 ELSE ! sum_divisors%>current% num_abundant%=num_abundant%+1 ...
http://rosettacode.org/wiki/Align_columns
Align columns
Given a text file of many lines, where fields within a line are delineated by a single 'dollar' character, write a program that aligns each column of fields by ensuring that words in each column are separated by at least one space. Further, allow for each word in a column to be either left justified, right justified, o...
#Icon_and_Unicon
Icon and Unicon
global width   procedure main(args) lines := [] width := 0 format := left match("left"|"right"|"center", format <- !args) every put(lines,prepare(!&input)) display(lines, proc(format,3)) end   procedure prepare(lines) line := [] lines ? { while (not pos(0)) & (field := tab(upto('...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#Rust
Rust
fn aks_coefficients(k: usize) -> Vec<i64> { let mut coefficients = vec![0i64; k + 1]; coefficients[0] = 1; for i in 1..(k + 1) { coefficients[i] = -(1..i).fold(coefficients[0], |prev, j|{ let old = coefficients[j]; coefficients[j] = old - prev; old }); ...
http://rosettacode.org/wiki/Anagrams
Anagrams
When two or more words are composed of the same characters, but in a different order, they are called anagrams. Task[edit] Using the word list at   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, find the sets of words that share the same characters that contain the most words in them. Related tasks Word plays ...
#MUMPS
MUMPS
Anagrams New ii,file,longest,most,sorted,word Set file="unixdict.txt" Open file:"r" Use file For Quit:$ZEOF DO . New char,sort . Read word Quit:word="" . For ii=1:1:$Length(word) Do . . Set char=$ASCII(word,ii) . . If char>64,char<91 Set char=char+32 . . Set sort(char)=$Get(sort(char))+1 . . Quit . Set (so...
http://rosettacode.org/wiki/Anonymous_recursion
Anonymous recursion
While implementing a recursive function, it often happens that we must resort to a separate   helper function   to handle the actual recursion. This is usually the case when directly calling the current function would waste too many resources (stack space, execution time), causing unwanted side-effects,   and/or the f...
#WDTE
WDTE
let str => 'strings';   let fib n => switch n { < 0 => str.format 'Bad argument: {q}' n; default => n -> (@ memo s n => switch n { == 0 => 0; == 1 => 1; default => + (s (- n 1)) (s (- n 2)); }); };
http://rosettacode.org/wiki/Amicable_pairs
Amicable pairs
Two integers N {\displaystyle N} and M {\displaystyle M} are said to be amicable pairs if N ≠ M {\displaystyle N\neq M} and the sum of the proper divisors of N {\displaystyle N} ( s u m ( p r o p D i v s ( N ) ) {\displaystyle \mathrm {sum} (\mathrm {propDivs} (N))} ) = M ...
#Vlang
Vlang
fn pfac_sum(i int) int { mut sum := 0 for p := 1;p <= i/2;p++{ if i%p == 0 { sum += p } } return sum }   fn main(){ a := []int{len: 20000, init:pfac_sum(it)} println('The amicable pairs below 20,000 are:') for n in 2 .. a.len { m := a[n] if m > n &...
http://rosettacode.org/wiki/Amb
Amb
Define and give an example of the Amb operator. The Amb operator (short for "ambiguous") expresses nondeterminism. This doesn't refer to randomness (as in "nondeterministic universe") but is closely related to the term as it is used in automata theory ("non-deterministic finite automaton"). The Amb operator takes a v...
#Wren
Wren
var finalRes = []   var amb // recursive closure amb = Fn.new { |wordsets, res| if (wordsets.count == 0) { finalRes.addAll(res) return true } var s = "" var l = res.count if (l > 0) s = res[l-1] res.add("") for (word in wordsets[0]) { res[l] = word if (l > 0 &...
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Raku
Raku
sub accum ($n is copy) { sub { $n += $^x } }   #Example use: my $a = accum 5; $a(4.5); say $a(.5); # Prints "10".   # You can also use the "&" sigil to create a function that behaves syntactically # like any other function (i.e. no sigil nor parentheses needed to call it):   my &b = accum 5; say b 3; # Prints "8".
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#REBOL
REBOL
make-acc-gen: func [start-val] [ use [state] [ state: start-val func [value] [ state: state + value ] ] ]
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 ...
#CLIPS
CLIPS
(deffunction ackerman (?m ?n) (if (= 0 ?m) then (+ ?n 1) else (if (= 0 ?n) then (ackerman (- ?m 1) 1) else (ackerman (- ?m 1) (ackerman ?m (- ?n 1))) ) ) )
http://rosettacode.org/wiki/Abundant,_deficient_and_perfect_number_classifications
Abundant, deficient and perfect number classifications
These define three classifications of positive integers based on their   proper divisors. Let   P(n)   be the sum of the proper divisors of   n   where the proper divisors are all positive divisors of   n   other than   n   itself. if P(n) < n then n is classed as deficient (OEIS A005100). if P(n)...
#Go
Go
package main   import "fmt"   func pfacSum(i int) int { sum := 0 for p := 1; p <= i/2; p++ { if i%p == 0 { sum += p } } return sum }   func main() { var d, a, p = 0, 0, 0 for i := 1; i <= 20000; i++ { j := pfacSum(i) if j < i { d++ ...
http://rosettacode.org/wiki/Align_columns
Align columns
Given a text file of many lines, where fields within a line are delineated by a single 'dollar' character, write a program that aligns each column of fields by ensuring that words in each column are separated by at least one space. Further, allow for each word in a column to be either left justified, right justified, o...
#J
J
'LEFT CENTER RIGHT'=: i.3 NB. justification constants   NB.* alignCols v Format delimited text in justified columns NB. y: text to format NB. rows marked by last character in text NB. columns marked by $ NB. optional x: justification. Default is LEFT NB. result: ...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#Scala
Scala
def powerMin1(n: BigInt) = if (n % 2 == 0) BigInt(1) else BigInt(-1)   val pascal = (( Vector(Vector(BigInt(1))) /: (1 to 50)) { (rows, i) => val v = rows.head val newVector = ((1 until v.length) map (j => powerMin1(j+i) * (v(j-1).abs + v(j).abs)) ).toVector (powerMin1(i) +: newVector :+ powerMi...
http://rosettacode.org/wiki/Anagrams
Anagrams
When two or more words are composed of the same characters, but in a different order, they are called anagrams. Task[edit] Using the word list at   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, find the sets of words that share the same characters that contain the most words in them. Related tasks Word plays ...
#NetRexx
NetRexx
/* NetRexx */ options replace format comments java crossref symbols nobinary   class RAnagramsV01 public   -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ method runSample(arg) public signals MalformedURLException, IOException parse arg localFile . isr = Reader if localFil...
http://rosettacode.org/wiki/Anonymous_recursion
Anonymous recursion
While implementing a recursive function, it often happens that we must resort to a separate   helper function   to handle the actual recursion. This is usually the case when directly calling the current function would waste too many resources (stack space, execution time), causing unwanted side-effects,   and/or the f...
#Wren
Wren
class Fibonacci { static compute(n) { var fib fib = Fn.new {|n| if (n < 2) return n return fib.call(n - 1) + fib.call(n - 2) }   if (n < 0) return null return fib.call(n) } }   System.print(Fibonacci.compute(36))
http://rosettacode.org/wiki/Amicable_pairs
Amicable pairs
Two integers N {\displaystyle N} and M {\displaystyle M} are said to be amicable pairs if N ≠ M {\displaystyle N\neq M} and the sum of the proper divisors of N {\displaystyle N} ( s u m ( p r o p D i v s ( N ) ) {\displaystyle \mathrm {sum} (\mathrm {propDivs} (N))} ) = M ...
#Wren
Wren
import "/fmt" for Fmt import "/math" for Int, Nums   var a = List.filled(20000, 0) for (i in 1...20000) a[i] = Nums.sum(Int.properDivisors(i)) System.print("The amicable pairs below 20,000 are:") for (n in 2...19999) { var m = a[n] if (m > n && m < 20000 && n == a[m]) { System.print("  %(Fmt.d(5, n)) an...
http://rosettacode.org/wiki/Amb
Amb
Define and give an example of the Amb operator. The Amb operator (short for "ambiguous") expresses nondeterminism. This doesn't refer to randomness (as in "nondeterministic universe") but is closely related to the term as it is used in automata theory ("non-deterministic finite automaton"). The Amb operator takes a v...
#Yabasic
Yabasic
sub wordsOK(string1$, string2$) return right$(string1$, 1) == left$(string2$, 1) End sub   sub Amb$(A$(), B$(), C$(), D$()) local a2, b2, c2, d2   For a2 = 1 To arraysize(A$(), 1) For b2 = 1 To arraysize(B$(), 1) For c2 = 1 To arraysize(C$(), 1) For d2 = 1 To arraysize(D$...
http://rosettacode.org/wiki/Amb
Amb
Define and give an example of the Amb operator. The Amb operator (short for "ambiguous") expresses nondeterminism. This doesn't refer to randomness (as in "nondeterministic universe") but is closely related to the term as it is used in automata theory ("non-deterministic finite automaton"). The Amb operator takes a v...
#zkl
zkl
fcn joins(a,b){ a[-1]==b[0] } // the constraint
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Retro
Retro
:acc (ns-) d:create , [ [ fetch ] [ v:inc ] bi ] does ;
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#REXX
REXX
/*REXX program shows one method an accumulator factory could be implemented. */ x=.accumulator(1) /*initialize accumulator with a 1 value*/ x=call(5) x=call(2.3) say ' X value is now' x /*displays the current value of X. */ say 'Accumulator value is...
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 ...
#Clojure
Clojure
(defn ackermann [m n] (cond (zero? m) (inc n) (zero? n) (ackermann (dec m) 1)  :else (ackermann (dec m) (ackermann m (dec n)))))
http://rosettacode.org/wiki/Abundant,_deficient_and_perfect_number_classifications
Abundant, deficient and perfect number classifications
These define three classifications of positive integers based on their   proper divisors. Let   P(n)   be the sum of the proper divisors of   n   where the proper divisors are all positive divisors of   n   other than   n   itself. if P(n) < n then n is classed as deficient (OEIS A005100). if P(n)...
#Groovy
Groovy
def dpaCalc = { factors -> def n = factors.pop() def fSum = factors.sum() fSum < n ? 'deficient'  : fSum > n ? 'abundant'  : 'perfect' }   (1..20000).inject([deficient:0, perfect:0, abundant:0]) { map, n -> map[dpaCalc(factorize(n))]++ map } .each { e -> println...
http://rosettacode.org/wiki/Align_columns
Align columns
Given a text file of many lines, where fields within a line are delineated by a single 'dollar' character, write a program that aligns each column of fields by ensuring that words in each column are separated by at least one space. Further, allow for each word in a column to be either left justified, right justified, o...
#Java
Java
import java.io.IOException; import java.nio.charset.StandardCharsets; import java.nio.file.Files; import java.nio.file.Paths; import java.util.ArrayList; import java.util.List;   import org.apache.commons.lang3.StringUtils;   /** * Aligns fields into columns, separated by "|" */ public class ColumnAligner { priva...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#Scheme
Scheme
  ;; implement mod m arithmetic with polnomials in x ;; as lists of coefficients, x^0 first. ;; ;; so x^3 + 5 is represented as (5 0 0 1)   (define (+/m m a b) ;; add two polynomials (cond ((null? a) b) ((null? b) a) (else (cons (modulo (+ (car a) (car b)) m) (+/m m (cdr a) (cdr ...
http://rosettacode.org/wiki/Anagrams
Anagrams
When two or more words are composed of the same characters, but in a different order, they are called anagrams. Task[edit] Using the word list at   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, find the sets of words that share the same characters that contain the most words in them. Related tasks Word plays ...
#NewLisp
NewLisp
  ;;; Get the words as a list, splitting at newline (setq data (parse (get-url "http://wiki.puzzlers.org/pub/wordlists/unixdict.txt") "\n")) ; ;;; Replace each word with a list of its key (list of sorted chars) and itself ;;; For example "hello" –> (("e" "h" "l" "l" "o") "hello") (setq data (map (fn(x) (list (sort (e...
http://rosettacode.org/wiki/Anonymous_recursion
Anonymous recursion
While implementing a recursive function, it often happens that we must resort to a separate   helper function   to handle the actual recursion. This is usually the case when directly calling the current function would waste too many resources (stack space, execution time), causing unwanted side-effects,   and/or the f...
#x86_Assembly
x86 Assembly
  ; Calculates and prints Fibonacci numbers (Fn) ; Prints numbers 1 - 47 (largest 32bit Fn that fits) ; Build: ; nasm -felf32 fib.asm ; ld -m elf32_i386 fib.o -o fib   global _start section .text   _start: mov ecx, 48 ; Initialize loop counter .loop: mov ebx, 48 ; Calculate which Fn will be...
http://rosettacode.org/wiki/Amicable_pairs
Amicable pairs
Two integers N {\displaystyle N} and M {\displaystyle M} are said to be amicable pairs if N ≠ M {\displaystyle N\neq M} and the sum of the proper divisors of N {\displaystyle N} ( s u m ( p r o p D i v s ( N ) ) {\displaystyle \mathrm {sum} (\mathrm {propDivs} (N))} ) = M ...
#XPL0
XPL0
func SumDiv(Num); \Return sum of proper divisors of Num int Num, Div, Sum, Quot; [Div:= 2; Sum:= 0; loop [Quot:= Num/Div; if Div > Quot then quit; if rem(0) = 0 then [Sum:= Sum + Div; if Div # Quot then Sum:= Sum + Quot; ]; Div:= Div+1; ];...
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Ring
Ring
oGenerator = new Generator   Func main oGenerator { accumulator = generator(1) see call accumulator(5) see nl generator(3) see call accumulator(2.3) }   Class Generator aN = []   func generator i aN + i return eval(substr("return func d { ...
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Ruby
Ruby
def accumulator(sum) lambda {|n| sum += n} end   # mixing Integer and Float x = accumulator(1) x.call(5) accumulator(3) puts x.call(2.3) # prints 8.3
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 ...
#CLU
CLU
% Ackermann function ack = proc (m, n: int) returns (int) if m=0 then return(n+1) elseif n=0 then return(ack(m-1, 1)) else return(ack(m-1, ack(m, n-1))) end end ack   % Print a table of ack( 0..3, 0..8 ) start_up = proc () po: stream := stream$primary_output()   for m: int in int$...
http://rosettacode.org/wiki/Abundant,_deficient_and_perfect_number_classifications
Abundant, deficient and perfect number classifications
These define three classifications of positive integers based on their   proper divisors. Let   P(n)   be the sum of the proper divisors of   n   where the proper divisors are all positive divisors of   n   other than   n   itself. if P(n) < n then n is classed as deficient (OEIS A005100). if P(n)...
#Haskell
Haskell
divisors :: (Integral a) => a -> [a] divisors n = filter ((0 ==) . (n `mod`)) [1 .. (n `div` 2)]   classOf :: (Integral a) => a -> Ordering classOf n = compare (sum $ divisors n) n   main :: IO () main = do let classes = map classOf [1 .. 20000 :: Int] printRes w c = putStrLn $ w ++ (show . length $ filter (== ...
http://rosettacode.org/wiki/Align_columns
Align columns
Given a text file of many lines, where fields within a line are delineated by a single 'dollar' character, write a program that aligns each column of fields by ensuring that words in each column are separated by at least one space. Further, allow for each word in a column to be either left justified, right justified, o...
#JavaScript
JavaScript
  var justification="center", input=["Given$a$text$file$of$many$lines,$where$fields$within$a$line$", "are$delineated$by$a$single$'dollar'$character,$write$a$program", "that$aligns$each$column$of$fields$by$ensuring$that$words$in$each$", "column$are$separated$by$at$least$one$space.", "Further,$allow$for$each$word$in$a$co...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#Scilab
Scilab
  clear xdel(winsid())   stacksize('max') sz=stacksize();   n=7; //For the expansion up to power of n g=50; //For test of primes up to g   function X = pascal(g) //Pascal´s triangle X(1,1)=1; //Zeroth power X(2,1)=1; //First power X(2,2)=1; for q=3:1:g+1 //From second power use this loop X(q,1)=...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#Seed7
Seed7
$ include "seed7_05.s7i";   const func array integer: expand_x_1 (in integer: p) is func result var array integer: ex is [] (1); local var integer: i is 0; begin for i range 0 to p - 1 do ex := [] (ex[1] * -(p - i) div (i + 1)) & ex; end for; end func;   const func boolean: aks_test (in in...
http://rosettacode.org/wiki/Anagrams
Anagrams
When two or more words are composed of the same characters, but in a different order, they are called anagrams. Task[edit] Using the word list at   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, find the sets of words that share the same characters that contain the most words in them. Related tasks Word plays ...
#Nim
Nim
  import tables, strutils, algorithm   proc main() = var count = 0 anagrams = initTable[string, seq[string]]()   for word in "unixdict.txt".lines(): var key = word key.sort(cmp[char]) anagrams.mgetOrPut(key, newSeq[string]()).add(word) count = max(count, anagr...
http://rosettacode.org/wiki/Anonymous_recursion
Anonymous recursion
While implementing a recursive function, it often happens that we must resort to a separate   helper function   to handle the actual recursion. This is usually the case when directly calling the current function would waste too many resources (stack space, execution time), causing unwanted side-effects,   and/or the f...
#XPL0
XPL0
include c:\cxpl\codes;   func Fib(X); int X; func ActualFib(N); int N; [if N<2 then return N else return ActualFib(N-1) + ActualFib(N-2); ]; \ActualFib;   [if X<0 then [Text(0, "Error "); return 0] else return ActualFib(X); ]; \Fib;   [IntOut(0, Fib(8)); CrLf(0); IntOut(0, Fib(...
http://rosettacode.org/wiki/Amicable_pairs
Amicable pairs
Two integers N {\displaystyle N} and M {\displaystyle M} are said to be amicable pairs if N ≠ M {\displaystyle N\neq M} and the sum of the proper divisors of N {\displaystyle N} ( s u m ( p r o p D i v s ( N ) ) {\displaystyle \mathrm {sum} (\mathrm {propDivs} (N))} ) = M ...
#Yabasic
Yabasic
sub sumDivs(n) local sum, d   sum = 1   for d = 2 to sqrt(n) if not mod(n, d) then sum = sum + d sum = sum + n / d end if next return sum end sub   for n = 2 to 20000 m = sumDivs(n) if m > n then if sumDivs(m) = n print n, "\t", m end if ne...
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Rust
Rust
// rustc 1.26.0 or later   use std::ops::Add;   fn foo<Num>(n: Num) -> impl FnMut(Num) -> Num where Num: Add<Output=Num> + Copy + 'static { let mut acc = n; move |i: Num| { acc = acc + i; acc } }   fn main() { let mut x = foo(1.); x(5.); foo(3.); println!("{}", x(2.3)...
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Scala
Scala
def AccumulatorFactory[N](n: N)(implicit num: Numeric[N]) = { import num._ var acc = n (inc: N) => { acc = acc + inc acc } }
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 ...
#COBOL
COBOL
IDENTIFICATION DIVISION. PROGRAM-ID. Ackermann.   DATA DIVISION. LINKAGE SECTION. 01 M USAGE UNSIGNED-LONG. 01 N USAGE UNSIGNED-LONG.   01 Return-Val USAGE UNSIGNED-LONG.   PROCEDURE DIVISION USING M N Return-Val. EVALUATE M ALSO N ...
http://rosettacode.org/wiki/Abundant,_deficient_and_perfect_number_classifications
Abundant, deficient and perfect number classifications
These define three classifications of positive integers based on their   proper divisors. Let   P(n)   be the sum of the proper divisors of   n   where the proper divisors are all positive divisors of   n   other than   n   itself. if P(n) < n then n is classed as deficient (OEIS A005100). if P(n)...
#J
J
factors=: [: /:~@, */&>@{@((^ i.@>:)&.>/)@q:~&__ properDivisors=: factors -. ]
http://rosettacode.org/wiki/Align_columns
Align columns
Given a text file of many lines, where fields within a line are delineated by a single 'dollar' character, write a program that aligns each column of fields by ensuring that words in each column are separated by at least one space. Further, allow for each word in a column to be either left justified, right justified, o...
#jq
jq
# transpose a possibly jagged matrix def transpose: if . == [] then [] else (.[1:] | transpose) as $t | .[0] as $row | reduce range(0; [($t|length), (.[0]|length)] | max) as $i ([]; . + [ [ $row[$i] ] + $t[$i] ]) end;   # left/right/center justification of strings: def ljust(width): . + " " * (width - l...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#Sidef
Sidef
func binprime(p) { p >= 2 || return false for i in (1 .. p>>1) { (binomial(p, i) % p) && return false } return true }   func coef(n, e) { (e == 0) && return "#{n}" (n == 1) && (n = "") (e == 1) ? "#{n}x" : "#{n}x^#{e}" }   func binpoly(p) { join(" ", coef(1, p), ^p -> map {|i| ...
http://rosettacode.org/wiki/Anagrams
Anagrams
When two or more words are composed of the same characters, but in a different order, they are called anagrams. Task[edit] Using the word list at   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, find the sets of words that share the same characters that contain the most words in them. Related tasks Word plays ...
#Oberon-2
Oberon-2
  MODULE Anagrams; IMPORT Files,Out,In,Strings; CONST MAXPOOLSZ = 1024;   TYPE String = ARRAY 80 OF CHAR;   Node = POINTER TO NodeDesc; NodeDesc = RECORD; count: INTEGER; word: String; desc: Node; next: Node; END;   Pool = POINTER TO PoolDesc; PoolDesc = RECORD capacity,max: INTEGER; words: POINTER T...
http://rosettacode.org/wiki/Anonymous_recursion
Anonymous recursion
While implementing a recursive function, it often happens that we must resort to a separate   helper function   to handle the actual recursion. This is usually the case when directly calling the current function would waste too many resources (stack space, execution time), causing unwanted side-effects,   and/or the f...
#Yabasic
Yabasic
print Fibonacci(-10) print Fibonacci(10)     sub Fibonacci(number)   If number < 0 print "Invalid argument: "; : return number   If number < 2 Then Return number Else Return Fibonacci(number - 1) + Fibonacci(number - 2) EndIf   end sub
http://rosettacode.org/wiki/Amicable_pairs
Amicable pairs
Two integers N {\displaystyle N} and M {\displaystyle M} are said to be amicable pairs if N ≠ M {\displaystyle N\neq M} and the sum of the proper divisors of N {\displaystyle N} ( s u m ( p r o p D i v s ( N ) ) {\displaystyle \mathrm {sum} (\mathrm {propDivs} (N))} ) = M ...
#zkl
zkl
fcn properDivs(n){ [1.. (n + 1)/2 + 1].filter('wrap(x){ n%x==0 and n!=x }) } const N=20000; sums:=[1..N].pump(T(-1),fcn(n){ properDivs(n).sum(0) }); [0..].zip(sums).filter('wrap([(n,s)]){ (n<s<=N) and sums[s]==n }).println();
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Scheme
Scheme
(define (accumulator sum) (lambda (n) (set! sum (+ sum n)) sum))   ;; or:   (define ((accumulator sum) n) (set! sum (+ sum n)) sum)   (define x (accumulator 1)) (x 5) (display (accumulator 3)) (newline) (display (x 2.3)) (newline)
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Sidef
Sidef
class Accumulator(sum) { method add(num) { sum += num; } }   var x = Accumulator(1); x.add(5); Accumulator(3); say x.add(2.3); # prints: 8.3
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 ...
#CoffeeScript
CoffeeScript
ackermann = (m, n) -> if m is 0 then n + 1 else if m > 0 and n is 0 then ackermann m - 1, 1 else ackermann m - 1, ackermann m, n - 1
http://rosettacode.org/wiki/Abundant,_deficient_and_perfect_number_classifications
Abundant, deficient and perfect number classifications
These define three classifications of positive integers based on their   proper divisors. Let   P(n)   be the sum of the proper divisors of   n   where the proper divisors are all positive divisors of   n   other than   n   itself. if P(n) < n then n is classed as deficient (OEIS A005100). if P(n)...
#Java
Java
import java.util.stream.LongStream;   public class NumberClassifications {   public static void main(String[] args) { int deficient = 0; int perfect = 0; int abundant = 0;   for (long i = 1; i <= 20_000; i++) { long sum = properDivsSum(i); if (sum < i) ...
http://rosettacode.org/wiki/Align_columns
Align columns
Given a text file of many lines, where fields within a line are delineated by a single 'dollar' character, write a program that aligns each column of fields by ensuring that words in each column are separated by at least one space. Further, allow for each word in a column to be either left justified, right justified, o...
#Jsish
Jsish
/* Align columns, in Jsish */ function alignColumns(phrases:array, just:string) { var x, y, max, diff, left, right, cols=0;   for(x=0; x<phrases.length; x++) { phrases[x] = phrases[x].split("$"); if (phrases[x].length>cols) cols=phrases[x].length; }   for (x=0; x<cols; x++) { max...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#Stata
Stata
mata function pol(n) { a=J(1,n+1,1) r=1 s=1 for (k=0; k<n; k++) { s=-s r=(r*(n-k))/(k+1) a[k+2]=r*s } return(a) }   for (n=0; n<=7; n++) mm_matlist(pol(n))   1 +-------------+ 1 | 1 | +-------------+ 1 2 +-------------------------+ 1 | ...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#Swift
Swift
func polynomialCoeffs(n: Int) -> [Int] { var result = [Int](count : n+1, repeatedValue : 0)   result[0]=1 for i in 1 ..< n/2+1 { //Progress up, until reaching the middle value result[i] = result[i-1] * (n-i+1)/i; } for i in n/2+1 ..< n+1 { //Copy the inverse of the first part result[...
http://rosettacode.org/wiki/Anagrams
Anagrams
When two or more words are composed of the same characters, but in a different order, they are called anagrams. Task[edit] Using the word list at   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, find the sets of words that share the same characters that contain the most words in them. Related tasks Word plays ...
#Objeck
Objeck
use HTTP; use Collection;   class Anagrams { function : Main(args : String[]) ~ Nil { lines := HttpClient->New()->Get("http://wiki.puzzlers.org/pub/wordlists/unixdict.txt"); anagrams := StringMap->New(); count := 0; if(lines->Size() = 1) { line := lines->Get(0)->As(String); words := line->...
http://rosettacode.org/wiki/Anonymous_recursion
Anonymous recursion
While implementing a recursive function, it often happens that we must resort to a separate   helper function   to handle the actual recursion. This is usually the case when directly calling the current function would waste too many resources (stack space, execution time), causing unwanted side-effects,   and/or the f...
#zkl
zkl
fcn fib(n){ if (n<0) throw(Exception.ValueError); fcn(n){ if (n < 2) return(1); else return(self.fcn(n-1) + self.fcn(n-2)); }(n); } fib(8) .println(); fib(-8).println();  
http://rosettacode.org/wiki/Amicable_pairs
Amicable pairs
Two integers N {\displaystyle N} and M {\displaystyle M} are said to be amicable pairs if N ≠ M {\displaystyle N\neq M} and the sum of the proper divisors of N {\displaystyle N} ( s u m ( p r o p D i v s ( N ) ) {\displaystyle \mathrm {sum} (\mathrm {propDivs} (N))} ) = M ...
#Zig
Zig
const MAXIMUM: u32 = 20_000;   // Fill up a given array with arr[n] = sum(propDivs(n)) pub fn calcPropDivs(divs: []u32) void { for (divs) |*d| d.* = 1; var i: u32 = 2; while (i <= divs.len/2) : (i += 1) { var j = i * 2; while (j < divs.len) : (j += i) divs[j] += i; } }   // A...
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Simula
Simula
BEGIN    ! ABSTRACTION FOR SIMULA'S TWO NUMERIC TYPES ; CLASS NUMBER; VIRTUAL: PROCEDURE OUT IS PROCEDURE OUT;; BEGIN END NUMBER;   NUMBER CLASS INTEGERNUMBER(INTVAL); INTEGER INTVAL; BEGIN PROCEDURE OUT; OUTINT(INTVAL, 10); END INTEGERNUMBER;   NUMBER CLASS REALNUMBER...
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Smalltalk
Smalltalk
Object subclass: AccumulatorFactory [ AccumulatorFactory class >> new: aNumber [ |r sum| sum := aNumber. r := [ :a | sum := sum + a. sum ]. ^r ] ]   |x y| x := AccumulatorFactory new: 1. x value: 5. y := AccumulatorFactory new: 3. (x value: 2.3) displayNl. "x inspect....
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 ...
#Comal
Comal
0010 // 0020 // Ackermann function 0030 // 0040 FUNC a#(m#,n#) 0050 IF m#=0 THEN RETURN n#+1 0060 IF n#=0 THEN RETURN a#(m#-1,1) 0070 RETURN a#(m#-1,a#(m#,n#-1)) 0080 ENDFUNC a# 0090 // 0100 // Print table of Ackermann values 0110 // 0120 ZONE 5 0130 FOR m#:=0 TO 3 DO 0140 FOR n#:=0 TO 4 DO PRINT a#(m#,n#), 015...
http://rosettacode.org/wiki/Abundant,_deficient_and_perfect_number_classifications
Abundant, deficient and perfect number classifications
These define three classifications of positive integers based on their   proper divisors. Let   P(n)   be the sum of the proper divisors of   n   where the proper divisors are all positive divisors of   n   other than   n   itself. if P(n) < n then n is classed as deficient (OEIS A005100). if P(n)...
#JavaScript
JavaScript
for (var dpa=[1,0,0], n=2; n<=20000; n+=1) { for (var ds=0, d=1, e=n/2+1; d<e; d+=1) if (n%d==0) ds+=d dpa[ds<n ? 0 : ds==n ? 1 : 2]+=1 } document.write('Deficient:',dpa[0], ', Perfect:',dpa[1], ', Abundant:',dpa[2], '<br>' )
http://rosettacode.org/wiki/Align_columns
Align columns
Given a text file of many lines, where fields within a line are delineated by a single 'dollar' character, write a program that aligns each column of fields by ensuring that words in each column are separated by at least one space. Further, allow for each word in a column to be either left justified, right justified, o...
#Julia
Julia
txt = """Given\$a\$txt\$file\$of\$many\$lines,\$where\$fields\$within\$a\$line\$ are\$delineated\$by\$a\$single\$'dollar'\$character,\$write\$a\$program that\$aligns\$each\$column\$of\$fields\$by\$ensuring\$that\$words\$in\$each\$ column\$are\$separated\$by\$at\$least\$one\$space. Further,\$allow\$for\$each\$word\$in\$...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#Tcl
Tcl
proc coeffs {p {signs 1}} { set clist 1 for {set i 0} {$i < $p} {incr i} { set clist [lmap x [list 0 {*}$clist] y [list {*}$clist 0] { expr {$x + $y} }] } if {$signs} { set s -1 set clist [lmap c $clist {expr {[set s [expr {-$s}]] * $c}}] } return $clist } proc aksprime {p} { if {$p...
http://rosettacode.org/wiki/Anagrams
Anagrams
When two or more words are composed of the same characters, but in a different order, they are called anagrams. Task[edit] Using the word list at   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, find the sets of words that share the same characters that contain the most words in them. Related tasks Word plays ...
#OCaml
OCaml
let explode str = let l = ref [] in let n = String.length str in for i = n - 1 downto 0 do l := str.[i] :: !l done; (!l)   let implode li = let n = List.length li in let s = String.create n in let i = ref 0 in List.iter (fun c -> s.[!i] <- c; incr i) li; (s)   let () = let h = Hashtbl.create 3...
http://rosettacode.org/wiki/Anonymous_recursion
Anonymous recursion
While implementing a recursive function, it often happens that we must resort to a separate   helper function   to handle the actual recursion. This is usually the case when directly calling the current function would waste too many resources (stack space, execution time), causing unwanted side-effects,   and/or the f...
#ZX_Spectrum_Basic
ZX Spectrum Basic
10 INPUT "Enter a number: ";n 20 LET t=0 30 GO SUB 60 40 PRINT t 50 STOP 60 LET nold1=1: LET nold2=0 70 IF n<0 THEN PRINT "Positive argument required!": RETURN 80 IF n=0 THEN LET t=nold2: RETURN 90 IF n=1 THEN LET t=nold1: RETURN 100 LET t=nold2+nold1 110 IF n>2 THEN LET n=n-1: LET nold2=nold1: LET nold1=t: GO SUB ...
http://rosettacode.org/wiki/Amicable_pairs
Amicable pairs
Two integers N {\displaystyle N} and M {\displaystyle M} are said to be amicable pairs if N ≠ M {\displaystyle N\neq M} and the sum of the proper divisors of N {\displaystyle N} ( s u m ( p r o p D i v s ( N ) ) {\displaystyle \mathrm {sum} (\mathrm {propDivs} (N))} ) = M ...
#ZX_Spectrum_Basic
ZX Spectrum Basic
10 LET limit=20000 20 PRINT "Amicable pairs < ";limit 30 FOR n=1 TO limit 40 LET num=n: GO SUB 1000 50 LET m=num 60 GO SUB 1000 70 IF n=num AND n<m THEN PRINT n;" ";m 80 NEXT n 90 STOP 1000 REM sumprop 1010 IF num<2 THEN LET num=0: RETURN 1020 LET sum=1 1030 LET root=SQR num 1040 FOR i=2 TO root-.01 1050 IF num/i=INT...
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Standard_ML
Standard ML
fun accumulator (sum0:real) : real -> real = let val sum = ref sum0 in fn n => ( sum := !sum + n;  !sum) end;   let val x = accumulator 1.0 val _ = x 5.0 val _ = accumulator 3.0 in print (Real.toString (x 2.3) ^ "\n") end;
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Swift
Swift
func makeAccumulator(var sum: Double) -> Double -> Double { return { sum += $0 return sum } }   let x = makeAccumulator(1) x(5) let _ = makeAccumulator(3) println(x(2.3))
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 ...
#Common_Lisp
Common Lisp
(defun ackermann (m n) (cond ((zerop m) (1+ n)) ((zerop n) (ackermann (1- m) 1)) (t (ackermann (1- m) (ackermann m (1- n))))))
http://rosettacode.org/wiki/Abundant,_deficient_and_perfect_number_classifications
Abundant, deficient and perfect number classifications
These define three classifications of positive integers based on their   proper divisors. Let   P(n)   be the sum of the proper divisors of   n   where the proper divisors are all positive divisors of   n   other than   n   itself. if P(n) < n then n is classed as deficient (OEIS A005100). if P(n)...
#jq
jq
# unordered def proper_divisors: . as $n | if $n > 1 then 1, ( range(2; 1 + (sqrt|floor)) as $i | if ($n % $i) == 0 then $i, (($n / $i) | if . == $i then empty else . end) else empty end) else empty end;
http://rosettacode.org/wiki/Abundant,_deficient_and_perfect_number_classifications
Abundant, deficient and perfect number classifications
These define three classifications of positive integers based on their   proper divisors. Let   P(n)   be the sum of the proper divisors of   n   where the proper divisors are all positive divisors of   n   other than   n   itself. if P(n) < n then n is classed as deficient (OEIS A005100). if P(n)...
#Jsish
Jsish
/* Classify Deficient, Perfect and Abdundant integers */ function classifyDPA(stop:number, start:number=0, step:number=1):array { var dpa = [1, 0, 0]; for (var n=start; n<=stop; n+=step) { for (var ds=0, d=1, e=n/2+1; d<e; d+=1) if (n%d == 0) ds += d; dpa[ds < n ? 0 : ds==n ? 1 : 2] += 1; } ...
http://rosettacode.org/wiki/Align_columns
Align columns
Given a text file of many lines, where fields within a line are delineated by a single 'dollar' character, write a program that aligns each column of fields by ensuring that words in each column are separated by at least one space. Further, allow for each word in a column to be either left justified, right justified, o...
#Kotlin
Kotlin
import java.nio.charset.StandardCharsets import java.nio.file.Files import java.nio.file.Paths   enum class AlignFunction { LEFT { override fun invoke(s: String, l: Int) = ("%-" + l + 's').format(("%" + s.length + 's').format(s)) }, RIGHT { override fun invoke(s: String, l: Int) = ("%-" + l + 's').format(("%" +...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#Transd
Transd
  #lang transd   MainModule: { poly: (λ n Long() (with v Vector<Long>([1]) (for i in Range(n) do (append v (/ (* (get v -1) (- (- n i))) (to-Long (+ i 1)))) ) (reverse v) (ret v) ) ),   aks_test: (λ n Long() -> Bool() (i...
http://rosettacode.org/wiki/Anagrams
Anagrams
When two or more words are composed of the same characters, but in a different order, they are called anagrams. Task[edit] Using the word list at   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, find the sets of words that share the same characters that contain the most words in them. Related tasks Word plays ...
#Oforth
Oforth
import: mapping import: collect import: quicksort   : anagrams | m | "unixdict.txt" File new groupBy( #sort ) dup sortBy( #[ second size] ) last second size ->m filter( #[ second size m == ] ) apply ( #[ second .cr ] ) ;
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Tcl
Tcl
package require Tcl 8.6   # make the creation of coroutines without procedures simpler proc coro {name arguments body args} { coroutine $name apply [list $arguments $body] {*}$args } # Wrap the feeding of values in and out of a generator proc coloop {var body} { set val [info coroutine] upvar 1 $var v w...
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#TXR
TXR
(defun accumulate (sum) (lambda (n) (inc sum n)))   ;; test (for ((f (accumulate 0)) num) ((set num (iread : : nil))) ((format t "~s -> ~s\n" num [f num]))) (exit 0)
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 ...
#Component_Pascal
Component Pascal
  MODULE NpctAckerman;   IMPORT StdLog;   VAR m,n: INTEGER;   PROCEDURE Ackerman (x,y: INTEGER):INTEGER;   BEGIN IF x = 0 THEN RETURN y + 1 ELSIF y = 0 THEN RETURN Ackerman (x - 1 , 1) ELSE RETURN Ackerman (x - 1 , Ackerman (x , y - 1)) END END Ackerman;   PROCEDURE Do*; BEGIN FOR m := 0...
http://rosettacode.org/wiki/Abundant,_deficient_and_perfect_number_classifications
Abundant, deficient and perfect number classifications
These define three classifications of positive integers based on their   proper divisors. Let   P(n)   be the sum of the proper divisors of   n   where the proper divisors are all positive divisors of   n   other than   n   itself. if P(n) < n then n is classed as deficient (OEIS A005100). if P(n)...
#Julia
Julia
  function pcontrib(p::Int64, a::Int64) n = one(p) pcon = one(p) for i in 1:a n *= p pcon += n end return pcon end   function divisorsum(n::Int64) dsum = one(n) for (p, a) in factor(n) dsum *= pcontrib(p, a) end dsum -= n end  
http://rosettacode.org/wiki/Align_columns
Align columns
Given a text file of many lines, where fields within a line are delineated by a single 'dollar' character, write a program that aligns each column of fields by ensuring that words in each column are separated by at least one space. Further, allow for each word in a column to be either left justified, right justified, o...
#Lambdatalk
Lambdatalk
  {def txt Given$a$text$file$of$many$lines,$where$fields$within$a$line\$are$delineated$by$a$single$'dollar'$character,$write$a$program\$that$aligns$each$column$of$fields$by$ensuring$that$words$in$each\$column$are$separated$by$at$least$one$space.\$Further,$allow$for$each$word$in$a$column$to$be$either$left\$justified,$r...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#uBasic.2F4tH
uBasic/4tH
For n = 0 To 9 Push n : Gosub _coef : Gosub _drop Print "(x-1)^";n;" = "; Push n : Gosub _show Print Next   Print Print "primes (never mind the 1):";   For n = 1 To 34 Push n : Gosub _isprime If Pop() Then Print " ";n; Next   Print End   ' show polynomial expansions _s...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#VBA
VBA
  '-- Does not work for primes above 97, which is actually beyond the original task anyway. '-- Translated from the C version, just about everything is (working) out-by-1, what fun. '-- This updated VBA version utilizes the Decimal datatype to handle numbers requiring '-- more than 32 bits. Const MAX = 99 Dim c(MAX + 1...
http://rosettacode.org/wiki/Anagrams
Anagrams
When two or more words are composed of the same characters, but in a different order, they are called anagrams. Task[edit] Using the word list at   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, find the sets of words that share the same characters that contain the most words in them. Related tasks Word plays ...
#ooRexx
ooRexx
  -- This assumes you've already downloaded the following file and placed it -- in the current directory: http://wiki.puzzlers.org/pub/wordlists/unixdict.txt   -- There are several different ways of reading the file. I chose the -- supplier method just because I haven't used it yet in any other examples. source = .str...
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#Unicon
Unicon
procedure main() a := genAcc(3) b := genAcc(5)   write(" " ,center("a",5), " ", center("b", 5)) write("genAcc: ", right(a(4),5), " ", right(b(4), 5)) write("genAcc: ", right(a(2),5), " ", right(b(3),5)) write("genAcc: ", right(a(4.5),5)," ", right(b(1.3),5)) end   procedure genAcc(n) ...
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 ...
#Coq
Coq
Require Import Arith. Fixpoint A m := fix A_m n := match m with | 0 => n + 1 | S pm => match n with | 0 => A pm 1 | S pn => A pm (A_m pn) end end.
http://rosettacode.org/wiki/Abundant,_deficient_and_perfect_number_classifications
Abundant, deficient and perfect number classifications
These define three classifications of positive integers based on their   proper divisors. Let   P(n)   be the sum of the proper divisors of   n   where the proper divisors are all positive divisors of   n   other than   n   itself. if P(n) < n then n is classed as deficient (OEIS A005100). if P(n)...
#K
K
  /Classification of numbers into abundant, perfect and deficient / numclass.k   /return 0,1 or -1 if perfect or abundant or deficient respectively numclass: {s:(+/&~x!'!1+x)-x; :[s>x;:1;:[s<x;:-1;:0]]} /classify numbers from 1 to 20000 into respective groups c: =numclass' 1+!20000 /print statistics `0: ,"Deficient = "...
http://rosettacode.org/wiki/Align_columns
Align columns
Given a text file of many lines, where fields within a line are delineated by a single 'dollar' character, write a program that aligns each column of fields by ensuring that words in each column are separated by at least one space. Further, allow for each word in a column to be either left justified, right justified, o...
#Lasso
Lasso
#!/usr/bin/lasso9   local(text = "Given$a$text$file$of$many$lines,$where$fields$within$a$line$ are$delineated$by$a$single$'dollar'$character,$write$a$program that$aligns$each$column$of$fields$by$ensuring$that$words$in$each$ column$are$separated$by$at$least$one$space. Further,$allow$for$each$word$in$a$column$to$be$eithe...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#Vlang
Vlang
fn bc(p int) []i64 { mut c := []i64{len: p+1} mut r := i64(1) for i, half := 0, p/2; i <= half; i++ { c[i] = r c[p-i] = r r = r * i64(p-i) / i64(i+1) } for i := p - 1; i >= 0; i -= 2 { c[i] = -c[i] } return c }   fn main() { for p := 0; p <= 7; p++ { ...
http://rosettacode.org/wiki/AKS_test_for_primes
AKS test for primes
The AKS algorithm for testing whether a number is prime is a polynomial-time algorithm based on an elementary theorem about Pascal triangles. The theorem on which the test is based can be stated as follows:   a number   p {\displaystyle p}   is prime   if and only if   all the coefficients of the polynomial ...
#Wren
Wren
var bc = Fn.new { |p| var c = List.filled(p+1, 0) var r = 1 var half = (p/2).floor for (i in 0..half) { c[i] = r c[p-i] = r r = (r * (p-i) / (i+1)).floor } var j = p - 1 while (j >= 0) { c[j] = -c[j] j = j - 2 } return c }   var e = "²³⁴⁵⁶⁷".co...
http://rosettacode.org/wiki/Anagrams
Anagrams
When two or more words are composed of the same characters, but in a different order, they are called anagrams. Task[edit] Using the word list at   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, find the sets of words that share the same characters that contain the most words in them. Related tasks Word plays ...
#Oz
Oz
declare %% Helper function fun {ReadLines Filename} File = {New class $ from Open.file Open.text end init(name:Filename)} in for collect:C break:B do case {File getS($)} of false then {File close} {B} [] Line then {C Line} end end end   %% Groups anagrams by using a mutable dictionary...
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#UNIX_Shell
UNIX Shell
#!/bin/sh accumulator() { # Define a global function named $1 # with a global variable named ${1}_sum. eval "${1}_sum=\$2" eval "$1() { ${1}_sum=\$(echo \"(\$${1}_sum) + (\$2)\" | bc) eval \"\$1=\\\$${1}_sum\" # Provide the current sum. }" }   accumulator x 1 x r 5 accumulator y 3 x r 2.3 echo $r y r -3000 ec...
http://rosettacode.org/wiki/Accumulator_factory
Accumulator factory
A problem posed by Paul Graham is that of creating a function that takes a single (numeric) argument and which returns another function that is an accumulator. The returned accumulator function in turn also takes a single numeric argument, and returns the sum of all the numeric values passed in so far to that accumulat...
#VBScript
VBScript
class accumulator dim A public default function acc(x) A = A + x acc = A end function public property get accum accum = A end property end class
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 ...
#Crystal
Crystal
def ack(m, n) if m == 0 n + 1 elsif n == 0 ack(m-1, 1) else ack(m-1, ack(m, n-1)) end end   #Example: (0..3).each do |m| puts (0..6).map { |n| ack(m, n) }.join(' ') end