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/Arithmetic/Complex
Arithmetic/Complex
A   complex number   is a number which can be written as: a + b × i {\displaystyle a+b\times i} (sometimes shown as: b + a × i {\displaystyle b+a\times i} where   a {\displaystyle a}   and   b {\displaystyle b}   are real numbers,   and   i {\displaystyle i}   is   √ -1  Typica...
#Component_Pascal
Component Pascal
  MODULE Complex; IMPORT StdLog; TYPE Complex* = POINTER TO ComplexDesc; ComplexDesc = RECORD r-,i-: REAL; END;   VAR r,x,y: Complex;   PROCEDURE New(x,y: REAL): Complex; VAR r: Complex; BEGIN NEW(r);r.r := x;r.i := y; RETURN r END New;   PROCEDURE...
http://rosettacode.org/wiki/Arena_storage_pool
Arena storage pool
Dynamically allocated objects take their memory from a heap. The memory for an object is provided by an allocator which maintains the storage pool used for the heap. Often a call to allocator is denoted as P := new T where   T   is the type of an allocated object,   and   P   is a reference to the object. The stora...
#Wren
Wren
var arena = List.filled(5, 0) // allocate memory for 5 integers for (i in 0..4) arena[i] = i // insert some integers System.print(arena) // print them arena = null // make arena eligible for garbage collection System.gc() // request immediate garbage collection
http://rosettacode.org/wiki/Arena_storage_pool
Arena storage pool
Dynamically allocated objects take their memory from a heap. The memory for an object is provided by an allocator which maintains the storage pool used for the heap. Often a call to allocator is denoted as P := new T where   T   is the type of an allocated object,   and   P   is a reference to the object. The stora...
#zkl
zkl
var pool=List(); // pool could be any mutable container pool.append(Data(0,1234)); // allocate mem blob and add to pool pool=Void; // free the pool and everything in it.
http://rosettacode.org/wiki/Arithmetic/Rational
Arithmetic/Rational
Task Create a reasonably complete implementation of rational arithmetic in the particular language using the idioms of the language. Example Define a new type called frac with binary operator "//" of two integers that returns a structure made up of the numerator and the denominator (as per a rational number). Fur...
#Elisa
Elisa
component RationalNumbers; type Rational; Rational(Numerator = integer, Denominater = integer) -> Rational;   Rational + Rational -> Rational; Rational - Rational -> Rational; Rational * Rational -> Rational; Rational / Rational -> Rational;   Rational == Rational -> boolea...
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#EchoLisp
EchoLisp
  (lib 'math)   (define (agm a g) (if (~= a g) a (agm (// (+ a g ) 2) (sqrt (* a g)))))   (math-precision) → 0.000001 ;; default (agm 1 (/ 1 (sqrt 2))) → 0.8472130848351929 (math-precision 1.e-15) → 1e-15 (agm 1 (/ 1 (sqrt 2))) → 0.8472130847939792  
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#Verilog
Verilog
module main; integer a, b; integer suma, resta, producto; integer division, resto, expo;   initial begin a = -12; b = 7;   suma = a + b; resta = a - b; producto = a * b; division = a / b; resto = a % b; expo = a ** b;   $display("Siendo dos enteros a = -12 y b = 7"); $dis...
http://rosettacode.org/wiki/Arithmetic_evaluation
Arithmetic evaluation
Create a program which parses and evaluates arithmetic expressions. Requirements An abstract-syntax tree (AST) for the expression must be created from parsing the input. The AST must be used in evaluation, also, so the input may not be directly evaluated (e.g. by calling eval or a similar language feature.) The ...
#ALGOL_68
ALGOL 68
INT base=10; MODE FIXED = LONG REAL; # numbers in the format 9,999.999 #   #IF build abstract syntax tree and then EVAL tree # MODE AST = UNION(NODE, FIXED); MODE NUM = REF AST; MODE NODE = STRUCT(NUM a, PROC (FIXED,FIXED)FIXED op, NUM b);   OP EVAL = (NUM ast)FIXED:( CASE ast IN (FIXED num): num, (NODE fork)...
http://rosettacode.org/wiki/100_doors
100 doors
There are 100 doors in a row that are all initially closed. You make 100 passes by the doors. The first time through, visit every door and  toggle  the door  (if the door is closed,  open it;   if it is open,  close it). The second time, only visit every 2nd door   (door #2, #4, #6, ...),   and toggle it. The third...
#8th
8th
  \ Array of doors; init to empty; accessing a non-extant member will return \ 'null', which is treated as 'false', so we don't need to initialize it: [] var, doors   \ given a door number, get the value and toggle it: : toggle-door \ n -- doors @ over a:@ not rot swap a:! drop ;   \ print which doors are open: :...
http://rosettacode.org/wiki/Arithmetic-geometric_mean/Calculate_Pi
Arithmetic-geometric mean/Calculate Pi
Almkvist Berndt 1988 begins with an investigation of why the agm is such an efficient algorithm, and proves that it converges quadratically. This is an efficient method to calculate π {\displaystyle \pi } . With the same notations used in Arithmetic-geometric mean, we can summarize the paper by writing: π ...
#Ruby
Ruby
# Calculate Pi using the Arithmetic Geometric Mean of 1 and 1/sqrt(2) # # # Nigel_Galloway # March 8th., 2012. # require 'flt' Flt::BinNum.Context.precision = 8192 a = n = 1 g = 1 / Flt::BinNum(2).sqrt z = 0.25 (0..17).each{ x = [(a + g) * 0.5, (a * g).sqrt] var = x[0] - a z -= var * var * n n += n a = x[0]...
http://rosettacode.org/wiki/Arithmetic-geometric_mean/Calculate_Pi
Arithmetic-geometric mean/Calculate Pi
Almkvist Berndt 1988 begins with an investigation of why the agm is such an efficient algorithm, and proves that it converges quadratically. This is an efficient method to calculate π {\displaystyle \pi } . With the same notations used in Arithmetic-geometric mean, we can summarize the paper by writing: π ...
#Rust
Rust
/// calculate pi with algebraic/geometric mean pub fn pi(n: usize) -> f64 { let mut a : f64 = 1.0; let two : f64= 2.0; let mut g = 1.0 / two.sqrt(); let mut s = 0.0; let mut k = 1; while k<=n {   let a1 = (a+g)/two; let g1 = (a*g).sqrt(); a = a1; g = g1; ...
http://rosettacode.org/wiki/Arrays
Arrays
This task is about arrays. For hashes or associative arrays, please see Creating an Associative Array. For a definition and in-depth discussion of what an array is, see Array. Task Show basic array syntax in your language. Basically, create an array, assign a value to it, and retrieve an element   (if available,...
#Babel
Babel
[1 2 3]
http://rosettacode.org/wiki/Arithmetic/Complex
Arithmetic/Complex
A   complex number   is a number which can be written as: a + b × i {\displaystyle a+b\times i} (sometimes shown as: b + a × i {\displaystyle b+a\times i} where   a {\displaystyle a}   and   b {\displaystyle b}   are real numbers,   and   i {\displaystyle i}   is   √ -1  Typica...
#D
D
import std.stdio, std.complex;   void main() { auto x = complex(1, 1); // complex of doubles on default auto y = complex(3.14159, 1.2);   writeln(x + y); // addition writeln(x * y); // multiplication writeln(1.0 / x); // inversion writeln(-x); // negation }
http://rosettacode.org/wiki/Arithmetic/Rational
Arithmetic/Rational
Task Create a reasonably complete implementation of rational arithmetic in the particular language using the idioms of the language. Example Define a new type called frac with binary operator "//" of two integers that returns a structure made up of the numerator and the denominator (as per a rational number). Fur...
#Elixir
Elixir
defmodule Rational do import Kernel, except: [div: 2]   defstruct numerator: 0, denominator: 1   def new(numerator), do: %Rational{numerator: numerator, denominator: 1}   def new(numerator, denominator) do sign = if numerator * denominator < 0, do: -1, else: 1 {numerator, denominator} = {abs(numerator),...
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#Elixir
Elixir
defmodule ArithhGeom do def mean(a,g,tol) when abs(a-g) <= tol, do: a def mean(a,g,tol) do mean((a+g)/2,:math.pow(a*g, 0.5),tol) end end   IO.puts ArithhGeom.mean(1,1/:math.sqrt(2),0.0000000001)
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#Erlang
Erlang
%% Arithmetic Geometric Mean of 1 and 1 / sqrt(2) %% Author: Abhay Jain   -module(agm_calculator). -export([find_agm/0]). -define(TOLERANCE, 0.0000000001).   find_agm() -> A = 1, B = 1 / (math:pow(2, 0.5)), AGM = agm(A, B), io:format("AGM = ~p", [AGM]).   agm (A, B) when abs(A-B) =< ?TOLERANCE -> A;...
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#Vim_Script
Vim Script
let a = float2nr(input("Number 1: ") + 0) let b = float2nr(input("Number 2: ") + 0) echo "\nSum: " . (a + b) echo "Difference: " . (a - b) echo "Product: " . (a * b) " The result of an integer division is truncated echo "Quotient: " . (a / b) " The sign of the result of the remainder operation matches the sign of " th...
http://rosettacode.org/wiki/Arithmetic_evaluation
Arithmetic evaluation
Create a program which parses and evaluates arithmetic expressions. Requirements An abstract-syntax tree (AST) for the expression must be created from parsing the input. The AST must be used in evaluation, also, so the input may not be directly evaluated (e.g. by calling eval or a similar language feature.) The ...
#AutoHotkey
AutoHotkey
/* hand coded recursive descent parser expr : term ( ( PLUS | MINUS ) term )* ; term : factor ( ( MULT | DIV ) factor )* ; factor : NUMBER | '(' expr ')'; */   calcLexer := makeCalcLexer() string := "((3+4)*(7*9)+3)+4" tokens := tokenize(string, calcLexer) msgbox % printTokens(tokens) ast := expr() msgbox % printTree...
http://rosettacode.org/wiki/100_doors
100 doors
There are 100 doors in a row that are all initially closed. You make 100 passes by the doors. The first time through, visit every door and  toggle  the door  (if the door is closed,  open it;   if it is open,  close it). The second time, only visit every 2nd door   (door #2, #4, #6, ...),   and toggle it. The third...
#AArch64_Assembly
AArch64 Assembly
  /* ARM assembly AARCH64 Raspberry PI 3B */ /* program 100doors64.s */   /*******************************************/ /* Constantes file */ /*******************************************/ /* for this file see task include a file in language AArch64 assembly*/ .include "../includeConstantesARM...
http://rosettacode.org/wiki/Arithmetic-geometric_mean/Calculate_Pi
Arithmetic-geometric mean/Calculate Pi
Almkvist Berndt 1988 begins with an investigation of why the agm is such an efficient algorithm, and proves that it converges quadratically. This is an efficient method to calculate π {\displaystyle \pi } . With the same notations used in Arithmetic-geometric mean, we can summarize the paper by writing: π ...
#Scala
Scala
import java.math.MathContext   import scala.annotation.tailrec import scala.compat.Platform.currentTime import scala.math.BigDecimal   object Calculate_Pi extends App { val precision = new MathContext(32768 /*65536*/) val (bigZero, bigOne, bigTwo, bigFour) = (BigDecimal(0, precision), BigDecimal(1, precision), ...
http://rosettacode.org/wiki/Arrays
Arrays
This task is about arrays. For hashes or associative arrays, please see Creating an Associative Array. For a definition and in-depth discussion of what an array is, see Array. Task Show basic array syntax in your language. Basically, create an array, assign a value to it, and retrieve an element   (if available,...
#BaCon
BaCon
  DATA "January", "February", "March", "April", "May", "June", "July" DATA "August", "September", "October", "November", "December"   LOCAL dat$[11] FOR i = 0 TO 11 READ dat$[i] PRINT dat$[i] NEXT  
http://rosettacode.org/wiki/Arithmetic/Complex
Arithmetic/Complex
A   complex number   is a number which can be written as: a + b × i {\displaystyle a+b\times i} (sometimes shown as: b + a × i {\displaystyle b+a\times i} where   a {\displaystyle a}   and   b {\displaystyle b}   are real numbers,   and   i {\displaystyle i}   is   √ -1  Typica...
#Dart
Dart
    class complex {   num real=0; num imag=0;   complex(num r,num i){ this.real=r; this.imag=i; }     complex add(complex b){ return new complex(this.real + b.real, this.imag + b.imag); }   complex mult(complex b){ //FOIL of (a+bi)(c+di) with i*i = -1 return new complex(this.real * b....
http://rosettacode.org/wiki/Arithmetic/Rational
Arithmetic/Rational
Task Create a reasonably complete implementation of rational arithmetic in the particular language using the idioms of the language. Example Define a new type called frac with binary operator "//" of two integers that returns a structure made up of the numerator and the denominator (as per a rational number). Fur...
#ERRE
ERRE
PROGRAM RATIONAL_ARITH   ! ! for rosettacode.org !   TYPE RATIONAL=(NUM,DEN)   DIM SUM:RATIONAL,ONE:RATIONAL,KF:RATIONAL   DIM A:RATIONAL,B:RATIONAL PROCEDURE ABS(A.->A.) A.NUM=ABS(A.NUM) END PROCEDURE   PROCEDURE NEG(A.->A.) A.NUM=-A.NUM END PROCEDURE   PROCEDURE ADD(A.,B.->A.) LOCAL T T=A.DEN*...
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#ERRE
ERRE
  PROGRAM AGM   ! ! for rosettacode.org !   !$DOUBLE   PROCEDURE AGM(A,G->A) LOCAL TA REPEAT TA=A A=(A+G)/2 G=SQR(TA*G) UNTIL A=TA END PROCEDURE   BEGIN AGM(1.0,1/SQR(2)->A) PRINT(A) END PROGRAM  
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#F.23
F#
let rec agm a g precision = if precision > abs(a - g) then a else agm (0.5 * (a + g)) (sqrt (a * g)) precision   printfn "%g" (agm 1. (sqrt(0.5)) 1e-15)
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#Visual_Basic_.NET
Visual Basic .NET
Imports System.Console Module Module1 Sub Main Dim a = CInt(ReadLine) Dim b = CInt(ReadLine) WriteLine("Sum " & a + b) WriteLine("Difference " & a - b) WriteLine("Product " & a - b) WriteLine("Quotient " & a / b) WriteLine("Integer Quotient " & a \ b) WriteLine("Remainder " & a Mod b) ...
http://rosettacode.org/wiki/Arithmetic_evaluation
Arithmetic evaluation
Create a program which parses and evaluates arithmetic expressions. Requirements An abstract-syntax tree (AST) for the expression must be created from parsing the input. The AST must be used in evaluation, also, so the input may not be directly evaluated (e.g. by calling eval or a similar language feature.) The ...
#BBC_BASIC
BBC BASIC
Expr$ = "1 + 2 * (3 + (4 * 5 + 6 * 7 * 8) - 9) / 10" PRINT "Input = " Expr$ AST$ = FNast(Expr$) PRINT "AST = " AST$ PRINT "Value = " ;EVAL(AST$) END   DEF FNast(RETURN in$) LOCAL ast$, oper$ REPEAT ast$ += FNast1(in$) WHILE ASC(in$)=32 in$ = MID$(i...
http://rosettacode.org/wiki/Arithmetic_evaluation
Arithmetic evaluation
Create a program which parses and evaluates arithmetic expressions. Requirements An abstract-syntax tree (AST) for the expression must be created from parsing the input. The AST must be used in evaluation, also, so the input may not be directly evaluated (e.g. by calling eval or a similar language feature.) The ...
#C
C
#include <boost/spirit.hpp> #include <boost/spirit/tree/ast.hpp> #include <string> #include <cassert> #include <iostream> #include <istream> #include <ostream>   using boost::spirit::rule; using boost::spirit::parser_tag; using boost::spirit::ch_p; using boost::spirit::real_p;   using boost::spirit::tree_no...
http://rosettacode.org/wiki/100_doors
100 doors
There are 100 doors in a row that are all initially closed. You make 100 passes by the doors. The first time through, visit every door and  toggle  the door  (if the door is closed,  open it;   if it is open,  close it). The second time, only visit every 2nd door   (door #2, #4, #6, ...),   and toggle it. The third...
#ABAP
ABAP
form open_doors_unopt. data: lv_door type i, lv_count type i value 1. data: lt_doors type standard table of c initial size 100. field-symbols: <wa_door> type c. do 100 times. append initial line to lt_doors assigning <wa_door>. <wa_door> = 'X'. enddo.   while lv_count < 100. lv_count = ...
http://rosettacode.org/wiki/Arithmetic-geometric_mean/Calculate_Pi
Arithmetic-geometric mean/Calculate Pi
Almkvist Berndt 1988 begins with an investigation of why the agm is such an efficient algorithm, and proves that it converges quadratically. This is an efficient method to calculate π {\displaystyle \pi } . With the same notations used in Arithmetic-geometric mean, we can summarize the paper by writing: π ...
#Sidef
Sidef
func agm_pi(digits) { var acc = (digits + 8);   local Num!PREC = 4*digits;   var an = 1; var bn = sqrt(0.5); var tn = 0.5**2; var pn = 1;   while (pn < acc) { var prev_an = an; an = (bn+an / 2); bn = sqrt(bn * prev_an); prev_an -= an; tn -= (pn * prev_...
http://rosettacode.org/wiki/Arithmetic-geometric_mean/Calculate_Pi
Arithmetic-geometric mean/Calculate Pi
Almkvist Berndt 1988 begins with an investigation of why the agm is such an efficient algorithm, and proves that it converges quadratically. This is an efficient method to calculate π {\displaystyle \pi } . With the same notations used in Arithmetic-geometric mean, we can summarize the paper by writing: π ...
#Tcl
Tcl
package require math::bigfloat namespace import math::bigfloat::*   proc agm/π {N {precision 8192}} { set 1 [int2float 1 $precision] set 2 [int2float 2 $precision] set n 1 set a $1 set g [div $1 [sqrt $2]] set z [div $1 [int2float 4 $precision]] for {set i 0} {$i <= $N} {incr i} { set x0 [d...
http://rosettacode.org/wiki/Arrays
Arrays
This task is about arrays. For hashes or associative arrays, please see Creating an Associative Array. For a definition and in-depth discussion of what an array is, see Array. Task Show basic array syntax in your language. Basically, create an array, assign a value to it, and retrieve an element   (if available,...
#BASIC
BASIC
OPTION BASE 1 DIM myArray(100) AS INTEGER
http://rosettacode.org/wiki/Arithmetic/Complex
Arithmetic/Complex
A   complex number   is a number which can be written as: a + b × i {\displaystyle a+b\times i} (sometimes shown as: b + a × i {\displaystyle b+a\times i} where   a {\displaystyle a}   and   b {\displaystyle b}   are real numbers,   and   i {\displaystyle i}   is   √ -1  Typica...
#Delphi
Delphi
  program Arithmetic_Complex;   {$APPTYPE CONSOLE}   uses System.SysUtils, System.VarCmplx;   var a, b: Variant;   begin a := VarComplexCreate(5, 3); b := VarComplexCreate(0.5, 6.0);   writeln(format('(%s) + (%s) = %s',[a,b, a+b]));   writeln(format('(%s) * (%s) = %s',[a,b, a*b]));   writeln(format('-(%...
http://rosettacode.org/wiki/Arithmetic/Rational
Arithmetic/Rational
Task Create a reasonably complete implementation of rational arithmetic in the particular language using the idioms of the language. Example Define a new type called frac with binary operator "//" of two integers that returns a structure made up of the numerator and the denominator (as per a rational number). Fur...
#F.23
F#
type frac = Microsoft.FSharp.Math.BigRational   let perf n = 1N = List.fold (+) 0N (List.map (fun i -> if n % i = 0 then 1N/frac.FromInt(i) else 0N) [2..n])   for i in 1..(1<<<19) do if (perf i) then printfn "%i is perfect" i
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#Factor
Factor
USING: kernel math math.functions prettyprint ; IN: rosetta-code.arithmetic-geometric-mean   : agm ( a g -- a' g' ) 2dup [ + 0.5 * ] 2dip * sqrt ;   1 1 2 sqrt / [ 2dup - 1e-15 > ] [ agm ] while drop .
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#Forth
Forth
: agm ( a g -- m ) begin fover fover f+ 2e f/ frot frot f* fsqrt fover fover 1e-15 f~ until fdrop ;   1e 2e -0.5e f** agm f. \ 0.847213084793979
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#Vlang
Vlang
// Arithmetic-integer in V // Tectonics: v run arithmetic-integer.v module main import math import os   // starts here pub fn main() { mut a := 0 mut b := 0   // get numbers from console print("Enter two integer numbers, separated by a space: ") text := os.get_raw_line() values := text.split(' '...
http://rosettacode.org/wiki/Arithmetic_evaluation
Arithmetic evaluation
Create a program which parses and evaluates arithmetic expressions. Requirements An abstract-syntax tree (AST) for the expression must be created from parsing the input. The AST must be used in evaluation, also, so the input may not be directly evaluated (e.g. by calling eval or a similar language feature.) The ...
#C.2B.2B
C++
#include <boost/spirit.hpp> #include <boost/spirit/tree/ast.hpp> #include <string> #include <cassert> #include <iostream> #include <istream> #include <ostream>   using boost::spirit::rule; using boost::spirit::parser_tag; using boost::spirit::ch_p; using boost::spirit::real_p;   using boost::spirit::tree_no...
http://rosettacode.org/wiki/100_doors
100 doors
There are 100 doors in a row that are all initially closed. You make 100 passes by the doors. The first time through, visit every door and  toggle  the door  (if the door is closed,  open it;   if it is open,  close it). The second time, only visit every 2nd door   (door #2, #4, #6, ...),   and toggle it. The third...
#ACL2
ACL2
(defun rep (n x) (if (zp n) nil (cons x (rep (- n 1) x))))   (defun toggle-every-r (n i bs) (if (endp bs) nil (cons (if (zp i) (not (first bs)) (first bs)) (toggle-every-r n (mod (1- i) n) (rest bs)))))   (defun toggle-every (...
http://rosettacode.org/wiki/Arithmetic-geometric_mean/Calculate_Pi
Arithmetic-geometric mean/Calculate Pi
Almkvist Berndt 1988 begins with an investigation of why the agm is such an efficient algorithm, and proves that it converges quadratically. This is an efficient method to calculate π {\displaystyle \pi } . With the same notations used in Arithmetic-geometric mean, we can summarize the paper by writing: π ...
#Visual_Basic_.NET
Visual Basic .NET
Imports System, System.Numerics   Module Program Function IntSqRoot(ByVal valu As BigInteger, ByVal guess As BigInteger) As BigInteger Dim term As BigInteger : Do term = valu / guess If BigInteger.Abs(term - guess) <= 1 Then Exit Do guess += term : guess >>= 1 Loo...
http://rosettacode.org/wiki/Arrays
Arrays
This task is about arrays. For hashes or associative arrays, please see Creating an Associative Array. For a definition and in-depth discussion of what an array is, see Array. Task Show basic array syntax in your language. Basically, create an array, assign a value to it, and retrieve an element   (if available,...
#BASIC256
BASIC256
# numeric array dim numbers(10) for t = 0 to 9 numbers[t] = t + 1 next t   # string array dim words$(10) # assigning an array with a list words$ = {"one","two","three","four","five","six","seven","eight","nine","ten"}   gosub display   # resize arrays (always preserves values if larger) redim numbers(11) redim words$...
http://rosettacode.org/wiki/Arithmetic/Complex
Arithmetic/Complex
A   complex number   is a number which can be written as: a + b × i {\displaystyle a+b\times i} (sometimes shown as: b + a × i {\displaystyle b+a\times i} where   a {\displaystyle a}   and   b {\displaystyle b}   are real numbers,   and   i {\displaystyle i}   is   √ -1  Typica...
#EchoLisp
EchoLisp
  (define a 42+666i) → a (define b 1+i) → b (- a) → -42-666i ; negate (+ a b) → 43+667i ; add (* a b) → -624+708i ; multiply (/ b) → 0.5-0.5i ; invert (conjugate b) → 1-i (angle b) → 0.7853981633974483 ; = PI/4 (magnitude b) → 1.4142135623730951 ; = sqrt(2) (exp (* I PI)) → -1+0i ; Euler = e^(I*PI) = -1  
http://rosettacode.org/wiki/Arithmetic/Rational
Arithmetic/Rational
Task Create a reasonably complete implementation of rational arithmetic in the particular language using the idioms of the language. Example Define a new type called frac with binary operator "//" of two integers that returns a structure made up of the numerator and the denominator (as per a rational number). Fur...
#Factor
Factor
USING: generalizations io kernel math math.functions math.primes.factors math.ranges prettyprint sequences ; IN: rosetta-code.arithmetic-rational   2/5  ! literal syntax 2/5 2/4  ! automatically simplifies to 1/2 5/1  ! automatically coerced to 5 26/5  ! mixed fraction 5+1...
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#Fortran
Fortran
function agm(a,b) implicit none double precision agm,a,b,eps,c parameter(eps=1.0d-15) 10 c=0.5d0*(a+b) b=sqrt(a*b) a=c if(a-b.gt.eps*a) go to 10 agm=0.5d0*(a+b) end program test implicit none double precision agm print*,agm(1.0d0,1.0d0/sqr...
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#FreeBASIC
FreeBASIC
' version 16-09-2015 ' compile with: fbc -s console   Function agm(a As Double, g As Double) As Double   Dim As Double t_a   Do t_a = (a + g) / 2 g = Sqr(a * g) Swap a, t_a Loop Until a = t_a   Return a   End Function   ' ------=< MAIN >=------   Print agm(1, 1 / Sqr(2) )   ' em...
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#Wart
Wart
a <- (read) b <- (read) prn "sum: " a+b prn "difference: " a-b prn "product: " a*b prn "quotient: " a/b prn "integer quotient: " (int a/b) prn "remainder: " a%b prn "exponent: " a^b
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#Wren
Wren
import "io" for Stdin, Stdout System.write("first number: ") Stdout.flush() var a = Num.fromString(Stdin.readLine()) System.write("second number: ") Stdout.flush() var b = Num.fromString(Stdin.readLine()) System.print("sum:  %(a + b)") System.print("difference:  %(a - b)") System.print("product:...
http://rosettacode.org/wiki/Arithmetic_evaluation
Arithmetic evaluation
Create a program which parses and evaluates arithmetic expressions. Requirements An abstract-syntax tree (AST) for the expression must be created from parsing the input. The AST must be used in evaluation, also, so the input may not be directly evaluated (e.g. by calling eval or a similar language feature.) The ...
#Clojure
Clojure
(def precedence '{* 0, / 0 + 1, - 1})   (defn order-ops "((A x B) y C) or (A x (B y C)) depending on precedence of x and y" [[A x B y C & more]] (let [ret (if (<= (precedence x) (precedence y)) (list (list A x B) y C) (list A x (list B y C)))] (if more (recur (concat ret more))...
http://rosettacode.org/wiki/100_doors
100 doors
There are 100 doors in a row that are all initially closed. You make 100 passes by the doors. The first time through, visit every door and  toggle  the door  (if the door is closed,  open it;   if it is open,  close it). The second time, only visit every 2nd door   (door #2, #4, #6, ...),   and toggle it. The third...
#Action.21
Action!
DEFINE COUNT="100"   PROC Main() BYTE ARRAY doors(COUNT+1) BYTE door,pass   FOR door=1 TO COUNT DO doors(door)=0 OD   PrintE("Following doors are open:") FOR pass=1 TO COUNT DO FOR door=pass TO COUNT STEP pass DO doors(door)==!$FF OD IF doors(pass)=$FF THEN PrintB(pass) P...
http://rosettacode.org/wiki/Arithmetic-geometric_mean/Calculate_Pi
Arithmetic-geometric mean/Calculate Pi
Almkvist Berndt 1988 begins with an investigation of why the agm is such an efficient algorithm, and proves that it converges quadratically. This is an efficient method to calculate π {\displaystyle \pi } . With the same notations used in Arithmetic-geometric mean, we can summarize the paper by writing: π ...
#Wren
Wren
import "/big" for BigRat   var digits = 500 var an = BigRat.one var bn = BigRat.half.sqrt(digits) var tn = BigRat.half.square var pn = BigRat.one while (pn <= digits) { var prevAn = an an = (bn + an) * BigRat.half bn = (bn * prevAn).sqrt(digits) prevAn = prevAn - an tn = tn - (prevAn.square * pn) ...
http://rosettacode.org/wiki/Arrays
Arrays
This task is about arrays. For hashes or associative arrays, please see Creating an Associative Array. For a definition and in-depth discussion of what an array is, see Array. Task Show basic array syntax in your language. Basically, create an array, assign a value to it, and retrieve an element   (if available,...
#Batch_File
Batch File
::arrays.cmd @echo off setlocal ENABLEDELAYEDEXPANSION set array.1=1 set array.2=2 set array.3=3 set array.4=4 for /L %%i in (1,1,4) do call :showit array.%%i !array.%%i! set c=-27 call :mkarray marry 5 6 7 8 for /L %%i in (-27,1,-24) do call :showit "marry^&%%i" !marry^&%%i! endlocal goto :eof   :mkarray set %1^&%c%=%...
http://rosettacode.org/wiki/Arithmetic/Complex
Arithmetic/Complex
A   complex number   is a number which can be written as: a + b × i {\displaystyle a+b\times i} (sometimes shown as: b + a × i {\displaystyle b+a\times i} where   a {\displaystyle a}   and   b {\displaystyle b}   are real numbers,   and   i {\displaystyle i}   is   √ -1  Typica...
#Elixir
Elixir
defmodule Complex do import Kernel, except: [abs: 1, div: 2]   defstruct real: 0, imag: 0   def new(real, imag) do  %__MODULE__{real: real, imag: imag} end   def add(a, b) do {a, b} = convert(a, b) new(a.real + b.real, a.imag + b.imag) end   def sub(a, b) do {a, b} = convert(a, b) new(a...
http://rosettacode.org/wiki/Arithmetic/Complex
Arithmetic/Complex
A   complex number   is a number which can be written as: a + b × i {\displaystyle a+b\times i} (sometimes shown as: b + a × i {\displaystyle b+a\times i} where   a {\displaystyle a}   and   b {\displaystyle b}   are real numbers,   and   i {\displaystyle i}   is   √ -1  Typica...
#Erlang
Erlang
%% Task: Complex Arithmetic %% Author: Abhay Jain   -module(complex_number). -export([calculate/0]).   -record(complex, {real, img}).   calculate() -> A = #complex{real=1, img=3}, B = #complex{real=5, img=2},   Sum = add (A, B), print (Sum),   Product = multiply (A, B), print (Product),   Ne...
http://rosettacode.org/wiki/Arithmetic/Rational
Arithmetic/Rational
Task Create a reasonably complete implementation of rational arithmetic in the particular language using the idioms of the language. Example Define a new type called frac with binary operator "//" of two integers that returns a structure made up of the numerator and the denominator (as per a rational number). Fur...
#Fermat
Fermat
  for n=2 to 2^19 by 2 do s:=3/n; m:=1; while m<=n/3 do if Divides(m,n) then s:=s+1/m; fi; m:=m+1; od; if s=2 then !!n fi; od;
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#Futhark
Futhark
  import "futlib/math"   fun agm(a: f64, g: f64): f64 = let eps = 1.0E-16 loop ((a,g)) = while f64.abs(a-g) > eps do ((a+g) / 2.0, f64.sqrt (a*g)) in a   fun main(x: f64, y: f64): f64 = agm(x,y)  
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#Go
Go
package main   import ( "fmt" "math" )   const ε = 1e-14   func agm(a, g float64) float64 { for math.Abs(a-g) > math.Abs(a)*ε { a, g = (a+g)*.5, math.Sqrt(a*g) } return a }   func main() { fmt.Println(agm(1, 1/math.Sqrt2)) }
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#x86_Assembly
x86 Assembly
arithm: mov cx, a mov bx, b xor dx, dx   mov ax, cx add ax, bx mov sum, ax   mov ax, cx imul bx mov product, ax   mov ax, cx...
http://rosettacode.org/wiki/Arithmetic_evaluation
Arithmetic evaluation
Create a program which parses and evaluates arithmetic expressions. Requirements An abstract-syntax tree (AST) for the expression must be created from parsing the input. The AST must be used in evaluation, also, so the input may not be directly evaluated (e.g. by calling eval or a similar language feature.) The ...
#Common_Lisp
Common Lisp
(defun tokenize-stream (stream) (labels ((whitespace-p (char) (find char #(#\space #\newline #\return #\tab))) (consume-whitespace () (loop while (whitespace-p (peek-char nil stream nil #\a)) do (read-char stream))) (read-integer () (loop...
http://rosettacode.org/wiki/Archimedean_spiral
Archimedean spiral
The Archimedean spiral is a spiral named after the Greek mathematician Archimedes. An Archimedean spiral can be described by the equation: r = a + b θ {\displaystyle \,r=a+b\theta } with real numbers a and b. Task Draw an Archimedean spiral.
#Action.21
Action!
INT ARRAY SinTab=[ 0 4 9 13 18 22 27 31 36 40 44 49 53 58 62 66 71 75 79 83 88 92 96 100 104 108 112 116 120 124 128 132 136 139 143 147 150 154 158 161 165 168 171 175 178 181 184 187 190 193 196 199 202 204 207 210 212 215 217 219 222 224 226 228 230 232 234 236 237 239 241 242 243 245 246 247 248 249 250...
http://rosettacode.org/wiki/100_doors
100 doors
There are 100 doors in a row that are all initially closed. You make 100 passes by the doors. The first time through, visit every door and  toggle  the door  (if the door is closed,  open it;   if it is open,  close it). The second time, only visit every 2nd door   (door #2, #4, #6, ...),   and toggle it. The third...
#ActionScript
ActionScript
package { import flash.display.Sprite;   public class Doors extends Sprite { public function Doors() {   // Initialize the array var doors:Array = new Arr...
http://rosettacode.org/wiki/Arrays
Arrays
This task is about arrays. For hashes or associative arrays, please see Creating an Associative Array. For a definition and in-depth discussion of what an array is, see Array. Task Show basic array syntax in your language. Basically, create an array, assign a value to it, and retrieve an element   (if available,...
#BBC_BASIC
BBC BASIC
REM Declare arrays, dimension is maximum index: DIM array(6), array%(6), array$(6)   REM Entire arrays may be assigned in one statement: array() = 0.1, 1.2, 2.3, 3.4, 4.5, 5.6, 6.7 array%() = 0, 1, 2, 3, 4, 5, 6 array$() = "Zero", "One", "Two", "Three", "Four", "Five", "Six"   ...
http://rosettacode.org/wiki/Arithmetic/Complex
Arithmetic/Complex
A   complex number   is a number which can be written as: a + b × i {\displaystyle a+b\times i} (sometimes shown as: b + a × i {\displaystyle b+a\times i} where   a {\displaystyle a}   and   b {\displaystyle b}   are real numbers,   and   i {\displaystyle i}   is   √ -1  Typica...
#ERRE
ERRE
  PROGRAM COMPLEX_ARITH   TYPE COMPLEX=(REAL#,IMAG#)   DIM X:COMPLEX,Y:COMPLEX,Z:COMPLEX   ! ! complex arithmetic routines ! DIM A:COMPLEX,B:COMPLEX,C:COMPLEX   PROCEDURE ADD(A.,B.->C.) C.REAL#=A.REAL#+B.REAL# C.IMAG#=A.IMAG#+B.IMAG# END PROCEDURE   PROCEDURE INV(A.->B.) LOCAL DENOM# DENOM#=A.REAL#^2+A.IM...
http://rosettacode.org/wiki/Arithmetic/Complex
Arithmetic/Complex
A   complex number   is a number which can be written as: a + b × i {\displaystyle a+b\times i} (sometimes shown as: b + a × i {\displaystyle b+a\times i} where   a {\displaystyle a}   and   b {\displaystyle b}   are real numbers,   and   i {\displaystyle i}   is   √ -1  Typica...
#Euler_Math_Toolbox
Euler Math Toolbox
  >a=1+4i; b=5-3i; >a+b 6+1i >a-b -4+7i >a*b 17+17i >a/b -0.205882352941+0.676470588235i >fraction a/b -7/34+23/34i >conj(a) 1-4i  
http://rosettacode.org/wiki/Arithmetic/Rational
Arithmetic/Rational
Task Create a reasonably complete implementation of rational arithmetic in the particular language using the idioms of the language. Example Define a new type called frac with binary operator "//" of two integers that returns a structure made up of the numerator and the denominator (as per a rational number). Fur...
#Forth
Forth
\ Rationals can use any double cell operations: 2!, 2@, 2dup, 2swap, etc. \ Uses the stack convention of the built-in "*/" for int * frac -> int   : numerator drop ; : denominator nip ;   : s>rat 1 ; \ integer to rational (n/1) : rat>s / ; \ integer : rat>frac mod ; \ fractional part : rat>float swap...
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#Groovy
Groovy
double agm (double a, double g) { double an = a, gn = g while ((an-gn).abs() >= 10.0**-14) { (an, gn) = [(an+gn)*0.5, (an*gn)**0.5] } an }
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#Haskell
Haskell
-- Return an approximation to the arithmetic-geometric mean of two numbers. -- The result is considered accurate when two successive approximations are -- sufficiently close, as determined by "eq". agm :: (Floating a) => a -> a -> ((a, a) -> Bool) -> a agm a g eq = snd $ until eq step (a, g) where step (a, g) = (...
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#XLISP
XLISP
(DEFUN INTEGER-ARITHMETIC () (DISPLAY "Enter two integers separated by a space.") (NEWLINE) (DISPLAY "> ") (DEFINE A (READ)) (DEFINE B (READ)) (DISPLAY `(SUM ,(+ A B))) (NEWLINE) (DISPLAY `(DIFFERENCE ,(- A B))) (NEWLINE) (DISPLAY `(PRODUCT ,(* A B))) (NEWLINE) (DISPLAY `...
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#XPL0
XPL0
include c:\cxpl\codes; int A, B; [A:= IntIn(0); B:= IntIn(0); IntOut(0, A+B); CrLf(0); IntOut(0, A-B); CrLf(0); IntOut(0, A*B); CrLf(0); IntOut(0, A/B); CrLf(0); \truncates toward zero IntOut(0, rem(0)); CrLf(0); \remainder's sign matches first operand (A) ]
http://rosettacode.org/wiki/Arithmetic_evaluation
Arithmetic evaluation
Create a program which parses and evaluates arithmetic expressions. Requirements An abstract-syntax tree (AST) for the expression must be created from parsing the input. The AST must be used in evaluation, also, so the input may not be directly evaluated (e.g. by calling eval or a similar language feature.) The ...
#D
D
import std.stdio, std.string, std.ascii, std.conv, std.array, std.exception, std.traits;   struct Stack(T) { T[] data; alias data this; void push(T top) pure nothrow @safe { data ~= top; }   T pop(bool discard = true)() pure @nogc @safe { immutable static exc = new immutable(Exception)("Sta...
http://rosettacode.org/wiki/Archimedean_spiral
Archimedean spiral
The Archimedean spiral is a spiral named after the Greek mathematician Archimedes. An Archimedean spiral can be described by the equation: r = a + b θ {\displaystyle \,r=a+b\theta } with real numbers a and b. Task Draw an Archimedean spiral.
#Ada
Ada
with Ada.Numerics.Elementary_Functions;   with SDL.Video.Windows.Makers; with SDL.Video.Renderers.Makers; with SDL.Events.Events;   procedure Archimedean_Spiral is   Width  : constant := 800; Height  : constant := 800; A  : constant := 4.2; B  : constant := 3.2; T_First  : consta...
http://rosettacode.org/wiki/100_doors
100 doors
There are 100 doors in a row that are all initially closed. You make 100 passes by the doors. The first time through, visit every door and  toggle  the door  (if the door is closed,  open it;   if it is open,  close it). The second time, only visit every 2nd door   (door #2, #4, #6, ...),   and toggle it. The third...
#Acurity_Architect
Acurity Architect
Using #HASH-OFF, OPTION OICC ="^" , CICC ="^"
http://rosettacode.org/wiki/Arrays
Arrays
This task is about arrays. For hashes or associative arrays, please see Creating an Associative Array. For a definition and in-depth discussion of what an array is, see Array. Task Show basic array syntax in your language. Basically, create an array, assign a value to it, and retrieve an element   (if available,...
#bc
bc
/* Put the value 42 into array g at index 3 */ g[3] = 42 /* Look at some other elements in g */ g[2] 0 g[4342] 0 /* Look at the elements of another array */ a[543] 0 /* Array names don't conflict with names of ordinary (scalar) identifiers */ g 0 g = 123 g 123 g[3] 42
http://rosettacode.org/wiki/Arithmetic/Complex
Arithmetic/Complex
A   complex number   is a number which can be written as: a + b × i {\displaystyle a+b\times i} (sometimes shown as: b + a × i {\displaystyle b+a\times i} where   a {\displaystyle a}   and   b {\displaystyle b}   are real numbers,   and   i {\displaystyle i}   is   √ -1  Typica...
#Euphoria
Euphoria
constant REAL = 1, IMAG = 2 type complex(sequence s) return length(s) = 2 and atom(s[REAL]) and atom(s[IMAG]) end type   function add(complex a, complex b) return a + b end function   function mult(complex a, complex b) return {a[REAL] * b[REAL] - a[IMAG] * b[IMAG], a[REAL] * b[IMAG] + a[IMAG] * b[R...
http://rosettacode.org/wiki/Arithmetic/Rational
Arithmetic/Rational
Task Create a reasonably complete implementation of rational arithmetic in the particular language using the idioms of the language. Example Define a new type called frac with binary operator "//" of two integers that returns a structure made up of the numerator and the denominator (as per a rational number). Fur...
#Fortran
Fortran
module module_rational   implicit none private public :: rational public :: rational_simplify public :: assignment (=) public :: operator (//) public :: operator (+) public :: operator (-) public :: operator (*) public :: operator (/) public :: operator (<) public :: operator (<=) public :: op...
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#Icon_and_Unicon
Icon and Unicon
procedure main(A) a := real(A[1]) | 1.0 g := real(A[2]) | (1 / 2^0.5) epsilon := real(A[3]) write("agm(",a,",",g,") = ",agm(a,g,epsilon)) end   procedure agm(an, gn, e) /e := 1e-15 while abs(an-gn) > e do { ap := (an+gn)/2.0 gn := (an*gn)^0.5 an := ap } return an ...
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#J
J
mean=: +/ % # (mean , */ %:~ #)^:_] 1,%%:2 0.8472130847939792 0.8472130847939791
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#XSLT
XSLT
<xsl:template name="arithmetic"> <xsl:param name="a">5</xsl:param> <xsl:param name="b">2</xsl:param> <fo:block>a + b = <xsl:value-of select="$a + $b"/></fo:block> <fo:block>a - b = <xsl:value-of select="$a - $b"/></fo:block> <fo:block>a * b = <xsl:value-of select="$a * $b"/></fo:block> <fo:block>a / b = <xs...
http://rosettacode.org/wiki/Arithmetic_evaluation
Arithmetic evaluation
Create a program which parses and evaluates arithmetic expressions. Requirements An abstract-syntax tree (AST) for the expression must be created from parsing the input. The AST must be used in evaluation, also, so the input may not be directly evaluated (e.g. by calling eval or a similar language feature.) The ...
#Delphi
Delphi
type Expr = Bin(op, Expr left, Expr right) or Literal(Float val) with Lookup   type Token(val, Char kind) with Lookup func Token.ToString() => this.val.ToString()   func tokenize(str) { func isSep(c) => c is '+' or '-' or '*' or '/' or ' ' or '\t' or '\n' or '\r' or '(' or ')' or '\0'   var idx = -1...
http://rosettacode.org/wiki/Archimedean_spiral
Archimedean spiral
The Archimedean spiral is a spiral named after the Greek mathematician Archimedes. An Archimedean spiral can be described by the equation: r = a + b θ {\displaystyle \,r=a+b\theta } with real numbers a and b. Task Draw an Archimedean spiral.
#ALGOL_W
ALGOL W
begin % draw an Archimedian spiral %  % Translation of AWK which was a trnslation of Applesoft Basic program % integer procedure max ( integer x, y ) ; begin if x > y then x else y end; integer procedure min ( integer x, y ) ; begin if x < y then x else y end; integer x_min, y_min, x_max, y_max, a, b, ...
http://rosettacode.org/wiki/Archimedean_spiral
Archimedean spiral
The Archimedean spiral is a spiral named after the Greek mathematician Archimedes. An Archimedean spiral can be described by the equation: r = a + b θ {\displaystyle \,r=a+b\theta } with real numbers a and b. Task Draw an Archimedean spiral.
#APL
APL
'InitCauseway' 'View' ⎕CY 'sharpplot' InitCauseway ⍬ ⍝ initialise current namespace sp←⎕NEW Causeway.SharpPlot sp.DrawPolarChart {⍵(360|⍵)}⌽⍳720 View sp
http://rosettacode.org/wiki/Archimedean_spiral
Archimedean spiral
The Archimedean spiral is a spiral named after the Greek mathematician Archimedes. An Archimedean spiral can be described by the equation: r = a + b θ {\displaystyle \,r=a+b\theta } with real numbers a and b. Task Draw an Archimedean spiral.
#AutoHotkey
AutoHotkey
if !pToken := Gdip_Startup() { MsgBox, 48, gdiplus error!, Gdiplus failed to start. Please ensure you have gdiplus on your system ExitApp } OnExit, Exit SysGet, MonitorPrimary, MonitorPrimary SysGet, WA, MonitorWorkArea, %MonitorPrimary% WAWidth := WARight-WALeft WAHeight := WABottom-WATop Gui, 1: -Caption +E0x80000 ...
http://rosettacode.org/wiki/100_doors
100 doors
There are 100 doors in a row that are all initially closed. You make 100 passes by the doors. The first time through, visit every door and  toggle  the door  (if the door is closed,  open it;   if it is open,  close it). The second time, only visit every 2nd door   (door #2, #4, #6, ...),   and toggle it. The third...
#Ada
Ada
with Ada.Text_Io; use Ada.Text_Io;   procedure Doors is type Door_State is (Closed, Open); type Door_List is array(Positive range 1..100) of Door_State; The_Doors : Door_List := (others => Closed); begin for I in 1..100 loop for J in The_Doors'range loop if J mod I = 0 then ...
http://rosettacode.org/wiki/Arrays
Arrays
This task is about arrays. For hashes or associative arrays, please see Creating an Associative Array. For a definition and in-depth discussion of what an array is, see Array. Task Show basic array syntax in your language. Basically, create an array, assign a value to it, and retrieve an element   (if available,...
#BML
BML
  % Define an array(containing the numbers 1-3) named arr in the group $ in $ let arr hold 1 2 3   % Replace the value at index 0 in array to "Index 0" set $arr index 0 to "Index 0"   % Will display "Index 0" display $arr index 0   % There is no automatic garbage collection delete $arr  
http://rosettacode.org/wiki/Arithmetic/Complex
Arithmetic/Complex
A   complex number   is a number which can be written as: a + b × i {\displaystyle a+b\times i} (sometimes shown as: b + a × i {\displaystyle b+a\times i} where   a {\displaystyle a}   and   b {\displaystyle b}   are real numbers,   and   i {\displaystyle i}   is   √ -1  Typica...
#Excel
Excel
  =IMSUM(A1;B1)  
http://rosettacode.org/wiki/Arithmetic/Complex
Arithmetic/Complex
A   complex number   is a number which can be written as: a + b × i {\displaystyle a+b\times i} (sometimes shown as: b + a × i {\displaystyle b+a\times i} where   a {\displaystyle a}   and   b {\displaystyle b}   are real numbers,   and   i {\displaystyle i}   is   √ -1  Typica...
#F.23
F#
  > open Microsoft.FSharp.Math;;   > let a = complex 1.0 1.0;; val a : complex = 1r+1i   > let b = complex 3.14159 1.25;; val b : complex = 3.14159r+1.25i   > a + b;; val it : Complex = 4.14159r+2.25i {Conjugate = 4.14159r-2.25i; ImaginaryPart = 2.25; ...
http://rosettacode.org/wiki/Arithmetic/Rational
Arithmetic/Rational
Task Create a reasonably complete implementation of rational arithmetic in the particular language using the idioms of the language. Example Define a new type called frac with binary operator "//" of two integers that returns a structure made up of the numerator and the denominator (as per a rational number). Fur...
#Frink
Frink
  1/2 + 2/3 // 7/6 (approx. 1.1666666666666667)   1/2 + 1/2 // 1   5/sextillion + 3/quadrillion // 600001/200000000000000000000 (exactly 3.000005e-15)   8^(1/3) // 2 (note the exact integer result.)  
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#Java
Java
/* * Arithmetic-Geometric Mean of 1 & 1/sqrt(2) * Brendan Shaklovitz * 5/29/12 */ public class ArithmeticGeometricMean {   public static double agm(double a, double g) { double a1 = a; double g1 = g; while (Math.abs(a1 - g1) >= 1.0e-14) { double arith = (a1 + g1) / 2.0; ...
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#Yabasic
Yabasic
input "ingrese un numero? " a input "ingrese otro numero? " b   print "suma ", a, " + ", b, " = ", (a + b) print "resta ", a, " - ", b, " = ", (a - b) print "producto ", a, " * ", b, " = ", (a * b) print "division ", a, " \ ", b, " = ", int(a / b) print "modulo ", a, " % ", b, " = ", mod(a, b) print "pote...
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#Yorick
Yorick
x = y = 0; read, x, y; write, "x + y =", x + y; write, "x - y =", x - y; write, "x * y =", x * y; write, "x / y =", x / y; // rounds toward zero write, "x % y =", x % y; // remainder; matches sign of first operand when operands' signs differ write, "x ^ y =", x ^ y; // exponentiation
http://rosettacode.org/wiki/Arithmetic_evaluation
Arithmetic evaluation
Create a program which parses and evaluates arithmetic expressions. Requirements An abstract-syntax tree (AST) for the expression must be created from parsing the input. The AST must be used in evaluation, also, so the input may not be directly evaluated (e.g. by calling eval or a similar language feature.) The ...
#Dyalect
Dyalect
type Expr = Bin(op, Expr left, Expr right) or Literal(Float val) with Lookup   type Token(val, Char kind) with Lookup func Token.ToString() => this.val.ToString()   func tokenize(str) { func isSep(c) => c is '+' or '-' or '*' or '/' or ' ' or '\t' or '\n' or '\r' or '(' or ')' or '\0'   var idx = -1...
http://rosettacode.org/wiki/Archimedean_spiral
Archimedean spiral
The Archimedean spiral is a spiral named after the Greek mathematician Archimedes. An Archimedean spiral can be described by the equation: r = a + b θ {\displaystyle \,r=a+b\theta } with real numbers a and b. Task Draw an Archimedean spiral.
#AWK
AWK
  # syntax: GAWK -f ARCHIMEDEAN_SPIRAL.AWK # converted from Applesoft BASIC BEGIN { x_min = y_min = 9999 x_max = y_max = 0 h = 96 w = h + h / 2 a = 1 b = 1 m = 6 * 3.1415926 step = .02 for (t=step; t<=m; t+=step) { # build spiral r = a + b * t x = int(r * cos(t) + w) ...
http://rosettacode.org/wiki/Archimedean_spiral
Archimedean spiral
The Archimedean spiral is a spiral named after the Greek mathematician Archimedes. An Archimedean spiral can be described by the equation: r = a + b θ {\displaystyle \,r=a+b\theta } with real numbers a and b. Task Draw an Archimedean spiral.
#BASIC
BASIC
a=1.5 b=1.5 pi=3.141592   PSET (320,100) FOR t=0 TO 40*pi STEP .1 r=a+b*t LINE -(320+2*r*SIN(t),100+r*COS(t)) NEXT
http://rosettacode.org/wiki/100_doors
100 doors
There are 100 doors in a row that are all initially closed. You make 100 passes by the doors. The first time through, visit every door and  toggle  the door  (if the door is closed,  open it;   if it is open,  close it). The second time, only visit every 2nd door   (door #2, #4, #6, ...),   and toggle it. The third...
#Agena
Agena
# find the first few squares via the unoptimised door flipping method scope   local doorMax := 100; local door; create register door( doorMax );   # set all doors to closed for i to doorMax do door[ i ] := false od;   # repeatedly flip the doors for i to doorMax do for j from i to do...
http://rosettacode.org/wiki/Arrays
Arrays
This task is about arrays. For hashes or associative arrays, please see Creating an Associative Array. For a definition and in-depth discussion of what an array is, see Array. Task Show basic array syntax in your language. Basically, create an array, assign a value to it, and retrieve an element   (if available,...
#Boo
Boo
  myArray as (int) = (1, 2, 3) // Size based on initialization fixedArray as (int) = array(int, 1) // Given size(1 in this case)   myArray[0] = 10   myArray = myArray + fixedArray // Append arrays   print myArray[0]  
http://rosettacode.org/wiki/Arithmetic/Complex
Arithmetic/Complex
A   complex number   is a number which can be written as: a + b × i {\displaystyle a+b\times i} (sometimes shown as: b + a × i {\displaystyle b+a\times i} where   a {\displaystyle a}   and   b {\displaystyle b}   are real numbers,   and   i {\displaystyle i}   is   √ -1  Typica...
#Factor
Factor
USING: combinators kernel math math.functions prettyprint ;   C{ 1 2 } C{ 0.9 -2.78 } { [ + . ]  ! addition [ - . ]  ! subtraction [ * . ]  ! multiplication [ / . ]  ! division [ ^ . ]  ! power } 2cleave   C{ 1 2 } { [ neg . ]  ! ne...
http://rosettacode.org/wiki/Arithmetic/Rational
Arithmetic/Rational
Task Create a reasonably complete implementation of rational arithmetic in the particular language using the idioms of the language. Example Define a new type called frac with binary operator "//" of two integers that returns a structure made up of the numerator and the denominator (as per a rational number). Fur...
#GAP
GAP
2/3 in Rationals; # true 2/3 + 3/4; # 17/12
http://rosettacode.org/wiki/Arithmetic-geometric_mean
Arithmetic-geometric mean
This page uses content from Wikipedia. The original article was at Arithmetic-geometric mean. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Task Write a function to compute the arithmetic-geomet...
#JavaScript
JavaScript
function agm(a0, g0) { var an = (a0 + g0) / 2, gn = Math.sqrt(a0 * g0); while (Math.abs(an - gn) > tolerance) { an = (an + gn) / 2, gn = Math.sqrt(an * gn) } return an; }   agm(1, 1 / Math.sqrt(2));
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#zkl
zkl
x,y:=ask("Two ints: ").split(" ").apply("toInt"); println("x+y = ",x + y); println("x-y = ",x - y); println("x*y = ",x * y); println("x/y = ",x / y); // rounds toward zero println("x%y = ",x % y); // remainder; matches sign of first operand when operands' signs differ println("x.divr(y) = ",x.divr(y)); // (x/y,remainde...
http://rosettacode.org/wiki/Arithmetic/Integer
Arithmetic/Integer
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#zonnon
zonnon
  module Main; var i,j: integer; begin write("A integer?:");readln(i); write("another?: ");readln(j); writeln("sum: ",i + j); writeln("difference: ", i - j); writeln("product: ", i * j); writeln("quotient: ", i div j); writeln("remainder: ", i mod j); end Main.  
http://rosettacode.org/wiki/Arithmetic_evaluation
Arithmetic evaluation
Create a program which parses and evaluates arithmetic expressions. Requirements An abstract-syntax tree (AST) for the expression must be created from parsing the input. The AST must be used in evaluation, also, so the input may not be directly evaluated (e.g. by calling eval or a similar language feature.) The ...
#E
E
def eParser := <elang:syntax.makeEParser> def LiteralExpr := <elang:evm.makeLiteralExpr>.asType() def arithEvaluate(expr :String) { def ast := eParser(expr)   def evalAST(ast) { return switch (ast) { match e`@a + @b` { evalAST(a) + evalAST(b) } match e`@a - @b` { evalAST(a) - evalAST(b) } matc...
http://rosettacode.org/wiki/Archimedean_spiral
Archimedean spiral
The Archimedean spiral is a spiral named after the Greek mathematician Archimedes. An Archimedean spiral can be described by the equation: r = a + b θ {\displaystyle \,r=a+b\theta } with real numbers a and b. Task Draw an Archimedean spiral.
#BQN
BQN
{(•math.Sin •Plot○(⊢×↕∘≠) •math.Cos) -(2×π) × 𝕩⥊(↕÷-⟜1)100}