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/Associative_array/Iteration
Associative array/Iteration
Show how to iterate over the key-value pairs of an associative array, and print each pair out. Also show how to iterate just over the keys, or the values, if there is a separate way to do that in your language. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Harbour
Harbour
LOCAL arr := { 6 => 16, "eight" => 8, "eleven" => 11 } LOCAL x   FOR EACH x IN arr // key, value ? x:__enumKey(), x // or key only ? x:__enumKey() // or value only ? x NEXT
http://rosettacode.org/wiki/Associative_array/Iteration
Associative array/Iteration
Show how to iterate over the key-value pairs of an associative array, and print each pair out. Also show how to iterate just over the keys, or the values, if there is a separate way to do that in your language. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Haskell
Haskell
import qualified Data.Map as M   myMap :: M.Map String Int myMap = M.fromList [("hello", 13), ("world", 31), ("!", 71)]   main :: IO () main = (putStrLn . unlines) $ [ show . M.toList -- Pairs , show . M.keys -- Keys , show . M.elems -- Values ] <*> pure myMap
http://rosettacode.org/wiki/Averages/Arithmetic_mean
Averages/Arithmetic mean
Task[edit] Write a program to find the mean (arithmetic average) of a numeric vector. In case of a zero-length input, since the mean of an empty set of numbers is ill-defined, the program may choose to behave in any way it deems appropriate, though if the programming language has an established convention for conveying math errors or undefined values, it's preferable to follow it. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Groovy
Groovy
def avg = { list -> list == [] ? 0 : list.sum() / list.size() }
http://rosettacode.org/wiki/Attractive_numbers
Attractive numbers
A number is an   attractive number   if the number of its prime factors (whether distinct or not) is also prime. Example The number   20,   whose prime decomposition is   2 × 2 × 5,   is an   attractive number   because the number of its prime factors   (3)   is also prime. Task Show sequence items up to   120. Reference   The OEIS entry:   A063989: Numbers with a prime number of prime divisors.
#Quackery
Quackery
[ primefactors size primefactors size 1 = ] is attractive ( n --> b )   120 times [ i^ 1+ attractive if [ i^ 1+ echo sp ] ]
http://rosettacode.org/wiki/Attractive_numbers
Attractive numbers
A number is an   attractive number   if the number of its prime factors (whether distinct or not) is also prime. Example The number   20,   whose prime decomposition is   2 × 2 × 5,   is an   attractive number   because the number of its prime factors   (3)   is also prime. Task Show sequence items up to   120. Reference   The OEIS entry:   A063989: Numbers with a prime number of prime divisors.
#R
R
  is_prime <- function(num) { if (num < 2) return(FALSE) if (num %% 2 == 0) return(num == 2) if (num %% 3 == 0) return(num == 3)   d <- 5 while (d*d <= num) { if (num %% d == 0) return(FALSE) d <- d + 2 if (num %% d == 0) return(FALSE) d <- d + 4 } TRUE }   count_prime_factors <- function(num) { if (num == 1) return(0) if (is_prime(num)) return(1) count <- 0 f <- 2 while (TRUE) { if (num %% f == 0) { count <- count + 1 num <- num / f if (num == 1) return(count) if (is_prime(num)) f <- num } else if (f >= 3) f <- f + 2 else f <- 3 } }   max <- 120 cat("The attractive numbers up to and including",max,"are:\n") count <- 0 for (i in 1:max) { n <- count_prime_factors(i); if (is_prime(n)) { cat(i," ", sep = "") count <- count + 1 } }  
http://rosettacode.org/wiki/Averages/Mean_time_of_day
Averages/Mean time of day
Task[edit] A particular activity of bats occurs at these times of the day: 23:00:17, 23:40:20, 00:12:45, 00:17:19 Using the idea that there are twenty-four hours in a day, which is analogous to there being 360 degrees in a circle, map times of day to and from angles; and using the ideas of Averages/Mean angle compute and show the average time of the nocturnal activity to an accuracy of one second of time. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#VBA
VBA
Public Sub mean_time() Dim angles() As Double s = [{"23:00:17","23:40:20","00:12:45","00:17:19"}] For i = 1 To UBound(s) s(i) = 360 * TimeValue(s(i)) Next i Debug.Print Format(mean_angle(s) / 360 + 1, "hh:mm:ss") End Sub
http://rosettacode.org/wiki/Averages/Mean_time_of_day
Averages/Mean time of day
Task[edit] A particular activity of bats occurs at these times of the day: 23:00:17, 23:40:20, 00:12:45, 00:17:19 Using the idea that there are twenty-four hours in a day, which is analogous to there being 360 degrees in a circle, map times of day to and from angles; and using the ideas of Averages/Mean angle compute and show the average time of the nocturnal activity to an accuracy of one second of time. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Visual_Basic_.NET
Visual Basic .NET
Module Module1   Function TimeToDegrees(time As TimeSpan) As Double Return 360 * time.Hours / 24.0 + 360 * time.Minutes / (24 * 60.0) + 360 * time.Seconds / (24 * 3600.0) End Function   Function DegreesToTime(angle As Double) As TimeSpan Return New TimeSpan((24 * 60 * 60 * angle \ 360) \ 3600, ((24 * 60 * 60 * angle \ 360) Mod 3600 - (24 * 60 * 60 * angle \ 360) Mod 60) \ 60, (24 * 60 * 60 * angle \ 360) Mod 60) End Function   Function MeanAngle(angles As List(Of Double)) As Double Dim y_part = 0.0 Dim x_part = 0.0 Dim numItems = angles.Count   For Each angle In angles x_part += Math.Cos(angle * Math.PI / 180) y_part += Math.Sin(angle * Math.PI / 180) Next   Return Math.Atan2(y_part / numItems, x_part / numItems) * 180 / Math.PI End Function   Sub Main() Dim digitimes As New List(Of Double) Dim digitime As TimeSpan Dim input As String   Console.WriteLine("Enter times, end with no input: ") Do input = Console.ReadLine If Not String.IsNullOrWhiteSpace(input) Then If TimeSpan.TryParse(input, digitime) Then digitimes.Add(TimeToDegrees(digitime)) Else Console.WriteLine("Seems this is wrong input: ingnoring time") End If End If Loop Until String.IsNullOrWhiteSpace(input)   If digitimes.Count > 0 Then Console.WriteLine("The mean time is : {0}", DegreesToTime(360 + MeanAngle(digitimes))) End If End Sub   End Module
http://rosettacode.org/wiki/Averages/Mean_angle
Averages/Mean angle
When calculating the average or mean of an angle one has to take into account how angles wrap around so that any angle in degrees plus any integer multiple of 360 degrees is a measure of the same angle. If one wanted an average direction of the wind over two readings where the first reading was of 350 degrees and the second was of 10 degrees then the average of the numbers is 180 degrees, whereas if you can note that 350 degrees is equivalent to -10 degrees and so you have two readings at 10 degrees either side of zero degrees leading to a more fitting mean angle of zero degrees. To calculate the mean angle of several angles: Assume all angles are on the unit circle and convert them to complex numbers expressed in real and imaginary form. Compute the mean of the complex numbers. Convert the complex mean to polar coordinates whereupon the phase of the complex mean is the required angular mean. (Note that, since the mean is the sum divided by the number of numbers, and division by a positive real number does not affect the angle, you can also simply compute the sum for step 2.) You can alternatively use this formula: Given the angles α 1 , … , α n {\displaystyle \alpha _{1},\dots ,\alpha _{n}} the mean is computed by α ¯ = atan2 ⁡ ( 1 n ⋅ ∑ j = 1 n sin ⁡ α j , 1 n ⋅ ∑ j = 1 n cos ⁡ α j ) {\displaystyle {\bar {\alpha }}=\operatorname {atan2} \left({\frac {1}{n}}\cdot \sum _{j=1}^{n}\sin \alpha _{j},{\frac {1}{n}}\cdot \sum _{j=1}^{n}\cos \alpha _{j}\right)} Task[edit] write a function/method/subroutine/... that given a list of angles in degrees returns their mean angle. (You should use a built-in function if you have one that does this for degrees or radians). Use the function to compute the means of these lists of angles (in degrees):   [350, 10]   [90, 180, 270, 360]   [10, 20, 30] Show your output here. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Vlang
Vlang
import math   fn mean_angle(deg []f64) f64 { mut ss, mut sc := f64(0), f64(0) for x in deg { s, c := math.sincos(x * math.pi / 180) ss += s sc += c } return math.atan2(ss, sc) * 180 / math.pi }   fn main() { for angles in [ [f64(350), 10], [f64(90), 180, 270, 360], [f64(10), 20, 30], ] { println("The mean angle of $angles is: ${mean_angle(angles)} degrees") } }
http://rosettacode.org/wiki/Averages/Mean_angle
Averages/Mean angle
When calculating the average or mean of an angle one has to take into account how angles wrap around so that any angle in degrees plus any integer multiple of 360 degrees is a measure of the same angle. If one wanted an average direction of the wind over two readings where the first reading was of 350 degrees and the second was of 10 degrees then the average of the numbers is 180 degrees, whereas if you can note that 350 degrees is equivalent to -10 degrees and so you have two readings at 10 degrees either side of zero degrees leading to a more fitting mean angle of zero degrees. To calculate the mean angle of several angles: Assume all angles are on the unit circle and convert them to complex numbers expressed in real and imaginary form. Compute the mean of the complex numbers. Convert the complex mean to polar coordinates whereupon the phase of the complex mean is the required angular mean. (Note that, since the mean is the sum divided by the number of numbers, and division by a positive real number does not affect the angle, you can also simply compute the sum for step 2.) You can alternatively use this formula: Given the angles α 1 , … , α n {\displaystyle \alpha _{1},\dots ,\alpha _{n}} the mean is computed by α ¯ = atan2 ⁡ ( 1 n ⋅ ∑ j = 1 n sin ⁡ α j , 1 n ⋅ ∑ j = 1 n cos ⁡ α j ) {\displaystyle {\bar {\alpha }}=\operatorname {atan2} \left({\frac {1}{n}}\cdot \sum _{j=1}^{n}\sin \alpha _{j},{\frac {1}{n}}\cdot \sum _{j=1}^{n}\cos \alpha _{j}\right)} Task[edit] write a function/method/subroutine/... that given a list of angles in degrees returns their mean angle. (You should use a built-in function if you have one that does this for degrees or radians). Use the function to compute the means of these lists of angles (in degrees):   [350, 10]   [90, 180, 270, 360]   [10, 20, 30] Show your output here. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Wren
Wren
import "/fmt" for Fmt   var meanAngle = Fn.new { |angles| var n = angles.count var sinSum = 0 var cosSum = 0 for (angle in angles) { sinSum = sinSum + (angle * Num.pi / 180).sin cosSum = cosSum + (angle * Num.pi / 180).cos } return (sinSum/n).atan(cosSum/n) * 180 / Num.pi }   var angles1 = [350, 10] var angles2 = [90, 180, 270, 360] var angles3 = [10, 20, 30]   var i = 1 for (angles in [angles1, angles2, angles3]) { System.print("Mean for angles %(i) is : %(Fmt.f(6, meanAngle.call(angles), 2))") i = i + 1 }
http://rosettacode.org/wiki/Averages/Median
Averages/Median
Task[edit] Write a program to find the   median   value of a vector of floating-point numbers. The program need not handle the case where the vector is empty, but must handle the case where there are an even number of elements.   In that case, return the average of the two middle values. There are several approaches to this.   One is to sort the elements, and then pick the element(s) in the middle. Sorting would take at least   O(n logn).   Another approach would be to build a priority queue from the elements, and then extract half of the elements to get to the middle element(s).   This would also take   O(n logn).   The best solution is to use the   selection algorithm   to find the median in   O(n)   time. See also Quickselect_algorithm Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#MATLAB
MATLAB
function medianValue = findmedian(setOfValues) medianValue = median(setOfValues); end
http://rosettacode.org/wiki/Averages/Median
Averages/Median
Task[edit] Write a program to find the   median   value of a vector of floating-point numbers. The program need not handle the case where the vector is empty, but must handle the case where there are an even number of elements.   In that case, return the average of the two middle values. There are several approaches to this.   One is to sort the elements, and then pick the element(s) in the middle. Sorting would take at least   O(n logn).   Another approach would be to build a priority queue from the elements, and then extract half of the elements to get to the middle element(s).   This would also take   O(n logn).   The best solution is to use the   selection algorithm   to find the median in   O(n)   time. See also Quickselect_algorithm Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Maxima
Maxima
/* built-in */ median([41, 56, 72, 17, 93, 44, 32]); /* 44 */ median([41, 72, 17, 93, 44, 32]); /* 85/2 */
http://rosettacode.org/wiki/Averages/Pythagorean_means
Averages/Pythagorean means
Task[edit] Compute all three of the Pythagorean means of the set of integers 1 through 10 (inclusive). Show that A ( x 1 , … , x n ) ≥ G ( x 1 , … , x n ) ≥ H ( x 1 , … , x n ) {\displaystyle A(x_{1},\ldots ,x_{n})\geq G(x_{1},\ldots ,x_{n})\geq H(x_{1},\ldots ,x_{n})} for this set of positive integers. The most common of the three means, the arithmetic mean, is the sum of the list divided by its length: A ( x 1 , … , x n ) = x 1 + ⋯ + x n n {\displaystyle A(x_{1},\ldots ,x_{n})={\frac {x_{1}+\cdots +x_{n}}{n}}} The geometric mean is the n {\displaystyle n} th root of the product of the list: G ( x 1 , … , x n ) = x 1 ⋯ x n n {\displaystyle G(x_{1},\ldots ,x_{n})={\sqrt[{n}]{x_{1}\cdots x_{n}}}} The harmonic mean is n {\displaystyle n} divided by the sum of the reciprocal of each item in the list: H ( x 1 , … , x n ) = n 1 x 1 + ⋯ + 1 x n {\displaystyle H(x_{1},\ldots ,x_{n})={\frac {n}{{\frac {1}{x_{1}}}+\cdots +{\frac {1}{x_{n}}}}}} See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Nim
Nim
import math, sequtils, sugar   proc amean(num: seq[float]): float = sum(num) / float(len(num))   proc gmean(num: seq[float]): float = result = 1 for n in num: result *= n result = pow(result, 1.0 / float(num.len))   proc hmean(num: seq[float]): float = for n in num: result += 1.0 / n result = float(num.len) / result   proc ameanFunctional(num: seq[float]): float = sum(num) / float(num.len)   proc gmeanFunctional(num: seq[float]): float = num.foldl(a * b).pow(1.0 / float(num.len))   proc hmeanFunctional(num: seq[float]): float = float(num.len) / sum(num.mapIt(1.0 / it))   let numbers = toSeq(1..10).map((x: int) => float(x)) echo amean(numbers), " ", gmean(numbers), " ", hmean(numbers)
http://rosettacode.org/wiki/Averages/Pythagorean_means
Averages/Pythagorean means
Task[edit] Compute all three of the Pythagorean means of the set of integers 1 through 10 (inclusive). Show that A ( x 1 , … , x n ) ≥ G ( x 1 , … , x n ) ≥ H ( x 1 , … , x n ) {\displaystyle A(x_{1},\ldots ,x_{n})\geq G(x_{1},\ldots ,x_{n})\geq H(x_{1},\ldots ,x_{n})} for this set of positive integers. The most common of the three means, the arithmetic mean, is the sum of the list divided by its length: A ( x 1 , … , x n ) = x 1 + ⋯ + x n n {\displaystyle A(x_{1},\ldots ,x_{n})={\frac {x_{1}+\cdots +x_{n}}{n}}} The geometric mean is the n {\displaystyle n} th root of the product of the list: G ( x 1 , … , x n ) = x 1 ⋯ x n n {\displaystyle G(x_{1},\ldots ,x_{n})={\sqrt[{n}]{x_{1}\cdots x_{n}}}} The harmonic mean is n {\displaystyle n} divided by the sum of the reciprocal of each item in the list: H ( x 1 , … , x n ) = n 1 x 1 + ⋯ + 1 x n {\displaystyle H(x_{1},\ldots ,x_{n})={\frac {n}{{\frac {1}{x_{1}}}+\cdots +{\frac {1}{x_{n}}}}}} See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Oberon-2
Oberon-2
  MODULE PythMean; IMPORT Out, ML := MathL;   PROCEDURE Triplets(a: ARRAY OF INTEGER;VAR triplet: ARRAY OF LONGREAL); VAR i: INTEGER; BEGIN triplet[0] := 0.0;triplet[1] := 0.0; triplet[2] := 0.0; FOR i:= 0 TO LEN(a) - 1 DO triplet[0] := triplet[0] + a[i]; triplet[1] := triplet[1] + ML.Ln(a[i]); triplet[2] := triplet[2] + (1 / a[i]) END END Triplets;   PROCEDURE Means*(a: ARRAY OF INTEGER); VAR triplet: ARRAY 3 OF LONGREAL; BEGIN Triplets(a,triplet); Out.String("A(1 .. 10): ");Out.LongReal(triplet[0] / LEN(a));Out.Ln; Out.String("G(1 .. 10): ");Out.LongReal(ML.Exp(triplet[1]/ LEN(a)));Out.Ln; Out.String("H(1 .. 10): ");Out.LongReal(LEN(a) / triplet[2]);Out.Ln; END Means;   VAR nums: ARRAY 10 OF INTEGER; i: INTEGER; BEGIN FOR i := 0 TO LEN(nums) - 1 DO nums[i] := i + 1 END; Means(nums) END PythMean.    
http://rosettacode.org/wiki/Babbage_problem
Babbage problem
Charles Babbage, looking ahead to the sorts of problems his Analytical Engine would be able to solve, gave this example: What is the smallest positive integer whose square ends in the digits 269,696? — Babbage, letter to Lord Bowden, 1837; see Hollingdale and Tootill, Electronic Computers, second edition, 1970, p. 125. He thought the answer might be 99,736, whose square is 9,947,269,696; but he couldn't be certain. Task[edit] The task is to find out if Babbage had the right answer — and to do so, as far as your language allows it, in code that Babbage himself would have been able to read and understand. As Babbage evidently solved the task with pencil and paper, a similar efficient solution is preferred. For these purposes, Charles Babbage may be taken to be an intelligent person, familiar with mathematics and with the idea of a computer; he has written the first drafts of simple computer programmes in tabular form. [Babbage Archive Series L]. Motivation The aim of the task is to write a program that is sufficiently clear and well-documented for such a person to be able to read it and be confident that it does indeed solve the specified problem.
#Vlang
Vlang
  const ( target = 269696 modulus = 1000000 ) fn main() { for n := 1; ; n++ { // Repeat with n=1, n=2, n=3, ... square := n * n ending := square % modulus if ending == target { println("The smallest number whose square ends with $target is $n") return } } }
http://rosettacode.org/wiki/Babbage_problem
Babbage problem
Charles Babbage, looking ahead to the sorts of problems his Analytical Engine would be able to solve, gave this example: What is the smallest positive integer whose square ends in the digits 269,696? — Babbage, letter to Lord Bowden, 1837; see Hollingdale and Tootill, Electronic Computers, second edition, 1970, p. 125. He thought the answer might be 99,736, whose square is 9,947,269,696; but he couldn't be certain. Task[edit] The task is to find out if Babbage had the right answer — and to do so, as far as your language allows it, in code that Babbage himself would have been able to read and understand. As Babbage evidently solved the task with pencil and paper, a similar efficient solution is preferred. For these purposes, Charles Babbage may be taken to be an intelligent person, familiar with mathematics and with the idea of a computer; he has written the first drafts of simple computer programmes in tabular form. [Babbage Archive Series L]. Motivation The aim of the task is to write a program that is sufficiently clear and well-documented for such a person to be able to read it and be confident that it does indeed solve the specified problem.
#Wren
Wren
/* The answer must be an even number and it can't be less than the square root of 269,696. So, if we start from that, keep on adding 2 and squaring it we'll eventually find the answer. */   import "/fmt" for Fmt // this enables us to format numbers with thousand separators   var start = 269696.sqrt.ceil // get the next integer higher than (or equal to) the square root start = (start/2).ceil * 2 // if it's odd, use the next even integer var i = start // assign it to a variable 'i' for use in the following loop while (true) { // loop indefinitely till we find the answer var sq = i * i // get the square of 'i' var last6 = sq % 1000000 // get its last 6 digits by taking the remainder after division by a million if (last6 == 269696) { // if those digits are 269696, we're done and can print the result Fmt.print("The lowest number whose square ends in 269,696 is $,d.", i) Fmt.print("Its square is $,d.", sq) break // break from the loop and end the program } i = i + 2 // increase 'i' by 2 }
http://rosettacode.org/wiki/Balanced_brackets
Balanced brackets
Task: Generate a string with   N   opening brackets   [   and with   N   closing brackets   ],   in some arbitrary order. Determine whether the generated string is balanced; that is, whether it consists entirely of pairs of opening/closing brackets (in that order), none of which mis-nest. Examples (empty) OK [] OK [][] OK [[][]] OK ][ NOT OK ][][ NOT OK []][[] NOT OK
#GAP
GAP
Balanced := function(L) local c, r; r := 0; for c in L do if c = ']' then r := r - 1; if r < 0 then return false; fi; elif c = '[' then r := r + 1; fi; od; return r = 0; end;   Balanced(""); # true   Balanced("["); # false   Balanced("]"); # false   Balanced("[]"); # true   Balanced("]["); # false   Balanced("[[][]]"); # true   Balanced("[[[]][]]]"); # false
http://rosettacode.org/wiki/Append_a_record_to_the_end_of_a_text_file
Append a record to the end of a text file
Many systems offer the ability to open a file for writing, such that any data written will be appended to the end of the file. Further, the file operations will always adjust the position pointer to guarantee the end of the file, even in a multitasking environment. This feature is most useful in the case of log files, where many jobs may be appending to the log file at the same time, or where care must be taken to avoid concurrently overwriting the same record from another job. Task Given a two record sample for a mythical "passwd" file: Write these records out in the typical system format. Ideally these records will have named fields of various types. Close the file, then reopen the file for append. Append a new record to the file and close the file again. Take appropriate care to avoid concurrently overwrites from another job. Open the file and demonstrate the new record has indeed written to the end. Source record field types and contents. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string jsmith x 1001 1000 Joe Smith,Room 1007,(234)555-8917,(234)555-0077,[email protected] /home/jsmith /bin/bash jdoe x 1002 1000 Jane Doe,Room 1004,(234)555-8914,(234)555-0044,[email protected] /home/jdoe /bin/bash Record to be appended. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string xyz x 1003 1000 X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected] /home/xyz /bin/bash Resulting file format: should mimic Linux's /etc/passwd file format with particular attention to the "," separator used in the GECOS field. But if the specific language has a particular or unique format of storing records in text file, then this format should be named and demonstrated with an additional example. Expected output: Appended record: xyz:x:1003:1000:X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected]:/home/xyz:/bin/bash Finally: Provide a summary of the language's "append record" capabilities in a table. eg. Append Capabilities. Data Representation IO Library Append Possible Automatic Append Multi-tasking Safe In core On disk C struct CSV text file glibc/stdio ☑ ☑ ☑ (Not all, eg NFS) Alternatively: If the language's appends can not guarantee its writes will always append, then note this restriction in the table. If possible, provide an actual code example (possibly using file/record locking) to guarantee correct concurrent appends.
#Phixmonti
Phixmonti
include ..\Utilitys.pmt   def ltos /# l -- s #/ "" >ps len for get string? not if number? if tostr else ltos "<ls>:" swap "</ls>" chain chain endif endif ps> swap chain ":" chain >ps endfor drop ps> enddef     def stol /# s -- l #/ -1 del ":" xplit "<ls>" find 1 + snip "</ls>" find snip 1 del rot len >ps rot ps> set swap chain enddef     ( "jsmith" "x" 1001 1000 ( "Joe Smith" "Room 1007" "(234)555-8917" "(234)555-0077" "[email protected]" ) "/home/jsmith" "/bin/bash" ) ( "jdoe" "x" 1002 1000 ( "Jane Doe" "Room 1004" "(234)555-8914" "(234)555-0044" "[email protected]" ) "/home/jdoe" "/bin/bash" )   swap   "passwd.txt" var file   file "w" fopen var f ltos 10 chain f fputs ltos 10 chain f fputs f fclose   ( "xyz" "x" 1003 1000 ( "X Yz" "Room 1003" "(234)555-8913" "(234)555-0033" "[email protected]" ) "/home/xyz" "/bin/bash" )   file "a" fopen var f ltos 10 chain f fputs f fclose   file "r" fopen var f true while f fgets number? if drop false else stol ? true endif endwhile f fclose
http://rosettacode.org/wiki/Append_a_record_to_the_end_of_a_text_file
Append a record to the end of a text file
Many systems offer the ability to open a file for writing, such that any data written will be appended to the end of the file. Further, the file operations will always adjust the position pointer to guarantee the end of the file, even in a multitasking environment. This feature is most useful in the case of log files, where many jobs may be appending to the log file at the same time, or where care must be taken to avoid concurrently overwriting the same record from another job. Task Given a two record sample for a mythical "passwd" file: Write these records out in the typical system format. Ideally these records will have named fields of various types. Close the file, then reopen the file for append. Append a new record to the file and close the file again. Take appropriate care to avoid concurrently overwrites from another job. Open the file and demonstrate the new record has indeed written to the end. Source record field types and contents. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string jsmith x 1001 1000 Joe Smith,Room 1007,(234)555-8917,(234)555-0077,[email protected] /home/jsmith /bin/bash jdoe x 1002 1000 Jane Doe,Room 1004,(234)555-8914,(234)555-0044,[email protected] /home/jdoe /bin/bash Record to be appended. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string xyz x 1003 1000 X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected] /home/xyz /bin/bash Resulting file format: should mimic Linux's /etc/passwd file format with particular attention to the "," separator used in the GECOS field. But if the specific language has a particular or unique format of storing records in text file, then this format should be named and demonstrated with an additional example. Expected output: Appended record: xyz:x:1003:1000:X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected]:/home/xyz:/bin/bash Finally: Provide a summary of the language's "append record" capabilities in a table. eg. Append Capabilities. Data Representation IO Library Append Possible Automatic Append Multi-tasking Safe In core On disk C struct CSV text file glibc/stdio ☑ ☑ ☑ (Not all, eg NFS) Alternatively: If the language's appends can not guarantee its writes will always append, then note this restriction in the table. If possible, provide an actual code example (possibly using file/record locking) to guarantee correct concurrent appends.
#PHP
PHP
<?php   $filename = '/tmp/passwd';   $data = array( 'account:password:UID:GID:fullname,office,extension,homephone,email:directory:shell' . PHP_EOL, 'jsmith:x:1001:1000:Joe Smith,Room 1007,(234)555-8917,(234)555-0077,[email protected]:/home/jsmith:/bin/bash' . PHP_EOL, 'jdoe:x:1002:1000:Jane Doe,Room 1004,(234)555-8914,(234)555-0044,[email protected]:/home/jdoe:/bin/bash' . PHP_EOL, ); file_put_contents($filename, $data, LOCK_EX);   echo 'File contents before new record added:', PHP_EOL, file_get_contents($filename), PHP_EOL;   $data = array( 'xyz:x:1003:1000:X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected]:/home/xyz:/bin/bash' . PHP_EOL ); file_put_contents($filename, $data, FILE_APPEND | LOCK_EX);   echo 'File contents after new record added:', PHP_EOL, file_get_contents($filename), PHP_EOL;  
http://rosettacode.org/wiki/Associative_array/Creation
Associative array/Creation
Task The goal is to create an associative array (also known as a dictionary, map, or hash). Related tasks: Associative arrays/Iteration Hash from two arrays See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Ceylon
Ceylon
import ceylon.collection {   ArrayList, HashMap, naturalOrderTreeMap }   shared void run() {   // the easiest way is to use the map function to create // an immutable map value myMap = map { "foo" -> 5, "bar" -> 10, "baz" -> 15, "foo" -> 6 // by default the first "foo" will remain };   // or you can use the HashMap constructor to create // a mutable one value myOtherMap = HashMap { "foo"->"bar" }; myOtherMap.put("baz", "baxx");   // there's also a sorted red/black tree map value myTreeMap = naturalOrderTreeMap { 1 -> "won", 2 -> "too", 4 -> "fore" }; for(num->homophone in myTreeMap) { print("``num`` is ``homophone``"); }   }
http://rosettacode.org/wiki/Anti-primes
Anti-primes
The anti-primes (or highly composite numbers, sequence A002182 in the OEIS) are the natural numbers with more factors than any smaller than itself. Task Generate and show here, the first twenty anti-primes. Related tasks   Factors of an integer   Sieve of Eratosthenes
#Lua
Lua
-- First 20 antiprimes.   function count_factors(number) local count = 0 for attempt = 1, number do local remainder = number % attempt if remainder == 0 then count = count + 1 end end return count end   function antiprimes(goal) local list, number, mostFactors = {}, 1, 0 while #list < goal do local factors = count_factors(number) if factors > mostFactors then table.insert(list, number) mostFactors = factors end number = number + 1 end return list end   function recite(list) for index, item in ipairs(list) do print(item) end end   print("The first 20 antiprimes:") recite(antiprimes(20)) print("Done.")  
http://rosettacode.org/wiki/Anti-primes
Anti-primes
The anti-primes (or highly composite numbers, sequence A002182 in the OEIS) are the natural numbers with more factors than any smaller than itself. Task Generate and show here, the first twenty anti-primes. Related tasks   Factors of an integer   Sieve of Eratosthenes
#Maple
Maple
antiprimes := proc(n) local ap, i, max_divisors, num_divisors; max_divisors := 0; ap := [];   for i from 1 while numelems(ap) < n do num_divisors := numelems(NumberTheory:-Divisors(i)); if num_divisors > max_divisors then ap := [op(ap), i]; max_divisors := num_divisors; end if; end do;   return ap; end proc: antiprimes(20);
http://rosettacode.org/wiki/Atomic_updates
Atomic updates
Task Define a data type consisting of a fixed number of 'buckets', each containing a nonnegative integer value, which supports operations to: get the current value of any bucket remove a specified amount from one specified bucket and add it to another, preserving the total of all bucket values, and clamping the transferred amount to ensure the values remain non-negative In order to exercise this data type, create one set of buckets, and start three concurrent tasks: As often as possible, pick two buckets and make their values closer to equal. As often as possible, pick two buckets and arbitrarily redistribute their values. At whatever rate is convenient, display (by any means) the total value and, optionally, the individual values of each bucket. The display task need not be explicit; use of e.g. a debugger or trace tool is acceptable provided it is simple to set up to provide the display. This task is intended as an exercise in atomic operations.   The sum of the bucket values must be preserved even if the two tasks attempt to perform transfers simultaneously, and a straightforward solution is to ensure that at any time, only one transfer is actually occurring — that the transfer operation is atomic.
#zkl
zkl
class B{ const N=10; var [const] buckets=(1).pump(N,List).copy(), //(1,2,3...) lock=Atomic.Lock(), cnt=Atomic.Int(); fcn init{ "Initial sum: ".println(values().sum()); } fcn transferArb{ // transfer arbitary amount from 1 bucket to another b1:=(0).random(N); b2:=(0).random(N); critical(lock){ t:=(0).random(buckets[b1]); buckets[b1]=buckets[b1]-t; buckets[b2]=buckets[b2]+t; } cnt.inc(); } fcn transferEq{ // try to make two buckets equal b1:=(0).random(N); b2:=(0).random(N); critical(lock){ v1:=buckets[b1]; v2:=buckets[b2]; t:=(v1-v2).abs()/2; if (v1<v2) t = -t; buckets[b1]=v1-t; buckets[b2]=v2+t; } cnt.inc(); } fcn values{ critical(lock){buckets.copy()} } }   fcn threadA(b){ while(1) { b.transferArb(); } } fcn threadE(b){ while(1) { b.transferEq(); } }
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#Sather
Sather
class MAIN is main is i ::= 41; assert i = 42; -- fatal -- ... end; end;
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#Scala
Scala
assert(a == 42) assert(a == 42, "a isn't equal to 42") assume(a == 42) assume(a == 42, "a isn't equal to 42")
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#Scheme
Scheme
(let ((x 42)) (assert (and (integer? x) (= x 42))))
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#SETL
SETL
assert( n = 42 );
http://rosettacode.org/wiki/Apply_a_callback_to_an_array
Apply a callback to an array
Task Take a combined set of elements and apply a function to each element.
#Fantom
Fantom
  class Main { public static Void main () { [1,2,3,4,5].each |Int i| { echo (i) } Int[] result := [1,2,3,4,5].map |Int i->Int| { return i * i } echo (result) } }  
http://rosettacode.org/wiki/Apply_a_callback_to_an_array
Apply a callback to an array
Task Take a combined set of elements and apply a function to each element.
#FBSL
FBSL
#APPTYPE CONSOLE   FOREACH DIM e IN MyMap(Add42, {1, 2, 3}) PRINT e, " "; NEXT   PAUSE   FUNCTION MyMap(f, a) DIM ret[] FOREACH DIM e IN a ret[] = f(e) NEXT RETURN ret END FUNCTION   FUNCTION Add42(n): RETURN n + 42: END FUNCTION
http://rosettacode.org/wiki/Averages/Mode
Averages/Mode
Task[edit] Write a program to find the mode value of a collection. The case where the collection is empty may be ignored. Care must be taken to handle the case where the mode is non-unique. If it is not appropriate or possible to support a general collection, use a vector (array), if possible. If it is not appropriate or possible to support an unspecified value type, use integers. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#REXX
REXX
/*REXX program finds the mode (most occurring element) of a vector. */ /* ════════vector═══════════ ═══show vector═══ ═════show result═════ */ v= 1 8 6 0 1 9 4 6 1 9 9 9  ; say 'vector='v; say 'mode='mode(v); say v= 1 2 3 4 5 6 7 8 9 11 10  ; say 'vector='v; say 'mode='mode(v); say v= 8 8 8 2 2 2  ; say 'vector='v; say 'mode='mode(v); say v='cat kat Cat emu emu Kat'  ; say 'vector='v; say 'mode='mode(v); say exit /*stick a fork in it, we're all done. */ /*──────────────────────────────────────────────────────────────────────────────────────*/ sort: procedure expose @.; parse arg # 1 h /* [↓] this is an exchange sort. */ do while h>1; h=h%2 /*In REXX,  % is an integer divide.*/ do i=1 for #-h; j=i; k=h+i /* [↓] perform exchange for elements. */ do while @.k<@.j & h<j; [email protected]; @[email protected]; @.k=_; j=j-h; k=k-h; end end /*i*/ end /*while h>1*/; return /*──────────────────────────────────────────────────────────────────────────────────────*/ mode: procedure expose @.; parse arg x; freq=1 /*function finds the MODE of a vector*/ #=words(x) /*#: the number of elements in vector.*/ do k=1 for #; @.k=word(x,k); end /* ◄──── make an array from the vector.*/ call Sort # /*sort the elements in the array. */  [email protected] /*assume the first element is the mode.*/ do j=1 for #; _=j-freq /*traipse through the elements in array*/ if @.j==@._ then do; freq=freq+1 /*is this element the same as previous?*/  [email protected] /*this element is the mode (···so far).*/ end end /*j*/ return ? /*return the mode of vector to invoker.*/
http://rosettacode.org/wiki/Associative_array/Iteration
Associative array/Iteration
Show how to iterate over the key-value pairs of an associative array, and print each pair out. Also show how to iterate just over the keys, or the values, if there is a separate way to do that in your language. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Icon_and_Unicon
Icon and Unicon
procedure main() t := table() every t[a := !"ABCDE"] := map(a)   every pair := !sort(t) do write("\t",pair[1]," -> ",pair[2])   writes("Keys:") every writes(" ",key(t)) write()   writes("Values:") every writes(" ",!t) write() end
http://rosettacode.org/wiki/Averages/Arithmetic_mean
Averages/Arithmetic mean
Task[edit] Write a program to find the mean (arithmetic average) of a numeric vector. In case of a zero-length input, since the mean of an empty set of numbers is ill-defined, the program may choose to behave in any way it deems appropriate, though if the programming language has an established convention for conveying math errors or undefined values, it's preferable to follow it. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Haskell
Haskell
mean :: (Fractional a) => [a] -> a mean [] = 0 mean xs = sum xs / Data.List.genericLength xs
http://rosettacode.org/wiki/Averages/Arithmetic_mean
Averages/Arithmetic mean
Task[edit] Write a program to find the mean (arithmetic average) of a numeric vector. In case of a zero-length input, since the mean of an empty set of numbers is ill-defined, the program may choose to behave in any way it deems appropriate, though if the programming language has an established convention for conveying math errors or undefined values, it's preferable to follow it. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#HicEst
HicEst
REAL :: vec(100) ! no zero-length arrays in HicEst   vec = $ - 1/2 ! 0.5 ... 99.5 mean = SUM(vec) / LEN(vec) ! 50 END
http://rosettacode.org/wiki/Attractive_numbers
Attractive numbers
A number is an   attractive number   if the number of its prime factors (whether distinct or not) is also prime. Example The number   20,   whose prime decomposition is   2 × 2 × 5,   is an   attractive number   because the number of its prime factors   (3)   is also prime. Task Show sequence items up to   120. Reference   The OEIS entry:   A063989: Numbers with a prime number of prime divisors.
#Racket
Racket
#lang racket (require math/number-theory) (define attractive? (compose1 prime? prime-omega)) (filter attractive? (range 1 121))
http://rosettacode.org/wiki/Attractive_numbers
Attractive numbers
A number is an   attractive number   if the number of its prime factors (whether distinct or not) is also prime. Example The number   20,   whose prime decomposition is   2 × 2 × 5,   is an   attractive number   because the number of its prime factors   (3)   is also prime. Task Show sequence items up to   120. Reference   The OEIS entry:   A063989: Numbers with a prime number of prime divisors.
#Raku
Raku
use Lingua::EN::Numbers; use ntheory:from<Perl5> <factor is_prime>;   sub display ($n,$m) { ($n..$m).grep: (~*).&factor.elems.&is_prime }   sub count ($n,$m) { +($n..$m).grep: (~*).&factor.elems.&is_prime }   # The Task put "Attractive numbers from 1 to 120:\n" ~ display(1, 120)».fmt("%3d").rotor(20, :partial).join: "\n";   # Robusto! for 1, 1000, 1, 10000, 1, 100000, 2**73 + 1, 2**73 + 100 -> $a, $b { put "\nCount of attractive numbers from {comma $a} to {comma $b}:\n" ~ comma count $a, $b }
http://rosettacode.org/wiki/Averages/Mean_time_of_day
Averages/Mean time of day
Task[edit] A particular activity of bats occurs at these times of the day: 23:00:17, 23:40:20, 00:12:45, 00:17:19 Using the idea that there are twenty-four hours in a day, which is analogous to there being 360 degrees in a circle, map times of day to and from angles; and using the ideas of Averages/Mean angle compute and show the average time of the nocturnal activity to an accuracy of one second of time. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Vlang
Vlang
import math   const inputs = ["23:00:17", "23:40:20", "00:12:45", "00:17:19"]   fn main() { angles := inputs.map(time_to_degs(it)) println('Mean time of day is: ${degs_to_time(mean_angle(angles))}') } fn mean_angle(angles []f64) f64 { n := angles.len mut sin_sum := f64(0) mut cos_sum := f64(0) for angle in angles { sin_sum += math.sin(angle * math.pi / 180) cos_sum += math.cos(angle * math.pi / 180) } return math.atan2(sin_sum/n, cos_sum/n) * 180 / math.pi }   fn degs_to_time(dd f64) string{ mut d := dd for d < 0 { d += 360 } mut s := math.round(d * 240) h := math.floor(s/3600) mut m := math.fmod(s, 3600) s = math.fmod(m, 60) m = math.floor(m / 60) return "${h:02}:${m:02}:${s:02}" }   fn time_to_degs(time string) f64 { t := time.split(":") h := t[0].f64() * 3600 m := t[1].f64() * 60 s := t[2].f64() return (h + m + s) / 240 }
http://rosettacode.org/wiki/Averages/Mean_time_of_day
Averages/Mean time of day
Task[edit] A particular activity of bats occurs at these times of the day: 23:00:17, 23:40:20, 00:12:45, 00:17:19 Using the idea that there are twenty-four hours in a day, which is analogous to there being 360 degrees in a circle, map times of day to and from angles; and using the ideas of Averages/Mean angle compute and show the average time of the nocturnal activity to an accuracy of one second of time. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Wren
Wren
import "/fmt" for Fmt   var timeToDegs = Fn.new { |time| var t = time.split(":") var h = Num.fromString(t[0]) * 3600 var m = Num.fromString(t[1]) * 60 var s = Num.fromString(t[2]) return (h + m + s) / 240 }   var degsToTime = Fn.new { |d| while (d < 0) d = d + 360 var s = (d * 240).round var h = (s/3600).floor var m = s % 3600 s = m % 60 m = (m / 60).floor return "%(Fmt.d(2, h)):%(Fmt.d(2, m)):%(Fmt.d(2, s))" }   var meanAngle = Fn.new { |angles| var n = angles.count var sinSum = 0 var cosSum = 0 for (angle in angles) { sinSum = sinSum + (angle * Num.pi / 180).sin cosSum = cosSum + (angle * Num.pi / 180).cos } return (sinSum/n).atan(cosSum/n) * 180 / Num.pi }   var times = ["23:00:17", "23:40:20", "00:12:45", "00:17:19"] var angles = times.map { |t| timeToDegs.call(t) }.toList System.print("Mean time of day is : %(degsToTime.call(meanAngle.call(angles)))")
http://rosettacode.org/wiki/Averages/Mean_angle
Averages/Mean angle
When calculating the average or mean of an angle one has to take into account how angles wrap around so that any angle in degrees plus any integer multiple of 360 degrees is a measure of the same angle. If one wanted an average direction of the wind over two readings where the first reading was of 350 degrees and the second was of 10 degrees then the average of the numbers is 180 degrees, whereas if you can note that 350 degrees is equivalent to -10 degrees and so you have two readings at 10 degrees either side of zero degrees leading to a more fitting mean angle of zero degrees. To calculate the mean angle of several angles: Assume all angles are on the unit circle and convert them to complex numbers expressed in real and imaginary form. Compute the mean of the complex numbers. Convert the complex mean to polar coordinates whereupon the phase of the complex mean is the required angular mean. (Note that, since the mean is the sum divided by the number of numbers, and division by a positive real number does not affect the angle, you can also simply compute the sum for step 2.) You can alternatively use this formula: Given the angles α 1 , … , α n {\displaystyle \alpha _{1},\dots ,\alpha _{n}} the mean is computed by α ¯ = atan2 ⁡ ( 1 n ⋅ ∑ j = 1 n sin ⁡ α j , 1 n ⋅ ∑ j = 1 n cos ⁡ α j ) {\displaystyle {\bar {\alpha }}=\operatorname {atan2} \left({\frac {1}{n}}\cdot \sum _{j=1}^{n}\sin \alpha _{j},{\frac {1}{n}}\cdot \sum _{j=1}^{n}\cos \alpha _{j}\right)} Task[edit] write a function/method/subroutine/... that given a list of angles in degrees returns their mean angle. (You should use a built-in function if you have one that does this for degrees or radians). Use the function to compute the means of these lists of angles (in degrees):   [350, 10]   [90, 180, 270, 360]   [10, 20, 30] Show your output here. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#XPL0
XPL0
include c:\cxpl\codes;   def Pi = 3.14159265358979323846; def D2R = Pi/180.0; \coefficient to convert degrees to radians   func real MeanAng(A); \Return the mean of the given list of angles int A; real X, Y; int I; [X:= 0.0; Y:= 0.0; for I:= 1 to A(0) do [X:= X + Cos(D2R*float(A(I))); Y:= Y + Sin(D2R*float(A(I))); ]; return ATan2(Y,X)/D2R; ];   [Format(5, 15); RlOut(0, MeanAng([2, 350, 10])); CrLf(0); RlOut(0, MeanAng([4, 90, 180, 270, 360])); CrLf(0); RlOut(0, MeanAng([3, 10, 20, 30])); CrLf(0); ]
http://rosettacode.org/wiki/Averages/Mean_angle
Averages/Mean angle
When calculating the average or mean of an angle one has to take into account how angles wrap around so that any angle in degrees plus any integer multiple of 360 degrees is a measure of the same angle. If one wanted an average direction of the wind over two readings where the first reading was of 350 degrees and the second was of 10 degrees then the average of the numbers is 180 degrees, whereas if you can note that 350 degrees is equivalent to -10 degrees and so you have two readings at 10 degrees either side of zero degrees leading to a more fitting mean angle of zero degrees. To calculate the mean angle of several angles: Assume all angles are on the unit circle and convert them to complex numbers expressed in real and imaginary form. Compute the mean of the complex numbers. Convert the complex mean to polar coordinates whereupon the phase of the complex mean is the required angular mean. (Note that, since the mean is the sum divided by the number of numbers, and division by a positive real number does not affect the angle, you can also simply compute the sum for step 2.) You can alternatively use this formula: Given the angles α 1 , … , α n {\displaystyle \alpha _{1},\dots ,\alpha _{n}} the mean is computed by α ¯ = atan2 ⁡ ( 1 n ⋅ ∑ j = 1 n sin ⁡ α j , 1 n ⋅ ∑ j = 1 n cos ⁡ α j ) {\displaystyle {\bar {\alpha }}=\operatorname {atan2} \left({\frac {1}{n}}\cdot \sum _{j=1}^{n}\sin \alpha _{j},{\frac {1}{n}}\cdot \sum _{j=1}^{n}\cos \alpha _{j}\right)} Task[edit] write a function/method/subroutine/... that given a list of angles in degrees returns their mean angle. (You should use a built-in function if you have one that does this for degrees or radians). Use the function to compute the means of these lists of angles (in degrees):   [350, 10]   [90, 180, 270, 360]   [10, 20, 30] Show your output here. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#zkl
zkl
fcn meanA(a1,a2,etc){ as:=vm.arglist.pump(List,"toFloat","toRad"); n:=as.len(); (as.apply("sin").sum(0.0)/n) .atan2(as.apply("cos").sum(0.0)/n) .toDeg() }
http://rosettacode.org/wiki/Averages/Median
Averages/Median
Task[edit] Write a program to find the   median   value of a vector of floating-point numbers. The program need not handle the case where the vector is empty, but must handle the case where there are an even number of elements.   In that case, return the average of the two middle values. There are several approaches to this.   One is to sort the elements, and then pick the element(s) in the middle. Sorting would take at least   O(n logn).   Another approach would be to build a priority queue from the elements, and then extract half of the elements to get to the middle element(s).   This would also take   O(n logn).   The best solution is to use the   selection algorithm   to find the median in   O(n)   time. See also Quickselect_algorithm Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#MiniScript
MiniScript
list.median = function() self.sort m = floor(self.len/2) if self.len % 2 then return self[m] return (self[m] + self[m-1]) * 0.5 end function   print [41, 56, 72, 17, 93, 44, 32].median print [41, 72, 17, 93, 44, 32].median
http://rosettacode.org/wiki/Averages/Median
Averages/Median
Task[edit] Write a program to find the   median   value of a vector of floating-point numbers. The program need not handle the case where the vector is empty, but must handle the case where there are an even number of elements.   In that case, return the average of the two middle values. There are several approaches to this.   One is to sort the elements, and then pick the element(s) in the middle. Sorting would take at least   O(n logn).   Another approach would be to build a priority queue from the elements, and then extract half of the elements to get to the middle element(s).   This would also take   O(n logn).   The best solution is to use the   selection algorithm   to find the median in   O(n)   time. See also Quickselect_algorithm Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#MUMPS
MUMPS
MEDIAN(X)  ;X is assumed to be a list of numbers separated by "^"  ;I is a loop index  ;L is the length of X  ;Y is a new array QUIT:'$DATA(X) "No data" QUIT:X="" "Empty Set" NEW I,ODD,L,Y SET L=$LENGTH(X,"^"),ODD=L#2,I=1  ;The values in the vector are used as indices for a new array Y, which sorts them FOR QUIT:I>L SET Y($PIECE(X,"^",I))=1,I=I+1  ;Go to the median index, or the lesser of the middle if there is an even number of elements SET J="" FOR I=1:1:$SELECT(ODD:L\2+1,'ODD:L/2) SET J=$ORDER(Y(J)) QUIT $SELECT(ODD:J,'ODD:(J+$ORDER(Y(J)))/2)  
http://rosettacode.org/wiki/Averages/Pythagorean_means
Averages/Pythagorean means
Task[edit] Compute all three of the Pythagorean means of the set of integers 1 through 10 (inclusive). Show that A ( x 1 , … , x n ) ≥ G ( x 1 , … , x n ) ≥ H ( x 1 , … , x n ) {\displaystyle A(x_{1},\ldots ,x_{n})\geq G(x_{1},\ldots ,x_{n})\geq H(x_{1},\ldots ,x_{n})} for this set of positive integers. The most common of the three means, the arithmetic mean, is the sum of the list divided by its length: A ( x 1 , … , x n ) = x 1 + ⋯ + x n n {\displaystyle A(x_{1},\ldots ,x_{n})={\frac {x_{1}+\cdots +x_{n}}{n}}} The geometric mean is the n {\displaystyle n} th root of the product of the list: G ( x 1 , … , x n ) = x 1 ⋯ x n n {\displaystyle G(x_{1},\ldots ,x_{n})={\sqrt[{n}]{x_{1}\cdots x_{n}}}} The harmonic mean is n {\displaystyle n} divided by the sum of the reciprocal of each item in the list: H ( x 1 , … , x n ) = n 1 x 1 + ⋯ + 1 x n {\displaystyle H(x_{1},\ldots ,x_{n})={\frac {n}{{\frac {1}{x_{1}}}+\cdots +{\frac {1}{x_{n}}}}}} See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Objeck
Objeck
class PythagMeans { function : Main(args : String[]) ~ Nil { array := [1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0]; arithmetic := ArithmeticMean(array); geometric := GeometricMean(array); harmonic := HarmonicMean(array);   arith_geo := arithmetic >= geometric; geo_harm := geometric >= harmonic;   "A = {$arithmetic}, G = {$geometric}, H = {$harmonic}"->PrintLine(); "A >= G is {$arith_geo}, G >= H is {$geo_harm}"->PrintLine(); }   function : native : ArithmeticMean(numbers : Float[]) ~ Float { if(numbers->Size() = 0) { return -1.0; };   mean := 0.0; each(i : numbers) { mean += numbers[i]; };   return mean / numbers->Size(); }   function : native : GeometricMean(numbers : Float[]) ~ Float { if(numbers->Size() = 0) { return -1.0; };   mean := 1.0; each(i : numbers) { mean *= numbers[i]; };   return mean->Power(1.0 / numbers->Size()); }   function : native : HarmonicMean(numbers : Float[]) ~ Float { if(numbers->Size() = 0) { return -1.0; };   mean := 0.0; each(i : numbers) { mean += (1.0 / numbers[i]); };   return numbers->Size() / mean; } }
http://rosettacode.org/wiki/Babbage_problem
Babbage problem
Charles Babbage, looking ahead to the sorts of problems his Analytical Engine would be able to solve, gave this example: What is the smallest positive integer whose square ends in the digits 269,696? — Babbage, letter to Lord Bowden, 1837; see Hollingdale and Tootill, Electronic Computers, second edition, 1970, p. 125. He thought the answer might be 99,736, whose square is 9,947,269,696; but he couldn't be certain. Task[edit] The task is to find out if Babbage had the right answer — and to do so, as far as your language allows it, in code that Babbage himself would have been able to read and understand. As Babbage evidently solved the task with pencil and paper, a similar efficient solution is preferred. For these purposes, Charles Babbage may be taken to be an intelligent person, familiar with mathematics and with the idea of a computer; he has written the first drafts of simple computer programmes in tabular form. [Babbage Archive Series L]. Motivation The aim of the task is to write a program that is sufficiently clear and well-documented for such a person to be able to read it and be confident that it does indeed solve the specified problem.
#x86_Assembly
x86 Assembly
# What is the lowest number whose square ends in 269,696?   # At the very end, when we have a result and we need to print it, we shall use for the purpose a program called PRINTF, which forms part of a library of similar utility programs that are provided for us. The codes given here will be needed at that point to tell PRINTF that we are asking it to print a decimal integer (as opposed to, for instance, text):   .data decin: .string "%d\n\0"   # This marks the beginning of our program proper:   .text .global main   main:   # We shall test numbers from 1 upwards to see whether their squares leave a remainder of 269,696 when divided by a million.   # We shall be making use of four machine 'registers', called EAX, EBX, ECX, and EDX. Each can hold one integer.   # Move the number 1,000,000 into EBX:   mov $1000000, %ebx   # The numbers we are testing will be stored in ECX. We start by moving a 1 there:   mov $1,  %ecx   # Now we need to test whether the number satisfies our requirements. We shall want the computer to come back and repeat this sequence of instructions for each successive integer until we have found the answer, so we put a label ('next') to which we can refer.   next:   # We move (in fact copy) the number stored in ECX into EAX, where we shall be able to perform some calculations upon it without disturbing the original:   mov  %ecx,  %eax   # Multiply the number in EAX by itself:   mul  %eax   # Divide the number in EAX (now the square of the number in ECX) by the number in EBX (one million). The quotient -- for which we have no use -- will be placed in EAX, and the remainder in EDX:   idiv  %ebx   # Compare the number in EDX with 269,696. If they are equal, jump ahead to the label 'done':   cmp $269696,  %edx je done   # Otherwise, increment the number in ECX and jump back to the label 'next':   inc  %ecx jmp next   # If we get to the label 'done', it means the answer is in ECX.   done:   # Put a reference to the codes for PRINTF into EAX:   lea decin,  %eax   # Now copy the number in ECX, which is our answer, into an area of temporary storage where PRINTF will expect to find it:   push  %ecx   # Do the same with EAX -- giving the code for 'decimal integer' -- and then call PRINTF to print the answer:   push  %eax call printf   # The pieces of information we provided to PRINTF are still taking up some temporary storage. They are no longer needed, so make that space available again:   add $8,  %esp   # Place the number 0 in EAX -- a conventional way of indicating that the program has finished correctly -- and return control to whichever program called this one:   mov $0,  %eax ret   # The end.
http://rosettacode.org/wiki/Babbage_problem
Babbage problem
Charles Babbage, looking ahead to the sorts of problems his Analytical Engine would be able to solve, gave this example: What is the smallest positive integer whose square ends in the digits 269,696? — Babbage, letter to Lord Bowden, 1837; see Hollingdale and Tootill, Electronic Computers, second edition, 1970, p. 125. He thought the answer might be 99,736, whose square is 9,947,269,696; but he couldn't be certain. Task[edit] The task is to find out if Babbage had the right answer — and to do so, as far as your language allows it, in code that Babbage himself would have been able to read and understand. As Babbage evidently solved the task with pencil and paper, a similar efficient solution is preferred. For these purposes, Charles Babbage may be taken to be an intelligent person, familiar with mathematics and with the idea of a computer; he has written the first drafts of simple computer programmes in tabular form. [Babbage Archive Series L]. Motivation The aim of the task is to write a program that is sufficiently clear and well-documented for such a person to be able to read it and be confident that it does indeed solve the specified problem.
#XLISP
XLISP
; The computer will evaluate expressions written in -- possibly nested -- parentheses, where the first symbol gives the operation and any subsequent symbols or numbers give the operands.   ; For instance, (+ (+ 2 2) (- 7 5)) evaluates to 6.   ; We define our problem as a function:   (define (try n)   ; We are looking for a value of n that leaves 269,696 as the remainder when its square is divided by a million.   ; The symbol * stands for multiplication.   (if (= (remainder (* n n) 1000000) 269696)   ; If this condition is met, the function should give us the value of n:   n   ; If not, it should try n+1:   (try (+ n 1))))   ; We supply our function with 1 as an initial value to test, and ask the computer to print the final result.   (print (try 1))
http://rosettacode.org/wiki/Balanced_brackets
Balanced brackets
Task: Generate a string with   N   opening brackets   [   and with   N   closing brackets   ],   in some arbitrary order. Determine whether the generated string is balanced; that is, whether it consists entirely of pairs of opening/closing brackets (in that order), none of which mis-nest. Examples (empty) OK [] OK [][] OK [[][]] OK ][ NOT OK ][][ NOT OK []][[] NOT OK
#Go
Go
package main   import ( "bytes" "fmt" "math/rand" "time" )   func init() { rand.Seed(time.Now().UnixNano()) }   func generate(n uint) string { a := bytes.Repeat([]byte("[]"), int(n)) for i := len(a) - 1; i >= 1; i-- { j := rand.Intn(i + 1) a[i], a[j] = a[j], a[i] } return string(a) }   func testBalanced(s string) { fmt.Print(s + ": ") open := 0 for _,c := range s { switch c { case '[': open++ case ']': if open == 0 { fmt.Println("not ok") return } open-- default: fmt.Println("not ok") return } } if open == 0 { fmt.Println("ok") } else { fmt.Println("not ok") } }   func main() { rand.Seed(time.Now().UnixNano()) for i := uint(0); i < 10; i++ { testBalanced(generate(i)) } testBalanced("()") }
http://rosettacode.org/wiki/Append_a_record_to_the_end_of_a_text_file
Append a record to the end of a text file
Many systems offer the ability to open a file for writing, such that any data written will be appended to the end of the file. Further, the file operations will always adjust the position pointer to guarantee the end of the file, even in a multitasking environment. This feature is most useful in the case of log files, where many jobs may be appending to the log file at the same time, or where care must be taken to avoid concurrently overwriting the same record from another job. Task Given a two record sample for a mythical "passwd" file: Write these records out in the typical system format. Ideally these records will have named fields of various types. Close the file, then reopen the file for append. Append a new record to the file and close the file again. Take appropriate care to avoid concurrently overwrites from another job. Open the file and demonstrate the new record has indeed written to the end. Source record field types and contents. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string jsmith x 1001 1000 Joe Smith,Room 1007,(234)555-8917,(234)555-0077,[email protected] /home/jsmith /bin/bash jdoe x 1002 1000 Jane Doe,Room 1004,(234)555-8914,(234)555-0044,[email protected] /home/jdoe /bin/bash Record to be appended. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string xyz x 1003 1000 X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected] /home/xyz /bin/bash Resulting file format: should mimic Linux's /etc/passwd file format with particular attention to the "," separator used in the GECOS field. But if the specific language has a particular or unique format of storing records in text file, then this format should be named and demonstrated with an additional example. Expected output: Appended record: xyz:x:1003:1000:X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected]:/home/xyz:/bin/bash Finally: Provide a summary of the language's "append record" capabilities in a table. eg. Append Capabilities. Data Representation IO Library Append Possible Automatic Append Multi-tasking Safe In core On disk C struct CSV text file glibc/stdio ☑ ☑ ☑ (Not all, eg NFS) Alternatively: If the language's appends can not guarantee its writes will always append, then note this restriction in the table. If possible, provide an actual code example (possibly using file/record locking) to guarantee correct concurrent appends.
#PicoLisp
PicoLisp
(setq L '((jsmith x 1001 1000 "Joe Smith,Room 1007,(234)555-8917,\ (234)555-0077,[email protected]" /home/jsmith /bin/bash ) (jdoe x 1002 1000 "Jane Doe,Room 1004,(234)555-8914,\ (234)555-0044,[email protected]" /home/jsmith /bin/bash ) ) )   (setq A '(xyz x 1003 1000 "X Yz,Room 1003,(234)555-8913,\ (234)555-0033,[email protected]" /home/xyz /bin/bash ) )   (out "mythical" (for I L (prinl (glue ': I)) ) ) (out "+mythical" (prinl (glue ': A)) ) (in "mythical" (do 2 (line)) (println (and (= "xyz" (pack (till ':))) (= 3 (lines "mythical") ) ) ) )   (bye)
http://rosettacode.org/wiki/Append_a_record_to_the_end_of_a_text_file
Append a record to the end of a text file
Many systems offer the ability to open a file for writing, such that any data written will be appended to the end of the file. Further, the file operations will always adjust the position pointer to guarantee the end of the file, even in a multitasking environment. This feature is most useful in the case of log files, where many jobs may be appending to the log file at the same time, or where care must be taken to avoid concurrently overwriting the same record from another job. Task Given a two record sample for a mythical "passwd" file: Write these records out in the typical system format. Ideally these records will have named fields of various types. Close the file, then reopen the file for append. Append a new record to the file and close the file again. Take appropriate care to avoid concurrently overwrites from another job. Open the file and demonstrate the new record has indeed written to the end. Source record field types and contents. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string jsmith x 1001 1000 Joe Smith,Room 1007,(234)555-8917,(234)555-0077,[email protected] /home/jsmith /bin/bash jdoe x 1002 1000 Jane Doe,Room 1004,(234)555-8914,(234)555-0044,[email protected] /home/jdoe /bin/bash Record to be appended. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string xyz x 1003 1000 X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected] /home/xyz /bin/bash Resulting file format: should mimic Linux's /etc/passwd file format with particular attention to the "," separator used in the GECOS field. But if the specific language has a particular or unique format of storing records in text file, then this format should be named and demonstrated with an additional example. Expected output: Appended record: xyz:x:1003:1000:X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected]:/home/xyz:/bin/bash Finally: Provide a summary of the language's "append record" capabilities in a table. eg. Append Capabilities. Data Representation IO Library Append Possible Automatic Append Multi-tasking Safe In core On disk C struct CSV text file glibc/stdio ☑ ☑ ☑ (Not all, eg NFS) Alternatively: If the language's appends can not guarantee its writes will always append, then note this restriction in the table. If possible, provide an actual code example (possibly using file/record locking) to guarantee correct concurrent appends.
#PowerShell
PowerShell
  function Test-FileLock { Param ( [parameter(Mandatory=$true)] [string] $Path )   $outFile = New-Object System.IO.FileInfo $Path   if (-not(Test-Path -Path $Path)) { return $false }   try { $outStream = $outFile.Open([System.IO.FileMode]::Open, [System.IO.FileAccess]::ReadWrite, [System.IO.FileShare]::None)   if ($outStream) { $outStream.Close() }   return $false } catch { # File is locked by a process. return $true } }   function New-Record { Param ( [string]$Account, [string]$Password, [int]$UID, [int]$GID, [string]$FullName, [string]$Office, [string]$Extension, [string]$HomePhone, [string]$Email, [string]$Directory, [string]$Shell )   $GECOS = [PSCustomObject]@{ FullName = $FullName Office = $Office Extension = $Extension HomePhone = $HomePhone Email = $Email }   [PSCustomObject]@{ Account = $Account Password = $Password UID = $UID GID = $GID GECOS = $GECOS Directory = $Directory Shell = $Shell } }     function Import-File { Param ( [Parameter(Mandatory=$false, ValueFromPipeline=$true, ValueFromPipelineByPropertyName=$true)] [string] $Path = ".\passwd.txt" )   if (-not(Test-Path $Path)) { throw [System.IO.FileNotFoundException] }   $header = "Account","Password","UID","GID","GECOS","Directory","Shell"   $csv = Import-Csv -Path $Path -Delimiter ":" -Header $header -Encoding ASCII $csv | ForEach-Object { New-Record -Account $_.Account ` -Password $_.Password ` -UID $_.UID ` -GID $_.GID ` -FullName $_.GECOS.Split(",")[0] ` -Office $_.GECOS.Split(",")[1] ` -Extension $_.GECOS.Split(",")[2] ` -HomePhone $_.GECOS.Split(",")[3] ` -Email $_.GECOS.Split(",")[4] ` -Directory $_.Directory ` -Shell $_.Shell } }     function Export-File { [CmdletBinding()] Param ( [Parameter(Mandatory=$true, ValueFromPipeline=$true, ValueFromPipelineByPropertyName=$true)] $InputObject,   [Parameter(Mandatory=$false, ValueFromPipeline=$true, ValueFromPipelineByPropertyName=$true)] [string] $Path = ".\passwd.txt" )   Begin { if (-not(Test-Path $Path)) { New-Item -Path . -Name $Path -ItemType File | Out-Null }   [string]$recordString = "{0}:{1}:{2}:{3}:{4}:{5}:{6}" [string]$gecosString = "{0},{1},{2},{3},{4}" [string[]]$lines = @() [string[]]$file = Get-Content $Path } Process { foreach ($object in $InputObject) { $lines += $recordString -f $object.Account, $object.Password, $object.UID, $object.GID, $($gecosString -f $object.GECOS.FullName, $object.GECOS.Office, $object.GECOS.Extension, $object.GECOS.HomePhone, $object.GECOS.Email), $object.Directory, $object.Shell } } End { foreach ($line in $lines) { if (-not ($line -in $file)) { $line | Out-File -FilePath $Path -Encoding ASCII -Append } } } }  
http://rosettacode.org/wiki/Associative_array/Creation
Associative array/Creation
Task The goal is to create an associative array (also known as a dictionary, map, or hash). Related tasks: Associative arrays/Iteration Hash from two arrays See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Chapel
Chapel
// arr is an array of string to int. any type can be used in both places. var keys: domain(string); var arr: [keys] int;   // keys can be added to a domain using +, new values will be initialized to the default value (0 for int) keys += "foo"; keys += "bar"; keys += "baz";   // array access via [] or () arr["foo"] = 1; arr["bar"] = 4; arr("baz") = 6;   // write auto-formats domains and arrays writeln("Keys: ", keys); writeln("Values: ", arr);   // keys can be deleted using - keys -= "bar";   writeln("Keys: ", keys); writeln("Values: ", arr);   // chapel also supports array literals var arr2 = [ "John" => 3, "Pete" => 14 ];   writeln("arr2 keys: ", arr2.domain); writeln("arr2 values: ", arr2);
http://rosettacode.org/wiki/Anti-primes
Anti-primes
The anti-primes (or highly composite numbers, sequence A002182 in the OEIS) are the natural numbers with more factors than any smaller than itself. Task Generate and show here, the first twenty anti-primes. Related tasks   Factors of an integer   Sieve of Eratosthenes
#Mathematica_.2F_Wolfram_Language
Mathematica / Wolfram Language
sigma = DivisorSigma[0, #] &; currentmax = -\[Infinity]; res = {}; Do[ s = sigma[v]; If[s > currentmax, AppendTo[res, v]; currentmax = s; ]; If[Length[res] >= 25, Break[]] , {v, \[Infinity]} ] res
http://rosettacode.org/wiki/Anti-primes
Anti-primes
The anti-primes (or highly composite numbers, sequence A002182 in the OEIS) are the natural numbers with more factors than any smaller than itself. Task Generate and show here, the first twenty anti-primes. Related tasks   Factors of an integer   Sieve of Eratosthenes
#Modula-2
Modula-2
MODULE Antiprimes; FROM InOut IMPORT WriteCard, WriteLn;   CONST Amount = 20; VAR max, seen, n, f: CARDINAL;   PROCEDURE factors(n: CARDINAL): CARDINAL; VAR facs, div: CARDINAL; BEGIN IF n<2 THEN RETURN 1; END; facs := 2; FOR div := 2 TO n DIV 2 DO IF n MOD div = 0 THEN INC(facs); END; END; RETURN facs; END factors;   BEGIN max := 0; seen := 0; n := 1; WHILE seen < Amount DO f := factors(n); IF f > max THEN WriteCard(n,5); max := f; INC(seen); IF seen MOD 10 = 0 THEN WriteLn(); END; END; INC(n); END; END Antiprimes.
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#Sidef
Sidef
var num = pick(0..100); assert_eq(num, 42); # dies when "num" is not 42
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#Slate
Slate
load: 'src/lib/assert.slate'. define: #n -> 7. assert: n = 42 &description: 'That is not the Answer.'.
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#Smalltalk
Smalltalk
foo := 41. ... self assert: (foo == 42).
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#SPARK
SPARK
-# check X = 42;
http://rosettacode.org/wiki/Apply_a_callback_to_an_array
Apply a callback to an array
Task Take a combined set of elements and apply a function to each element.
#Forth
Forth
: map ( addr n fn -- ) -rot cells bounds do i @ over execute i ! cell +loop ;
http://rosettacode.org/wiki/Apply_a_callback_to_an_array
Apply a callback to an array
Task Take a combined set of elements and apply a function to each element.
#Fortran
Fortran
module arrCallback contains elemental function cube( x ) implicit none real :: cube real, intent(in) :: x cube = x * x * x end function cube end module arrCallback
http://rosettacode.org/wiki/Averages/Mode
Averages/Mode
Task[edit] Write a program to find the mode value of a collection. The case where the collection is empty may be ignored. Care must be taken to handle the case where the mode is non-unique. If it is not appropriate or possible to support a general collection, use a vector (array), if possible. If it is not appropriate or possible to support an unspecified value type, use integers. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Ring
Ring
  # Project : Averages/Mode   a = [1, 3, 6, 6, 6, 6, 7, 7, 12, 12, 17] b = [1, 2, 4, 4, 1] amodes = list(12) see "mode(s) of a() = " + nl for i1 = 1 to modes(a,amodes) see "" + amodes[i1] + " " next see nl see "mode(s) of b() = " + nl for i1 = 1 to modes(b,amodes) see "" + amodes [i1] + " " next see nl   func modes(a,amodes) max = 0 n = len(a) if n = 0 amodes[1] = a[1] return 1 ok c = list(n) for i = 1 to n for j = i+1 to n if a[i] = a[j] c[i] = c[i] + 1 ok next if c[i] > max max = c[i] ok next j = 0 for i = 1 to n if c[i] = max j = j + 1 amodes[j] = a[i] ok next return j  
http://rosettacode.org/wiki/Averages/Mode
Averages/Mode
Task[edit] Write a program to find the mode value of a collection. The case where the collection is empty may be ignored. Care must be taken to handle the case where the mode is non-unique. If it is not appropriate or possible to support a general collection, use a vector (array), if possible. If it is not appropriate or possible to support an unspecified value type, use integers. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Ruby
Ruby
def mode(ary) seen = Hash.new(0) ary.each {|value| seen[value] += 1} max = seen.values.max seen.find_all {|key,value| value == max}.map {|key,value| key} end   def mode_one_pass(ary) seen = Hash.new(0) max = 0 max_elems = [] ary.each do |value| seen[value] += 1 if seen[value] > max max = seen[value] max_elems = [value] elsif seen[value] == max max_elems << value end end max_elems end   p mode([1, 3, 6, 6, 6, 6, 7, 7, 12, 12, 17]) # => [6] p mode([1, 1, 2, 4, 4]) # => [1, 4] p mode_one_pass([1, 3, 6, 6, 6, 6, 7, 7, 12, 12, 17]) # => [6] p mode_one_pass([1, 1, 2, 4, 4]) # => [1, 4]
http://rosettacode.org/wiki/Associative_array/Iteration
Associative array/Iteration
Show how to iterate over the key-value pairs of an associative array, and print each pair out. Also show how to iterate just over the keys, or the values, if there is a separate way to do that in your language. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Io
Io
myDict := Map with( "hello", 13, "world", 31, "!" , 71 )   // iterating over key-value pairs: myDict foreach( key, value, writeln("key = ", key, ", value = ", value) )   // iterating over keys: myDict keys foreach( key, writeln("key = ", key) )   // iterating over values: myDict foreach( value, writeln("value = ", value) ) // or alternatively: myDict values foreach( value, writeln("value = ", value) )
http://rosettacode.org/wiki/Associative_array/Iteration
Associative array/Iteration
Show how to iterate over the key-value pairs of an associative array, and print each pair out. Also show how to iterate just over the keys, or the values, if there is a separate way to do that in your language. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#J
J
nl__example 0
http://rosettacode.org/wiki/Averages/Arithmetic_mean
Averages/Arithmetic mean
Task[edit] Write a program to find the mean (arithmetic average) of a numeric vector. In case of a zero-length input, since the mean of an empty set of numbers is ill-defined, the program may choose to behave in any way it deems appropriate, though if the programming language has an established convention for conveying math errors or undefined values, it's preferable to follow it. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Hy
Hy
(defn arithmetic-mean [xs] (if xs (/ (sum xs) (len xs))))
http://rosettacode.org/wiki/Averages/Arithmetic_mean
Averages/Arithmetic mean
Task[edit] Write a program to find the mean (arithmetic average) of a numeric vector. In case of a zero-length input, since the mean of an empty set of numbers is ill-defined, the program may choose to behave in any way it deems appropriate, though if the programming language has an established convention for conveying math errors or undefined values, it's preferable to follow it. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Icon_and_Unicon
Icon and Unicon
procedure main(args) every (s := 0) +:= !args write((real(s)/(0 ~= *args)) | 0) end
http://rosettacode.org/wiki/Attractive_numbers
Attractive numbers
A number is an   attractive number   if the number of its prime factors (whether distinct or not) is also prime. Example The number   20,   whose prime decomposition is   2 × 2 × 5,   is an   attractive number   because the number of its prime factors   (3)   is also prime. Task Show sequence items up to   120. Reference   The OEIS entry:   A063989: Numbers with a prime number of prime divisors.
#REXX
REXX
/*REXX program finds and shows lists (or counts) attractive numbers up to a specified N.*/ parse arg N . /*get optional argument from the C.L. */ if N=='' | N=="," then N= 120 /*Not specified? Then use the default.*/ cnt= N<0 /*semaphore used to control the output.*/ N= abs(N) /*ensure that N is a positive number.*/ call genP 100 /*gen 100 primes (high= 541); overkill.*/ sw= linesize() - 1 /*SW: is the usable screen width. */ if \cnt then say 'attractive numbers up to and including ' commas(N) " are:" #= 0 /*number of attractive #'s (so far). */ $= /*a list of attractive numbers (so far)*/ do j=1 for N; if @.j then iterate /*Is it a low prime? Then skip number.*/ a= cFact(j) /*call cFact to count the factors in J.*/ if \@.a then iterate /*if # of factors not prime, then skip.*/ #= # + 1 /*bump number of attractive #'s found. */ if cnt then iterate /*if not displaying numbers, skip list.*/ cj= commas(j); _= $ cj /*append a commatized number to $ list.*/ if length(_)>sw then do; say strip($); $= cj; end /*display a line of numbers.*/ else $= _ /*append the latest number. */ end /*j*/   if $\=='' & \cnt then say strip($) /*display any residual numbers in list.*/ say; say commas(#) ' attractive numbers found up to and including ' commas(N) exit /*stick a fork in it, we're all done. */ /*──────────────────────────────────────────────────────────────────────────────────────*/ cFact: procedure; parse arg z 1 oz; if z<2 then return z /*if Z too small, return Z.*/ #= 0 /*#: is the number of factors (so far)*/ do while z//2==0; #= #+1; z= z%2; end /*maybe add the factor of two. */ do while z//3==0; #= #+1; z= z%3; end /* " " " " " three.*/ do while z//5==0; #= #+1; z= z%5; end /* " " " " " five. */ do while z//7==0; #= #+1; z= z%7; end /* " " " " " seven.*/ /* [↑] reduce Z by some low primes. */ do k=11 by 6 while k<=z /*insure that K isn't divisible by 3.*/ parse var k '' -1 _ /*obtain the last decimal digit of K. */ if _\==5 then do while z//k==0; #= #+1; z= z%k; end /*maybe reduce Z.*/ if _ ==3 then iterate /*Next number ÷ by 5? Skip. ____ */ if k*k>oz then leave /*are we greater than the √ OZ  ? */ y= k + 2 /*get next divisor, hopefully a prime.*/ do while z//y==0; #= #+1; z= z%y; end /*maybe reduce Z.*/ end /*k*/ if z\==1 then return # + 1 /*if residual isn't unity, then add one*/ return # /*return the number of factors in OZ. */ /*──────────────────────────────────────────────────────────────────────────────────────*/ commas: parse arg ?; do jc=length(?)-3 to 1 by -3; ?=insert(',', ?, jc); end; return ? /*──────────────────────────────────────────────────────────────────────────────────────*/ genP: procedure expose @.; parse arg n; @.=0; @.2= 1; @.3= 1; p= 2 do j=3 by 2 until p==n; do k=3 by 2 until k*k>j; if j//k==0 then iterate j end /*k*/; @.j = 1; p= p + 1 end /*j*/; return /* [↑] generate N primes. */
http://rosettacode.org/wiki/Averages/Mean_time_of_day
Averages/Mean time of day
Task[edit] A particular activity of bats occurs at these times of the day: 23:00:17, 23:40:20, 00:12:45, 00:17:19 Using the idea that there are twenty-four hours in a day, which is analogous to there being 360 degrees in a circle, map times of day to and from angles; and using the ideas of Averages/Mean angle compute and show the average time of the nocturnal activity to an accuracy of one second of time. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#XPL0
XPL0
include c:\cxpl\codes;   proc NumOut(N); \Display 2-digit N with leading zero int N; [if N<10 then ChOut(0, ^0); IntOut(0, N); ];   proc TimeOut(Sec); \Display real seconds as HH:MM:SS real Sec; [NumOut(fix(Sec)/3600); ChOut(0, ^:); NumOut(rem(0)/60); ChOut(0, ^:); NumOut(rem(0)); ];   func real HMS2Sec(H, M, S); \Convert hours, minutes, seconds to real seconds int H, M, S; return float(((H*60 + M)*60) + S);   func real MeanTime(A); \Return the mean of the given list of times int A; real X, Y, Sec; int I; def Pi = 3.14159265358979323846; def S2R = Pi/(12.*60.*60.); \coefficient to convert seconds to radians [X:= 0.0; Y:= 0.0; for I:= 1 to A(0) do [Sec:= HMS2Sec(A(I,0), A(I,1), A(I,2)); X:= X + Cos(Sec*S2R); Y:= Y + Sin(Sec*S2R); ]; Sec:= ATan2(Y,X)/S2R; if Sec < 0.0 then Sec:= Sec + 24.*60.*60.; return Sec; ];   TimeOut(MeanTime([4, [23,00,17], [23,40,20], [00,12,45], [00,17,19]]))
http://rosettacode.org/wiki/Averages/Mean_time_of_day
Averages/Mean time of day
Task[edit] A particular activity of bats occurs at these times of the day: 23:00:17, 23:40:20, 00:12:45, 00:17:19 Using the idea that there are twenty-four hours in a day, which is analogous to there being 360 degrees in a circle, map times of day to and from angles; and using the ideas of Averages/Mean angle compute and show the average time of the nocturnal activity to an accuracy of one second of time. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Yabasic
Yabasic
sub atan2(y, x) return 2 * atan((sqrt(x **2 + y ** 2) - x) / y) end sub   sub MeanAngle(angles()) local x, y, ai_rad, l, i   l = arraysize(angles(), 1)   for i = 1 to l ai_rad = angles(i) * PI / 180 x = x + cos(ai_rad) y = y + sin(ai_rad) next i if abs(x) < 1e-16 return false return atan2(y, x) * 180 / PI end sub   sub toSecAngle(hours, minutes, seconds) return ((hours * 60 + minutes) * 60 + seconds) / (24 * 60 * 60) * 360 end sub   dim Times(4)   Times(1) = toSecAngle(23,00,17) Times(2) = toSecAngle(23,40,20) Times(3) = toSecAngle(00,12,45) Times(4) = toSecAngle(00,17,19)   sub toHMS$(t) local s$   if t then if t < 0 t = t + 360 t = 24 * 60 * 60 * t / 360 s$ = str$(int(t / 3600), "%02g") + ":" + str$(int(mod(t, 3600) / 60), "%02g") + ":" + str$(int(mod(t, 60)), "%02g") else s$ = "not meaningful" end if return s$ end sub   print "Mean Time is ", toHMS$(MeanAngle(Times()))   // Output: Mean Time is 23:47:43  
http://rosettacode.org/wiki/Averages/Median
Averages/Median
Task[edit] Write a program to find the   median   value of a vector of floating-point numbers. The program need not handle the case where the vector is empty, but must handle the case where there are an even number of elements.   In that case, return the average of the two middle values. There are several approaches to this.   One is to sort the elements, and then pick the element(s) in the middle. Sorting would take at least   O(n logn).   Another approach would be to build a priority queue from the elements, and then extract half of the elements to get to the middle element(s).   This would also take   O(n logn).   The best solution is to use the   selection algorithm   to find the median in   O(n)   time. See also Quickselect_algorithm Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Nanoquery
Nanoquery
import sort   def median(aray) srtd = sort(aray) alen = len(srtd) return 0.5*( srtd[int(alen-1/2)] + srtd[int(alen/2)]) end   a = {4.1, 5.6, 7.2, 1.7, 9.3, 4.4, 3.2} println a + " " + median(a) a = {4.1, 7.2, 1.7, 9.3, 4.4, 3.2} println a + " " + median(a)
http://rosettacode.org/wiki/Averages/Median
Averages/Median
Task[edit] Write a program to find the   median   value of a vector of floating-point numbers. The program need not handle the case where the vector is empty, but must handle the case where there are an even number of elements.   In that case, return the average of the two middle values. There are several approaches to this.   One is to sort the elements, and then pick the element(s) in the middle. Sorting would take at least   O(n logn).   Another approach would be to build a priority queue from the elements, and then extract half of the elements to get to the middle element(s).   This would also take   O(n logn).   The best solution is to use the   selection algorithm   to find the median in   O(n)   time. See also Quickselect_algorithm Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#NetRexx
NetRexx
/* NetRexx */ options replace format comments java crossref symbols nobinary   class RAvgMedian00 public   -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ method median(lvector = java.util.List) public static returns Rexx cvector = ArrayList(lvector) -- make a copy of input to ensure it's contents are preserved Collections.sort(cvector, RAvgMedian00.RexxComparator()) kVal = ((Rexx cvector.get(cvector.size() % 2)) + (Rexx cvector.get((cvector.size() - 1) % 2))) / 2 return kVal   -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ method median(rvector = Rexx[]) public static returns Rexx return median(ArrayList(Arrays.asList(rvector)))   -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ method show_median(lvector = java.util.List) public static returns Rexx mVal = median(lvector) say 'Meadian:' mVal.format(10, 6, 3, 6, 's')', Vector:' (Rexx lvector).space(0) return mVal   -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ method show_median(rvector = Rexx[]) public static returns Rexx return show_median(ArrayList(Arrays.asList(rvector)))   -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ method run_samples() public static show_median([Rexx 10.0]) -- 10.0 show_median([Rexx 10.0, 9.0, 8.0, 7.0, 6.0, 5.0, 4.0, 3.0, 2.0, 1.0]) -- 5.5 show_median([Rexx 9, 8, 7, 6, 5, 4, 3, 2, 1]) -- 5.0 show_median([Rexx 1.0, 9, 2.0, 4.0]) -- 3.0 show_median([Rexx 3.0, 1, 4, 1.0, 5.0, 9, 7.0, 6.0]) -- 4.5 show_median([Rexx 3, 4, 1, -8.4, 7.2, 4, 1, 1.2]) -- 2.1 show_median([Rexx -1.2345678e+99, 2.3e+700]) -- 1.15e+700 show_median([Rexx 4.1, 5.6, 7.2, 1.7, 9.3, 4.4, 3.2]) -- 4.4 show_median([Rexx 4.1, 7.2, 1.7, 9.3, 4.4, 3.2]) -- 4.25 show_median([Rexx 28.207, 74.916, 51.695, 72.486, 51.118, 3.241, 73.807]) -- 51.695 show_median([Rexx 27.984, 89.172, 0.250, 66.316, 41.805, 60.043]) -- 50.924 show_median([Rexx 5.1, 2.6, 6.2, 8.8, 4.6, 4.1]) -- 4.85 show_median([Rexx 5.1, 2.6, 8.8, 4.6, 4.1]) -- 4.6 show_median([Rexx 4.4, 2.3, -1.7, 7.5, 6.6, 0.0, 1.9, 8.2, 9.3, 4.5]) -- 4.45 show_median([Rexx 10, 9, 8, 7, 6, 5, 4, 3, 2, 1, 0, 0, 0, 0, 0.11]) -- 3.0 show_median([Rexx 10, 20, 30, 40, 50, -100, 4.7, -11e+2]) -- 15.0 show_median([Rexx 9.3, -2.0, 4.0, 7.3, 8.1, 4.1, -6.3, 4.2, -1.0, -8.4]) -- 4.05 show_median([Rexx 8.3, -3.6, 5.7, 2.3, 9.3, 5.4, -2.3, 6.3, 9.9]) -- 5.7 return   -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ method main(args = String[]) public static run_samples() return   -- ============================================================================= class RAvgMedian00.RexxComparator implements Comparator   -- ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ method compare(i1=Object, i2=Object) public returns int i = Rexx i1 j = Rexx i2   if i < j then return -1 if i > j then return +1 else return 0  
http://rosettacode.org/wiki/Averages/Pythagorean_means
Averages/Pythagorean means
Task[edit] Compute all three of the Pythagorean means of the set of integers 1 through 10 (inclusive). Show that A ( x 1 , … , x n ) ≥ G ( x 1 , … , x n ) ≥ H ( x 1 , … , x n ) {\displaystyle A(x_{1},\ldots ,x_{n})\geq G(x_{1},\ldots ,x_{n})\geq H(x_{1},\ldots ,x_{n})} for this set of positive integers. The most common of the three means, the arithmetic mean, is the sum of the list divided by its length: A ( x 1 , … , x n ) = x 1 + ⋯ + x n n {\displaystyle A(x_{1},\ldots ,x_{n})={\frac {x_{1}+\cdots +x_{n}}{n}}} The geometric mean is the n {\displaystyle n} th root of the product of the list: G ( x 1 , … , x n ) = x 1 ⋯ x n n {\displaystyle G(x_{1},\ldots ,x_{n})={\sqrt[{n}]{x_{1}\cdots x_{n}}}} The harmonic mean is n {\displaystyle n} divided by the sum of the reciprocal of each item in the list: H ( x 1 , … , x n ) = n 1 x 1 + ⋯ + 1 x n {\displaystyle H(x_{1},\ldots ,x_{n})={\frac {n}{{\frac {1}{x_{1}}}+\cdots +{\frac {1}{x_{n}}}}}} See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#OCaml
OCaml
let means v = let n = Array.length v and a = ref 0.0 and b = ref 1.0 and c = ref 0.0 in for i=0 to n-1 do a := !a +. v.(i); b := !b *. v.(i); c := !c +. 1.0/.v.(i); done; let nn = float_of_int n in (!a /. nn, !b ** (1.0/.nn), nn /. !c) ;;
http://rosettacode.org/wiki/Babbage_problem
Babbage problem
Charles Babbage, looking ahead to the sorts of problems his Analytical Engine would be able to solve, gave this example: What is the smallest positive integer whose square ends in the digits 269,696? — Babbage, letter to Lord Bowden, 1837; see Hollingdale and Tootill, Electronic Computers, second edition, 1970, p. 125. He thought the answer might be 99,736, whose square is 9,947,269,696; but he couldn't be certain. Task[edit] The task is to find out if Babbage had the right answer — and to do so, as far as your language allows it, in code that Babbage himself would have been able to read and understand. As Babbage evidently solved the task with pencil and paper, a similar efficient solution is preferred. For these purposes, Charles Babbage may be taken to be an intelligent person, familiar with mathematics and with the idea of a computer; he has written the first drafts of simple computer programmes in tabular form. [Babbage Archive Series L]. Motivation The aim of the task is to write a program that is sufficiently clear and well-documented for such a person to be able to read it and be confident that it does indeed solve the specified problem.
#XPL0
XPL0
int N, C, R; [C:= 0; for N:= sqrt(269696) to -1>>1 do \to infinity (2^31-1) if rem(N/10)=4 or rem(N/10)=6 then \must end 6: 4^2=16; 6^2=36 [R:= rem(N/100); if R=14 or R=36 or R=64 or R=86 then \14^2=196, etc. [R:= rem(N/1000); if R=236 or R=264 or R=736 or R=764 then \236^2=55696, etc. [C:= C+1; \count remaining tests if rem(N*N/1_000_000) = 269_696 then [IntOut(0, N); Text(0, "^^2 = "); IntOut(0, N*N); CrLf(0); IntOut(0, C); CrLf(0); exit; ]; ]; ]; ]; ]
http://rosettacode.org/wiki/Babbage_problem
Babbage problem
Charles Babbage, looking ahead to the sorts of problems his Analytical Engine would be able to solve, gave this example: What is the smallest positive integer whose square ends in the digits 269,696? — Babbage, letter to Lord Bowden, 1837; see Hollingdale and Tootill, Electronic Computers, second edition, 1970, p. 125. He thought the answer might be 99,736, whose square is 9,947,269,696; but he couldn't be certain. Task[edit] The task is to find out if Babbage had the right answer — and to do so, as far as your language allows it, in code that Babbage himself would have been able to read and understand. As Babbage evidently solved the task with pencil and paper, a similar efficient solution is preferred. For these purposes, Charles Babbage may be taken to be an intelligent person, familiar with mathematics and with the idea of a computer; he has written the first drafts of simple computer programmes in tabular form. [Babbage Archive Series L]. Motivation The aim of the task is to write a program that is sufficiently clear and well-documented for such a person to be able to read it and be confident that it does indeed solve the specified problem.
#Yabasic
Yabasic
// Charles Babbage habría sabido que solo un número que termina en 4 o 6 // podría producir un cuadrado que termina en 6, y cualquier número por // debajo de 520 produciría un cuadrado menor que 269696. Podemos detenernos // cuando hayamos alcanzado 99736, sabemos que es cuadrado y termina en 269696.   number = 524 // primer numero a probar repeat number = number + 2 until mod((number ^ 2), 1000000) = 269696 print "El menor numero cuyo cuadrado termina en 269696 es: ", number print "Y su cuadrado es: ", number*number
http://rosettacode.org/wiki/Balanced_brackets
Balanced brackets
Task: Generate a string with   N   opening brackets   [   and with   N   closing brackets   ],   in some arbitrary order. Determine whether the generated string is balanced; that is, whether it consists entirely of pairs of opening/closing brackets (in that order), none of which mis-nest. Examples (empty) OK [] OK [][] OK [[][]] OK ][ NOT OK ][][ NOT OK []][[] NOT OK
#Groovy
Groovy
def random = new Random()   def factorial = { (it > 1) ? (2..it).inject(1) { i, j -> i*j } : 1 }   def makePermutation; makePermutation = { string, i -> def n = string.size() if (n < 2) return string def fact = factorial(n-1) assert i < fact*n   def index = i.intdiv(fact) string[index] + makePermutation(string[0..<index] + string[(index+1)..<n], i % fact) }   def randomBrackets = { n -> if (n == 0) return '' def base = '['*n + ']'*n def p = random.nextInt(factorial(n*2)) makePermutation(base, p) }
http://rosettacode.org/wiki/Append_a_record_to_the_end_of_a_text_file
Append a record to the end of a text file
Many systems offer the ability to open a file for writing, such that any data written will be appended to the end of the file. Further, the file operations will always adjust the position pointer to guarantee the end of the file, even in a multitasking environment. This feature is most useful in the case of log files, where many jobs may be appending to the log file at the same time, or where care must be taken to avoid concurrently overwriting the same record from another job. Task Given a two record sample for a mythical "passwd" file: Write these records out in the typical system format. Ideally these records will have named fields of various types. Close the file, then reopen the file for append. Append a new record to the file and close the file again. Take appropriate care to avoid concurrently overwrites from another job. Open the file and demonstrate the new record has indeed written to the end. Source record field types and contents. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string jsmith x 1001 1000 Joe Smith,Room 1007,(234)555-8917,(234)555-0077,[email protected] /home/jsmith /bin/bash jdoe x 1002 1000 Jane Doe,Room 1004,(234)555-8914,(234)555-0044,[email protected] /home/jdoe /bin/bash Record to be appended. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string xyz x 1003 1000 X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected] /home/xyz /bin/bash Resulting file format: should mimic Linux's /etc/passwd file format with particular attention to the "," separator used in the GECOS field. But if the specific language has a particular or unique format of storing records in text file, then this format should be named and demonstrated with an additional example. Expected output: Appended record: xyz:x:1003:1000:X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected]:/home/xyz:/bin/bash Finally: Provide a summary of the language's "append record" capabilities in a table. eg. Append Capabilities. Data Representation IO Library Append Possible Automatic Append Multi-tasking Safe In core On disk C struct CSV text file glibc/stdio ☑ ☑ ☑ (Not all, eg NFS) Alternatively: If the language's appends can not guarantee its writes will always append, then note this restriction in the table. If possible, provide an actual code example (possibly using file/record locking) to guarantee correct concurrent appends.
#Python
Python
############################# # Create a passwd text file ############################# # note that UID & gid are of type "text" passwd_list=[ dict(account='jsmith', password='x', UID=1001, GID=1000, # UID and GID are type int GECOS=dict(fullname='Joe Smith', office='Room 1007', extension='(234)555-8917', homephone='(234)555-0077', email='[email protected]'), directory='/home/jsmith', shell='/bin/bash'), dict(account='jdoe', password='x', UID=1002, GID=1000, GECOS=dict(fullname='Jane Doe', office='Room 1004', extension='(234)555-8914', homephone='(234)555-0044', email='[email protected]'), directory='/home/jdoe', shell='/bin/bash') ]   passwd_fields="account password UID GID GECOS directory shell".split() GECOS_fields="fullname office extension homephone email".split()   def passwd_text_repr(passwd_rec): # convert individual fields to string type passwd_rec["GECOS"]=",".join([ passwd_rec["GECOS"][field] for field in GECOS_fields]) for field in passwd_rec: # convert "int" fields if not isinstance(passwd_rec[field], str): passwd_rec[field]=`passwd_rec[field]` return ":".join([ passwd_rec[field] for field in passwd_fields ])   passwd_text=open("passwd.txt","w") for passwd_rec in passwd_list: print >> passwd_text,passwd_text_repr(passwd_rec) passwd_text.close()   ################################# # Load text ready for appending ################################# passwd_text=open("passwd.txt","a+") new_rec=dict(account='xyz', password='x', UID=1003, GID=1000, GECOS=dict(fullname='X Yz', office='Room 1003', extension='(234)555-8913', homephone='(234)555-0033', email='[email protected]'), directory='/home/xyz', shell='/bin/bash') print >> passwd_text, passwd_text_repr(new_rec) passwd_text.close()   ############################################## # Finally reopen and check record was appended ############################################## passwd_list=list(open("passwd.txt","r")) if "xyz" in passwd_list[-1]: print "Appended record:",passwd_list[-1][:-1]
http://rosettacode.org/wiki/Associative_array/Creation
Associative array/Creation
Task The goal is to create an associative array (also known as a dictionary, map, or hash). Related tasks: Associative arrays/Iteration Hash from two arrays See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Clojure
Clojure
{:key "value" :key2 "value2" :key3 "value3"}
http://rosettacode.org/wiki/Anti-primes
Anti-primes
The anti-primes (or highly composite numbers, sequence A002182 in the OEIS) are the natural numbers with more factors than any smaller than itself. Task Generate and show here, the first twenty anti-primes. Related tasks   Factors of an integer   Sieve of Eratosthenes
#Nanoquery
Nanoquery
def countDivisors(n) if (n < 2) return 1 end count = 2 for i in range(2, int(n/2)) if (n % i) = 0 count += 1 end end return count end   maxDiv = 0 count = 0 println "The first 20 anti-primes are:"   for (n = 1) (count < 20) (n += 1) d = countDivisors(n) if d > maxDiv print format("%d ", n) maxDiv = d count += 1 end end println
http://rosettacode.org/wiki/Anti-primes
Anti-primes
The anti-primes (or highly composite numbers, sequence A002182 in the OEIS) are the natural numbers with more factors than any smaller than itself. Task Generate and show here, the first twenty anti-primes. Related tasks   Factors of an integer   Sieve of Eratosthenes
#Nim
Nim
# First 20 antiprimes   proc countDivisors(n: int): int = if n < 2: return 1 var count = 2 for i in countup(2, (n / 2).toInt()): if n %% i == 0: count += 1 return count   proc antiPrimes(n: int) = echo("The first ", n, " anti-primes:") var maxDiv = 0 var count = 0 var i = 1 while count < n: let d = countDivisors(i) if d > maxDiv: echo(i) maxDiv = d count += 1 i += 1   antiPrimes(20)  
http://rosettacode.org/wiki/Anti-primes
Anti-primes
The anti-primes (or highly composite numbers, sequence A002182 in the OEIS) are the natural numbers with more factors than any smaller than itself. Task Generate and show here, the first twenty anti-primes. Related tasks   Factors of an integer   Sieve of Eratosthenes
#Objeck
Objeck
class AntiPrimes { function : Main(args : String[]) ~ Nil { maxDiv := 0; count := 0; "The first 20 anti-primes are:"->PrintLine(); for(n := 1; count < 20; ++n;) { d := CountDivisors(n); if(d > maxDiv) { "{$n} "->Print(); maxDiv := d; count++; }; }; '\n'->Print(); }   function : native : CountDivisors(n : Int) ~ Int { if (n < 2) { return 1; }; count := 2; for(i := 2; i <= n/2; ++i;) { if(n%i = 0) { ++count; }; }; return count; } }
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#Standard_ML
Standard ML
fun assert cond = if cond then () else raise Fail "assert"   val () = assert (x = 42)
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#Stata
Stata
assert x<y if z>0
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#Swift
Swift
var a = 5 //...input or change a here assert(a == 42) // aborts program when a is not 42 assert(a == 42, "Error message") // aborts program // when a is not 42 with "Error message" for the message // the error message must be a static string
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#Tcl
Tcl
package require control   set x 5 control::assert {$x == 42}
http://rosettacode.org/wiki/Apply_a_callback_to_an_array
Apply a callback to an array
Task Take a combined set of elements and apply a function to each element.
#FP
FP
{square * . [id, id]} & square: <1,2,3,4,5>
http://rosettacode.org/wiki/Apply_a_callback_to_an_array
Apply a callback to an array
Task Take a combined set of elements and apply a function to each element.
#FreeBASIC
FreeBASIC
' FB 1.05.0 Win64   Sub PrintEx(n As Integer) Print n, n * n, n * n * n End Sub   Sub Proc(a() As Integer, callback As Sub(n As Integer)) For i As Integer = LBound(a) To UBound(a) callback(i) Next End Sub   Dim a(1 To 10) As Integer = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10} Print " n", "n^2", "n^3" Print " -", "---", "---" Proc(a(), @PrintEx) Print Print "Press any key to quit the program" Sleep
http://rosettacode.org/wiki/Averages/Mode
Averages/Mode
Task[edit] Write a program to find the mode value of a collection. The case where the collection is empty may be ignored. Care must be taken to handle the case where the mode is non-unique. If it is not appropriate or possible to support a general collection, use a vector (array), if possible. If it is not appropriate or possible to support an unspecified value type, use integers. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Rust
Rust
use std::collections::HashMap;   fn main() { let mode_vec1 = mode(vec![ 1, 3, 6, 6, 6, 6, 7, 7, 12, 12, 17]); let mode_vec2 = mode(vec![ 1, 1, 2, 4, 4]);   println!("Mode of vec1 is: {:?}", mode_vec1); println!("Mode of vec2 is: {:?}", mode_vec2);   assert!( mode_vec1 == [6], "Error in mode calculation"); assert!( (mode_vec2 == [1, 4]) || (mode_vec2 == [4,1]), "Error in mode calculation" ); }   fn mode(vs: Vec<i32>) -> Vec<i32> { let mut vec_mode = Vec::new(); let mut seen_map = HashMap::new(); let mut max_val = 0; for i in vs{ let ctr = seen_map.entry(i).or_insert(0); *ctr += 1; if *ctr > max_val{ max_val = *ctr; } } for (key, val) in seen_map { if val == max_val{ vec_mode.push(key); } } vec_mode }  
http://rosettacode.org/wiki/Averages/Mode
Averages/Mode
Task[edit] Write a program to find the mode value of a collection. The case where the collection is empty may be ignored. Care must be taken to handle the case where the mode is non-unique. If it is not appropriate or possible to support a general collection, use a vector (array), if possible. If it is not appropriate or possible to support an unspecified value type, use integers. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#S-lang
S-lang
private variable mx, mxkey, modedat;   define find_max(key) { if (modedat[key] > mx) { mx = modedat[key]; mxkey = {key}; } else if (modedat[key] == mx) { list_append(mxkey, key); } }   define find_mode(indat) {  % reset [file/module-scope] globals: mx = 0, mxkey = {}, modedat = Assoc_Type[Int_Type, 0];   foreach $1 (indat) modedat[string($1)]++;   array_map(Void_Type, &find_max, assoc_get_keys(modedat));   if (length(mxkey) > 1) { $2 = 0; () = printf("{"); foreach $1 (mxkey) { () = printf("%s%s", $2 ? ", " : "", $1); $2 = 1; } () = printf("} each have "); } else () = printf("%s has ", mxkey[0], mx); () = printf("the most entries (%d).\n", mx); }   find_mode({"Hungadunga", "Hungadunga", "Hungadunga", "Hungadunga", "McCormick"});   find_mode({"foo", "2.3", "bar", "foo", "foobar", "quality", 2.3, "strnen"});
http://rosettacode.org/wiki/Associative_array/Iteration
Associative array/Iteration
Show how to iterate over the key-value pairs of an associative array, and print each pair out. Also show how to iterate just over the keys, or the values, if there is a separate way to do that in your language. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Java
Java
Map<String, Integer> map = new HashMap<String, Integer>(); map.put("hello", 1); map.put("world", 2); map.put("!", 3);   // iterating over key-value pairs: for (Map.Entry<String, Integer> e : map.entrySet()) { String key = e.getKey(); Integer value = e.getValue(); System.out.println("key = " + key + ", value = " + value); }   // iterating over keys: for (String key : map.keySet()) { System.out.println("key = " + key); }   // iterating over values: for (Integer value : map.values()) { System.out.println("value = " + value); }
http://rosettacode.org/wiki/Averages/Arithmetic_mean
Averages/Arithmetic mean
Task[edit] Write a program to find the mean (arithmetic average) of a numeric vector. In case of a zero-length input, since the mean of an empty set of numbers is ill-defined, the program may choose to behave in any way it deems appropriate, though if the programming language has an established convention for conveying math errors or undefined values, it's preferable to follow it. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#IDL
IDL
x = [3,1,4,1,5,9] print,mean(x)
http://rosettacode.org/wiki/Averages/Arithmetic_mean
Averages/Arithmetic mean
Task[edit] Write a program to find the mean (arithmetic average) of a numeric vector. In case of a zero-length input, since the mean of an empty set of numbers is ill-defined, the program may choose to behave in any way it deems appropriate, though if the programming language has an established convention for conveying math errors or undefined values, it's preferable to follow it. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#J
J
mean=: +/ % #
http://rosettacode.org/wiki/Attractive_numbers
Attractive numbers
A number is an   attractive number   if the number of its prime factors (whether distinct or not) is also prime. Example The number   20,   whose prime decomposition is   2 × 2 × 5,   is an   attractive number   because the number of its prime factors   (3)   is also prime. Task Show sequence items up to   120. Reference   The OEIS entry:   A063989: Numbers with a prime number of prime divisors.
#Ring
Ring
  # Project: Attractive Numbers   decomp = [] nump = 0 see "Attractive Numbers up to 120:" + nl while nump < 120 decomp = [] nump = nump + 1 for i = 1 to nump if isPrime(i) and nump%i = 0 add(decomp,i) dec = nump/i while dec%i = 0 add(decomp,i) dec = dec/i end ok next if isPrime(len(decomp)) see string(nump) + " = [" for n = 1 to len(decomp) if n < len(decomp) see string(decomp[n]) + "*" else see string(decomp[n]) + "] - " + len(decomp) + " is prime" + nl ok next ok end     func isPrime(num) if (num <= 1) return 0 ok if (num % 2 = 0) and num != 2 return 0 ok for i = 3 to floor(num / 2) -1 step 2 if (num % i = 0) return 0 ok next return 1  
http://rosettacode.org/wiki/Attractive_numbers
Attractive numbers
A number is an   attractive number   if the number of its prime factors (whether distinct or not) is also prime. Example The number   20,   whose prime decomposition is   2 × 2 × 5,   is an   attractive number   because the number of its prime factors   (3)   is also prime. Task Show sequence items up to   120. Reference   The OEIS entry:   A063989: Numbers with a prime number of prime divisors.
#Ruby
Ruby
require "prime"   p (1..120).select{|n| n.prime_division.sum(&:last).prime? }  
http://rosettacode.org/wiki/Averages/Mean_time_of_day
Averages/Mean time of day
Task[edit] A particular activity of bats occurs at these times of the day: 23:00:17, 23:40:20, 00:12:45, 00:17:19 Using the idea that there are twenty-four hours in a day, which is analogous to there being 360 degrees in a circle, map times of day to and from angles; and using the ideas of Averages/Mean angle compute and show the average time of the nocturnal activity to an accuracy of one second of time. See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#zkl
zkl
var D=Time.Date; fcn meanT(t1,t2,etc){ ts:=vm.arglist.apply(fcn(hms){ (D.toFloat(hms.split(":").xplode())*15).toRad() }); n:=ts.len(); mt:=(ts.apply("sin").sum(0.0)/n) .atan2(ts.apply("cos").sum(0.0)/n) .toDeg() /15; if(mt<0) mt+=24; //-0.204622-->23.7954 D.toHour(mt).concat(":") }
http://rosettacode.org/wiki/Averages/Median
Averages/Median
Task[edit] Write a program to find the   median   value of a vector of floating-point numbers. The program need not handle the case where the vector is empty, but must handle the case where there are an even number of elements.   In that case, return the average of the two middle values. There are several approaches to this.   One is to sort the elements, and then pick the element(s) in the middle. Sorting would take at least   O(n logn).   Another approach would be to build a priority queue from the elements, and then extract half of the elements to get to the middle element(s).   This would also take   O(n logn).   The best solution is to use the   selection algorithm   to find the median in   O(n)   time. See also Quickselect_algorithm Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#NewLISP
NewLISP
; median.lsp ; oofoe 2012-01-25   (define (median lst) (sort lst) ; Sorts in place. (if (empty? lst) nil (letn ((n (length lst)) (h (/ (- n 1) 2))) (if (zero? (mod n 2)) (div (add (lst h) (lst (+ h 1))) 2) (lst h)) )))     (define (test lst) (println lst " -> " (median lst)))   (test '()) (test '(5 3 4)) (test '(5 4 2 3)) (test '(3 4 1 -8.4 7.2 4 1 1.2))   (exit)
http://rosettacode.org/wiki/Averages/Pythagorean_means
Averages/Pythagorean means
Task[edit] Compute all three of the Pythagorean means of the set of integers 1 through 10 (inclusive). Show that A ( x 1 , … , x n ) ≥ G ( x 1 , … , x n ) ≥ H ( x 1 , … , x n ) {\displaystyle A(x_{1},\ldots ,x_{n})\geq G(x_{1},\ldots ,x_{n})\geq H(x_{1},\ldots ,x_{n})} for this set of positive integers. The most common of the three means, the arithmetic mean, is the sum of the list divided by its length: A ( x 1 , … , x n ) = x 1 + ⋯ + x n n {\displaystyle A(x_{1},\ldots ,x_{n})={\frac {x_{1}+\cdots +x_{n}}{n}}} The geometric mean is the n {\displaystyle n} th root of the product of the list: G ( x 1 , … , x n ) = x 1 ⋯ x n n {\displaystyle G(x_{1},\ldots ,x_{n})={\sqrt[{n}]{x_{1}\cdots x_{n}}}} The harmonic mean is n {\displaystyle n} divided by the sum of the reciprocal of each item in the list: H ( x 1 , … , x n ) = n 1 x 1 + ⋯ + 1 x n {\displaystyle H(x_{1},\ldots ,x_{n})={\frac {n}{{\frac {1}{x_{1}}}+\cdots +{\frac {1}{x_{n}}}}}} See also Tasks for calculating statistical measures in one go moving (sliding window) moving (cumulative) Mean Arithmetic Statistics/Basic Averages/Arithmetic mean Averages/Pythagorean means Averages/Simple moving average Geometric Averages/Pythagorean means Harmonic Averages/Pythagorean means Quadratic Averages/Root mean square Circular Averages/Mean angle Averages/Mean time of day Median Averages/Median Mode Averages/Mode Standard deviation Statistics/Basic Cumulative standard deviation
#Octave
Octave
  A = mean(list); % arithmetic mean G = mean(list,'g'); % geometric mean H = mean(list,'a'); % harmonic mean  
http://rosettacode.org/wiki/Babbage_problem
Babbage problem
Charles Babbage, looking ahead to the sorts of problems his Analytical Engine would be able to solve, gave this example: What is the smallest positive integer whose square ends in the digits 269,696? — Babbage, letter to Lord Bowden, 1837; see Hollingdale and Tootill, Electronic Computers, second edition, 1970, p. 125. He thought the answer might be 99,736, whose square is 9,947,269,696; but he couldn't be certain. Task[edit] The task is to find out if Babbage had the right answer — and to do so, as far as your language allows it, in code that Babbage himself would have been able to read and understand. As Babbage evidently solved the task with pencil and paper, a similar efficient solution is preferred. For these purposes, Charles Babbage may be taken to be an intelligent person, familiar with mathematics and with the idea of a computer; he has written the first drafts of simple computer programmes in tabular form. [Babbage Archive Series L]. Motivation The aim of the task is to write a program that is sufficiently clear and well-documented for such a person to be able to read it and be confident that it does indeed solve the specified problem.
#zkl
zkl
// The magic number is 269696, so, starting about its square root, // find the first integer that, when squared, its last six digits are the magic number. // The last digits are found with modulo, represented here by the % symbol const N=269696; [500..].filter1(fcn(n){ n*n%0d1_000_000 == N })
http://rosettacode.org/wiki/Balanced_brackets
Balanced brackets
Task: Generate a string with   N   opening brackets   [   and with   N   closing brackets   ],   in some arbitrary order. Determine whether the generated string is balanced; that is, whether it consists entirely of pairs of opening/closing brackets (in that order), none of which mis-nest. Examples (empty) OK [] OK [][] OK [[][]] OK ][ NOT OK ][][ NOT OK []][[] NOT OK
#Haskell
Haskell
  isMatching :: String -> Bool isMatching = null . foldl aut [] where aut ('[':s) ']' = s -- aut ('{':s) '}' = s -- automaton could be extended aut s x = x:s  
http://rosettacode.org/wiki/Append_a_record_to_the_end_of_a_text_file
Append a record to the end of a text file
Many systems offer the ability to open a file for writing, such that any data written will be appended to the end of the file. Further, the file operations will always adjust the position pointer to guarantee the end of the file, even in a multitasking environment. This feature is most useful in the case of log files, where many jobs may be appending to the log file at the same time, or where care must be taken to avoid concurrently overwriting the same record from another job. Task Given a two record sample for a mythical "passwd" file: Write these records out in the typical system format. Ideally these records will have named fields of various types. Close the file, then reopen the file for append. Append a new record to the file and close the file again. Take appropriate care to avoid concurrently overwrites from another job. Open the file and demonstrate the new record has indeed written to the end. Source record field types and contents. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string jsmith x 1001 1000 Joe Smith,Room 1007,(234)555-8917,(234)555-0077,[email protected] /home/jsmith /bin/bash jdoe x 1002 1000 Jane Doe,Room 1004,(234)555-8914,(234)555-0044,[email protected] /home/jdoe /bin/bash Record to be appended. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string xyz x 1003 1000 X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected] /home/xyz /bin/bash Resulting file format: should mimic Linux's /etc/passwd file format with particular attention to the "," separator used in the GECOS field. But if the specific language has a particular or unique format of storing records in text file, then this format should be named and demonstrated with an additional example. Expected output: Appended record: xyz:x:1003:1000:X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected]:/home/xyz:/bin/bash Finally: Provide a summary of the language's "append record" capabilities in a table. eg. Append Capabilities. Data Representation IO Library Append Possible Automatic Append Multi-tasking Safe In core On disk C struct CSV text file glibc/stdio ☑ ☑ ☑ (Not all, eg NFS) Alternatively: If the language's appends can not guarantee its writes will always append, then note this restriction in the table. If possible, provide an actual code example (possibly using file/record locking) to guarantee correct concurrent appends.
#Racket
Racket
  #lang racket   (define sample1 '("jsmith" "x" 1001 1000 ("Joe Smith" "Room 1007" "(234)555-8917" "(234)555-0077" "[email protected]") "/home/jsmith" "/bin/bash"))   (define sample2 '("jdoe" "x" 1002 1000 ("Jane Doe" "Room 1004" "(234)555-8914" "(234)555-0044" "[email protected]") "/home/jdoe" "/bin/bash"))   (define sample3 '("xyz" "x" 1003 1000 ("X Yz" "Room 1003" "(234)555-8913" "(234)555-0033" "[email protected]") "/home/xyz" "/bin/bash"))   (define passwd-file "sexpr-passwd")   (define (write-passwds mode . ps) (with-output-to-file passwd-file #:exists mode (λ() (for ([p (in-list ps)]) (printf "~s\n" p)))))   (define (lookup username) (with-input-from-file passwd-file (λ() (for/first ([p (in-producer read eof)] #:when (equal? username (car p))) p))))   (printf "Creating file with two sample records.\n") (write-passwds 'replace sample1 sample2)   (printf "Appending third sample.\n") (write-passwds 'append sample3)   (printf "Looking up xyz in current file:\n=> ~s\n" (lookup "xyz"))  
http://rosettacode.org/wiki/Append_a_record_to_the_end_of_a_text_file
Append a record to the end of a text file
Many systems offer the ability to open a file for writing, such that any data written will be appended to the end of the file. Further, the file operations will always adjust the position pointer to guarantee the end of the file, even in a multitasking environment. This feature is most useful in the case of log files, where many jobs may be appending to the log file at the same time, or where care must be taken to avoid concurrently overwriting the same record from another job. Task Given a two record sample for a mythical "passwd" file: Write these records out in the typical system format. Ideally these records will have named fields of various types. Close the file, then reopen the file for append. Append a new record to the file and close the file again. Take appropriate care to avoid concurrently overwrites from another job. Open the file and demonstrate the new record has indeed written to the end. Source record field types and contents. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string jsmith x 1001 1000 Joe Smith,Room 1007,(234)555-8917,(234)555-0077,[email protected] /home/jsmith /bin/bash jdoe x 1002 1000 Jane Doe,Room 1004,(234)555-8914,(234)555-0044,[email protected] /home/jdoe /bin/bash Record to be appended. account password UID GID fullname,office,extension,homephone,email directory shell string string int int struct(string,string,string,string,string) string string xyz x 1003 1000 X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected] /home/xyz /bin/bash Resulting file format: should mimic Linux's /etc/passwd file format with particular attention to the "," separator used in the GECOS field. But if the specific language has a particular or unique format of storing records in text file, then this format should be named and demonstrated with an additional example. Expected output: Appended record: xyz:x:1003:1000:X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected]:/home/xyz:/bin/bash Finally: Provide a summary of the language's "append record" capabilities in a table. eg. Append Capabilities. Data Representation IO Library Append Possible Automatic Append Multi-tasking Safe In core On disk C struct CSV text file glibc/stdio ☑ ☑ ☑ (Not all, eg NFS) Alternatively: If the language's appends can not guarantee its writes will always append, then note this restriction in the table. If possible, provide an actual code example (possibly using file/record locking) to guarantee correct concurrent appends.
#Raku
Raku
class record { has $.name; has $.password; has $.UID; has $.GID; has $.fullname; has $.office; has $.extension; has $.homephone; has $.email; has $.directory; has $.shell;   method gecos { join ',', $.fullname, $.office, $.extension, $.homephone, $.email }   method gist { join ':', $.name, $.password, $.UID, $.GID, self.gecos, $.directory, $.shell; } };   my $fname = 'foo.fil';   given $fname.IO.open(:w) { .close }; # clear file   sub append ($file, $line){ my $fh = $file.IO.open(:a) or fail "Unable to open $file"; given $fh { # Get a lock on the file, waits until lock is active .lock; # seek to the end in case some other process wrote to # the file while we were waiting for the lock .seek(0, SeekType::SeekFromEnd); # write the record .say: $line; .close; } }   sub str-to-record ($str) { my %rec = <name password UID GID fullname office extension homephone email directory shell> Z=> $str.split(/<[:,]>/); my $user = record.new(|%rec); }   for 'jsmith:x:1001:1000:Joe Smith,Room 1007,(234)555-8917,(234)555-0077,[email protected]:/home/jsmith:/bin/bash', 'jdoe:x:1002:1000:Jane Doe,Room 1004,(234)555-8914,(234)555-0044,[email protected]:/home/jdoe:/bin/bash' -> $line { my $thisuser = str-to-record $line; $fname.&append: $thisuser.gist; }   put "Last line of $fname before append:"; put $fname.IO.lines.tail;   $fname.&append: str-to-record('xyz:x:1003:1000:X Yz,Room 1003,(234)555-8913,(234)555-0033,[email protected]:/home/xyz:/bin/bash').gist;   put "Last line of $fname after append:"; put $fname.IO.lines.tail;  
http://rosettacode.org/wiki/Associative_array/Creation
Associative array/Creation
Task The goal is to create an associative array (also known as a dictionary, map, or hash). Related tasks: Associative arrays/Iteration Hash from two arrays See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#ColdFusion
ColdFusion
<cfset myHash = structNew()> <cfset myHash.key1 = "foo"> <cfset myHash["key2"] = "bar"> <cfset myHash.put("key3","java-style")>
http://rosettacode.org/wiki/Anti-primes
Anti-primes
The anti-primes (or highly composite numbers, sequence A002182 in the OEIS) are the natural numbers with more factors than any smaller than itself. Task Generate and show here, the first twenty anti-primes. Related tasks   Factors of an integer   Sieve of Eratosthenes
#Pascal
Pascal
program AntiPrimes; {$IFdef FPC} {$MOde Delphi} {$IFEND} function getFactorCnt(n:NativeUint):NativeUint; var divi,quot,pot,lmt : NativeUint; begin result := 1; divi := 1; lmt := trunc(sqrt(n)); while divi < n do Begin inc(divi); pot := 0; repeat quot := n div divi; if n <> quot*divi then BREAK; n := quot; inc(pot); until false; result := result*(1+pot); //IF n= prime leave now if divi > lmt then BREAK; end; end;   var i,Count,FacCnt,lastCnt: NativeUint; begin count := 0; lastCnt := 0; i := 1; repeat FacCnt := getFactorCnt(i); if lastCnt < FacCnt then Begin write(i,'(',FacCnt,'),'); lastCnt:= FacCnt; inc(Count); if count = 12 then Writeln; end; inc(i); until Count >= 20; writeln; end.
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#UNIX_Shell
UNIX Shell
assert() { if test ! $1; then [[ $2 ]] && echo "$2" >&2 exit 1 fi } x=42 assert "$x -eq 42" "that's not the answer" ((x--)) assert "$x -eq 42" "that's not the answer" echo "won't get here"
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#Vala
Vala
int a = 42; int b = 33; assert (a == 42); assert (b == 42); // will break the program with "assertion failed" error
http://rosettacode.org/wiki/Assertions
Assertions
Assertions are a way of breaking out of code when there is an error or an unexpected input. Some languages throw exceptions and some treat it as a break point. Task Show an assertion in your language by asserting that an integer variable is equal to 42.
#VBA
VBA
Sub test() Dim a As Integer a = 41 Debug.Assert a = 42 End Sub