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/Old_lady_swallowed_a_fly
Old lady swallowed a fly
Task Present a program which emits the lyrics to the song   I Knew an Old Lady Who Swallowed a Fly,   taking advantage of the repetitive structure of the song's lyrics. This song has multiple versions with slightly different lyrics, so all these programs might not emit identical output. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Icon_and_Unicon
Icon and Unicon
procedure main() #: There Was An Old Lady Lyrics   verse := table() # arglists for printf - [1] long asides and [2] terse joiners verse["bird"] := [["%s,\nQuite absurd, %s %s;\n",1,2,1],["%s,\n",1]] verse["cat"] := [["%s,\nFancy that, %s %s;\n",1,2,1],["%s,\n",1]] verse["dog"] := [["%s,\nWhat a hog, %s %s;\n",1,2,1],["%s,\n",1]] verse["pig"] := [["%s,\nHer mouth was so big, %s %s;\n",1,2,1],["%s,\n",1]] verse["goat"] := [["%s,\nShe just opened her throat, %s %s;\n",1,2,1],["%s,\n",1]] verse["cow"] := [["%s,\nI don't know how, %s %s;\n",1,2,1],["%s,\n",1]] verse["donkey"] := [["%s,\nIt was rather wonky, %s %s;\n",1,2,1],["%s,\n",1]]   # just long versions of these verse["fly"] := [["%s,\nBut I don't know why %s %s,\nPerhaps she'll die!\n\n",1,2,1]] verse["spider"] := [["%s,\nThat wriggled and jiggled and tickled inside her;\n",1]] verse["horse"] := [["%s...\nShe's dead, of course!\n",1]]   every (f := verse[k := key(verse)][1|2])[i := 1 to *f] do # fix every printf args f[i] := case f[i] of { 1 : k ; 2 : "she swallowed the"; default : f[i]}   zoofilo := [] "fly,spider,bird,cat,dog,pig,goat,cow,donkey,horse," ? # order while push(zoofilo,tab(find(","))) & move(1) do { printf("There was an old lady who swallowed a ") every critter := !zoofilo do { printf!verse[critter,(critter == (zoofilo[1] | "spider" | "fly"),1)|2] if critter == "horse" then stop() # dead printf("She swallowed the %s to catch the ","fly" ~== critter) } } end   link printf
http://rosettacode.org/wiki/OpenGL
OpenGL
Task Display a smooth shaded triangle with OpenGL. Triangle created using C example compiled with GCC 4.1.2 and freeglut3.
#R
R
library(rgl) x <- c(-1, -1, 1) y <- c(0, -1, -1) z <- c(0, 0, 0) M <- cbind(x,y,z) rgl.bg(color="gray15") triangles3d(M, col=rainbow(8))
http://rosettacode.org/wiki/One_of_n_lines_in_a_file
One of n lines in a file
A method of choosing a line randomly from a file: Without reading the file more than once When substantial parts of the file cannot be held in memory Without knowing how many lines are in the file Is to: keep the first line of the file as a possible choice, then Read the second line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/2. Read the third line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/3. ... Read the Nth line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/N Return the computed possible choice when no further lines exist in the file. Task Create a function/method/routine called one_of_n that given n, the number of actual lines in a file, follows the algorithm above to return an integer - the line number of the line chosen from the file. The number returned can vary, randomly, in each run. Use one_of_n in a simulation to find what woud be the chosen line of a 10 line file simulated 1,000,000 times. Print and show how many times each of the 10 lines is chosen as a rough measure of how well the algorithm works. Note: You may choose a smaller number of repetitions if necessary, but mention this up-front. Note: This is a specific version of a Reservoir Sampling algorithm: https://en.wikipedia.org/wiki/Reservoir_sampling
#Perl
Perl
#!/usr/bin/perl use warnings; use strict;   sub one_of_n { my $n = shift; my $return = 1; for my $line (2 .. $n) { $return = $line if 1 > rand $line; } return $return; }   my $repeat = 1_000_000; my $size = 10;   my @freq; ++$freq[ one_of_n($size) - 1 ] for 1 .. $repeat; print "@freq\n";
http://rosettacode.org/wiki/One_of_n_lines_in_a_file
One of n lines in a file
A method of choosing a line randomly from a file: Without reading the file more than once When substantial parts of the file cannot be held in memory Without knowing how many lines are in the file Is to: keep the first line of the file as a possible choice, then Read the second line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/2. Read the third line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/3. ... Read the Nth line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/N Return the computed possible choice when no further lines exist in the file. Task Create a function/method/routine called one_of_n that given n, the number of actual lines in a file, follows the algorithm above to return an integer - the line number of the line chosen from the file. The number returned can vary, randomly, in each run. Use one_of_n in a simulation to find what woud be the chosen line of a 10 line file simulated 1,000,000 times. Print and show how many times each of the 10 lines is chosen as a rough measure of how well the algorithm works. Note: You may choose a smaller number of repetitions if necessary, but mention this up-front. Note: This is a specific version of a Reservoir Sampling algorithm: https://en.wikipedia.org/wiki/Reservoir_sampling
#Phix
Phix
with javascript_semantics function one_of_n(integer n) integer line_num = 1 for i=2 to n do if rnd()<1/i then line_num = i end if end for return line_num end function sequence counts = repeat(0,10) for i=1 to 1000000 do integer cdx = one_of_n(10) counts[cdx] += 1 end for ?counts
http://rosettacode.org/wiki/Optional_parameters
Optional parameters
Task Define a function/method/subroutine which sorts a sequence ("table") of sequences ("rows") of strings ("cells"), by one of the strings. Besides the input to be sorted, it shall have the following optional parameters: ordering A function specifying the ordering of strings; lexicographic by default. column An integer specifying which string of each row to compare; the first by default. reverse Reverses the ordering. This task should be considered to include both positional and named optional parameters, as well as overloading on argument count as in Java or selector name as in Smalltalk, or, in the extreme, using different function names. Provide these variations of sorting in whatever way is most natural to your language. If the language supports both methods naturally, you are encouraged to describe both. Do not implement a sorting algorithm; this task is about the interface. If you can't use a built-in sort routine, just omit the implementation (with a comment). See also: Named Arguments
#Slate
Slate
s@(Sequence traits) tableSort &column: column &sortBy: sortBlock &reverse: reverse [ column `defaultsTo: 0. sortBlock `defaultsTo: [| :a :b | (a lexicographicallyCompare: b) isNegative]. (reverse `defaultsTo: False) ifTrue: [sortBlock := [| :a :b | (sortBlock applyTo: {a. b}) not]]. s sortBy: [| :a :b | sortBlock applyTo: {a at: column. b at: column}] ].
http://rosettacode.org/wiki/Optional_parameters
Optional parameters
Task Define a function/method/subroutine which sorts a sequence ("table") of sequences ("rows") of strings ("cells"), by one of the strings. Besides the input to be sorted, it shall have the following optional parameters: ordering A function specifying the ordering of strings; lexicographic by default. column An integer specifying which string of each row to compare; the first by default. reverse Reverses the ordering. This task should be considered to include both positional and named optional parameters, as well as overloading on argument count as in Java or selector name as in Smalltalk, or, in the extreme, using different function names. Provide these variations of sorting in whatever way is most natural to your language. If the language supports both methods naturally, you are encouraged to describe both. Do not implement a sorting algorithm; this task is about the interface. If you can't use a built-in sort routine, just omit the implementation (with a comment). See also: Named Arguments
#Swift
Swift
enum SortOrder { case kOrdNone, kOrdLex, kOrdByAddress, kOrdNumeric }   func sortTable(table: [[String]], less: (String,String)->Bool = (<), column: Int = 0, reversed: Bool = false) { // . . . Actual sort goes here . . . }
http://rosettacode.org/wiki/Order_two_numerical_lists
Order two numerical lists
sorting Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Write a function that orders two lists or arrays filled with numbers. The function should accept two lists as arguments and return true if the first list should be ordered before the second, and false otherwise. The order is determined by lexicographic order: Comparing the first element of each list. If the first elements are equal, then the second elements should be compared, and so on, until one of the list has no more elements. If the first list runs out of elements the result is true. If the second list or both run out of elements the result is false. Note: further clarification of lexicographical ordering is expounded on the talk page here and here.
#PicoLisp
PicoLisp
: (> (1 2 0 4 4 0 0 0) (1 2 1 3 2)) -> NIL
http://rosettacode.org/wiki/Order_two_numerical_lists
Order two numerical lists
sorting Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Write a function that orders two lists or arrays filled with numbers. The function should accept two lists as arguments and return true if the first list should be ordered before the second, and false otherwise. The order is determined by lexicographic order: Comparing the first element of each list. If the first elements are equal, then the second elements should be compared, and so on, until one of the list has no more elements. If the first list runs out of elements the result is true. If the second list or both run out of elements the result is false. Note: further clarification of lexicographical ordering is expounded on the talk page here and here.
#Pike
Pike
int(0..1) order_array(array a, array b) { if (!sizeof(a)) return true; if (!sizeof(b)) return false; if (a[0] == b[0]) return order_array(a[1..], b[1..]); return a[0] < b[0]; }
http://rosettacode.org/wiki/Ordered_words
Ordered words
An   ordered word   is a word in which the letters appear in alphabetic order. Examples include   abbey   and   dirt. Task[edit] Find and display all the ordered words in the dictionary   unixdict.txt   that have the longest word length. (Examples that access the dictionary file locally assume that you have downloaded this file yourself.) The display needs to be shown on this page. Related tasks Word plays Ordered words Palindrome detection Semordnilap Anagrams Anagrams/Deranged anagrams Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Oforth
Oforth
: longWords | w longest l s | 0 ->longest File new("unixdict.txt") forEach: w [ w size dup ->s longest < ifTrue: [ continue ] w sort w == ifFalse: [ continue ] s longest > ifTrue: [ s ->longest ListBuffer new ->l ] l add(w) ] l ;
http://rosettacode.org/wiki/Palindrome_detection
Palindrome detection
A palindrome is a phrase which reads the same backward and forward. Task[edit] Write a function or program that checks whether a given sequence of characters (or, if you prefer, bytes) is a palindrome. For extra credit: Support Unicode characters. Write a second function (possibly as a wrapper to the first) which detects inexact palindromes, i.e. phrases that are palindromes if white-space and punctuation is ignored and case-insensitive comparison is used. Hints It might be useful for this task to know how to reverse a string. This task's entries might also form the subjects of the task Test a function. Related tasks Word plays Ordered words Palindrome detection Semordnilap Anagrams Anagrams/Deranged anagrams Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Racket
Racket
  (define (palindromb str) (let* ([lst (string->list (string-downcase str))] [slst (remove* '(#\space) lst)]) (string=? (list->string (reverse slst)) (list->string slst))))   ;;example output   > (palindromb "able was i ere i saw elba") #t > (palindromb "waht the hey") #f > (palindromb "In girum imus nocte et consumimur igni") #t >  
http://rosettacode.org/wiki/Numeric_error_propagation
Numeric error propagation
If   f,   a,   and   b   are values with uncertainties   σf,   σa,   and   σb,   and   c   is a constant; then if   f   is derived from   a,   b,   and   c   in the following ways, then   σf   can be calculated as follows: Addition/Subtraction If   f = a ± c,   or   f = c ± a   then   σf = σa If   f = a ± b   then   σf2 = σa2 + σb2 Multiplication/Division If   f = ca   or   f = ac       then   σf = |cσa| If   f = ab   or   f = a / b   then   σf2 = f2( (σa / a)2 + (σb / b)2) Exponentiation If   f = ac   then   σf = |fc(σa / a)| Caution: This implementation of error propagation does not address issues of dependent and independent values.   It is assumed that   a   and   b   are independent and so the formula for multiplication should not be applied to   a*a   for example.   See   the talk page   for some of the implications of this issue. Task details Add an uncertain number type to your language that can support addition, subtraction, multiplication, division, and exponentiation between numbers with an associated error term together with 'normal' floating point numbers without an associated error term. Implement enough functionality to perform the following calculations. Given coordinates and their errors: x1 = 100 ± 1.1 y1 = 50 ± 1.2 x2 = 200 ± 2.2 y2 = 100 ± 2.3 if point p1 is located at (x1, y1) and p2 is at (x2, y2); calculate the distance between the two points using the classic Pythagorean formula: d = √   (x1 - x2)²   +   (y1 - y2)²   Print and display both   d   and its error. References A Guide to Error Propagation B. Keeney, 2005. Propagation of uncertainty Wikipedia. Related task   Quaternion type
#Racket
Racket
#lang racket   (struct ± (x dx) #:transparent #:methods gen:custom-write [(define (write-proc a port mode) (display (±->string a) port))])   (define/match (±+ a [b 0]) [((± x dx) (± y dy)) (± (+ x y) (norm dx dy))] [((± x dx) c) (± (+ x c) dx)] [(_ (± y dy)) (±+ b a)])   (define/match (±* a b) [((± x dx) (± y dy)) (± (* x y) (* x y (norm (/ dx x) (/ dy y))))] [((± x dx) c) (± (* x c) (abs (* c dx)))] [(_ (± y dy)) (±* b a)])   (define/match (±- a [b #f]) [(a #f) (±* -1 a)] [(a b) (±+ a (±* -1 b))])   (define/match (±/ a b) [((± x dx) (± y dy)) (± (/ x y) (/ x y (norm (/ dx x) (/ dy y))))] [((± _ _) c) (±* a (/ 1 c))])   (define/match (±expt a c) [((± x dx) c) (± (expt x c) (abs (* (expt x c) (/ dx x))))])   (define/match (norm a b) [((± x dx) (± y dy)) (±expt (±+ (±expt a 2) (±expt b 2)) 0.5)] [(x y) (sqrt (+ (sqr x) (sqr y)))])   (define/match (±->string x [places 3]) [((± x dx) p) (string-join (map (λ (s) (real->decimal-string s p)) (list x dx))" ± ")])   ;; Test ;; (define x1 (± 100 1.1)) (define y1 (± 50 1.2)) (define x2 (± 200 2.2)) (define y2 (± 100 2.3)) (norm (±- x1 x2) (±- y1 y2))
http://rosettacode.org/wiki/Numeric_error_propagation
Numeric error propagation
If   f,   a,   and   b   are values with uncertainties   σf,   σa,   and   σb,   and   c   is a constant; then if   f   is derived from   a,   b,   and   c   in the following ways, then   σf   can be calculated as follows: Addition/Subtraction If   f = a ± c,   or   f = c ± a   then   σf = σa If   f = a ± b   then   σf2 = σa2 + σb2 Multiplication/Division If   f = ca   or   f = ac       then   σf = |cσa| If   f = ab   or   f = a / b   then   σf2 = f2( (σa / a)2 + (σb / b)2) Exponentiation If   f = ac   then   σf = |fc(σa / a)| Caution: This implementation of error propagation does not address issues of dependent and independent values.   It is assumed that   a   and   b   are independent and so the formula for multiplication should not be applied to   a*a   for example.   See   the talk page   for some of the implications of this issue. Task details Add an uncertain number type to your language that can support addition, subtraction, multiplication, division, and exponentiation between numbers with an associated error term together with 'normal' floating point numbers without an associated error term. Implement enough functionality to perform the following calculations. Given coordinates and their errors: x1 = 100 ± 1.1 y1 = 50 ± 1.2 x2 = 200 ± 2.2 y2 = 100 ± 2.3 if point p1 is located at (x1, y1) and p2 is at (x2, y2); calculate the distance between the two points using the classic Pythagorean formula: d = √   (x1 - x2)²   +   (y1 - y2)²   Print and display both   d   and its error. References A Guide to Error Propagation B. Keeney, 2005. Propagation of uncertainty Wikipedia. Related task   Quaternion type
#Raku
Raku
# cache of independent sources so we can make them all the same length. # (Because Raku does not yet have a longest-zip metaoperator.) my @INDEP;   class Approx does Numeric { has Real $.x; # The mean. has $.c; # The components of error.   multi method Str { sprintf "%g±%.3g", $!x, $.σ } multi method Bool { abs($!x) > $.σ }   method variance { [+] @.c X** 2 } method σ { sqrt self.variance } }   multi approx($x,$c) { Approx.new: :$x, :$c } multi approx($x) { Approx.new: :$x, :c[0 xx +@INDEP] }   # Each ± gets its own source slot. multi infix:<±>($a, $b) { .push: 0 for @INDEP; # lengthen older component lists my $c = [ flat 0 xx @INDEP, $b ]; @INDEP.push: $c; # add new component list   approx $a, $c; }   multi prefix:<->(Approx $a) { approx -$a.x, [$a.c.map: -*] }   multi infix:<+>($a, Approx $b) { approx($a) + $b } multi infix:<+>(Approx $a, $b) { $a + approx($b) } multi infix:<+>(Approx $a, Approx $b) { approx $a.x + $b.x, [$a.c Z+ $b.c] }   multi infix:<->($a, Approx $b) { approx($a) - $b } multi infix:<->(Approx $a, $b) { $a - approx($b) } multi infix:<->(Approx $a, Approx $b) { approx $a.x - $b.x, [$a.c Z- $b.c] }   multi covariance(Real $a, Real $b) { 0 } multi covariance(Approx $a, Approx $b) { [+] $a.c Z* $b.c }   multi infix:«<=>»(Approx $a, Approx $b) { $a.x <=> $b.x } multi infix:<cmp>(Approx $a, Approx $b) { $a.x <=> $b.x }   multi infix:<*>($a, Approx $b) { approx($a) * $b } multi infix:<*>(Approx $a, $b) { $a * approx($b) } multi infix:<*>(Approx $a, Approx $b) { approx $a.x * $b.x, [$a.c.map({$b.x * $_}) Z+ $b.c.map({$a.x * $_})]; }   multi infix:</>($a, Approx $b) { approx($a) / $b } multi infix:</>(Approx $a, $b) { $a / approx($b) } multi infix:</>(Approx $a, Approx $b) { approx $a.x / $b.x, [ $a.c.map({ $_ / $b.x }) Z+ $b.c.map({ $a.x * $_ / $b.x / $b.x }) ]; }   multi sqrt(Approx $a) { my $x = sqrt($a.x); approx $x, [ $a.c.map: { $_ / 2 / $x } ]; }   multi infix:<**>(Approx $a, Real $b) { $a ** approx($b) } multi infix:<**>(Approx $a is copy, Approx $b) { my $ax = $a.x; my $bx = $b.x; my $fbx = floor $b.x; if $ax < 0 { if $fbx != $bx or $fbx +& 1 { die "Can't take power of negative number $ax"; } $a = -$a; } exp($b * log $a); }   multi exp(Approx $a) { my $x = exp($a.x); approx $x, [ $a.c.map: { $x * $_ } ]; }   multi log(Approx $a) { my $x0 = $a.x; approx log($x0), [ $a.c.map: { $_ / $x0 }]; }   # Each ± sets up an independent source component. my $x1 = 100 ± 1.1; my $x2 = 200 ± 2.2; my $y1 = 50 ± 1.2; my $y2 = 100 ± 2.3;   # The standard task. my $z1 = sqrt(($x1 - $x2) ** 2 + ($y1 - $y2) ** 2); say "distance: $z1\n";   # Just showing off. my $a = $x1 + $x2; my $b = $y1 - 2 * $x2; say "covariance between $a and $b: ", covariance($a,$b);
http://rosettacode.org/wiki/Odd_word_problem
Odd word problem
Task Write a program that solves the odd word problem with the restrictions given below. Description You are promised an input stream consisting of English letters and punctuations. It is guaranteed that: the words (sequence of consecutive letters) are delimited by one and only one punctuation, the stream will begin with a word, the words will be at least one letter long,   and a full stop (a period, [.]) appears after, and only after, the last word. Example A stream with six words: what,is,the;meaning,of:life. The task is to reverse the letters in every other word while leaving punctuations intact, producing: what,si,the;gninaem,of:efil. while observing the following restrictions: Only I/O allowed is reading or writing one character at a time, which means: no reading in a string, no peeking ahead, no pushing characters back into the stream, and no storing characters in a global variable for later use; You are not to explicitly save characters in a collection data structure, such as arrays, strings, hash tables, etc, for later reversal; You are allowed to use recursions, closures, continuations, threads, co-routines, etc., even if their use implies the storage of multiple characters. Test cases Work on both the   "life"   example given above, and also the text: we,are;not,in,kansas;any,more.
#Perl
Perl
what,is,the;meaning,of:life.
http://rosettacode.org/wiki/Odd_word_problem
Odd word problem
Task Write a program that solves the odd word problem with the restrictions given below. Description You are promised an input stream consisting of English letters and punctuations. It is guaranteed that: the words (sequence of consecutive letters) are delimited by one and only one punctuation, the stream will begin with a word, the words will be at least one letter long,   and a full stop (a period, [.]) appears after, and only after, the last word. Example A stream with six words: what,is,the;meaning,of:life. The task is to reverse the letters in every other word while leaving punctuations intact, producing: what,si,the;gninaem,of:efil. while observing the following restrictions: Only I/O allowed is reading or writing one character at a time, which means: no reading in a string, no peeking ahead, no pushing characters back into the stream, and no storing characters in a global variable for later use; You are not to explicitly save characters in a collection data structure, such as arrays, strings, hash tables, etc, for later reversal; You are allowed to use recursions, closures, continuations, threads, co-routines, etc., even if their use implies the storage of multiple characters. Test cases Work on both the   "life"   example given above, and also the text: we,are;not,in,kansas;any,more.
#Phix
Phix
with javascript_semantics string s = "what,is,the;meaning,of:life." --string s = "we,are;not,in,kansas;any,more." integer i = 0 function getchar() i += 1 return s[i] end function function wrod(integer rev) integer ch = getchar(), nch -- integer ch = getc(0), nch if not find(ch," .,:;!?") then if rev then nch = wrod(rev) end if puts(1,ch) if not rev then nch = wrod(rev) end if ch = nch end if return ch end function --puts(1,"Enter words separated by a single punctuation mark (i.e. !?,.;:) and ending with .\n") integer rev = 0 while 1 do integer ch = wrod(rev) puts(1,ch) if ch='.' then exit end if rev = 1-rev end while
http://rosettacode.org/wiki/Number_names
Number names
Task Show how to spell out a number in English. You can use a preexisting implementation or roll your own, but you should support inputs up to at least one million (or the maximum value of your language's default bounded integer type, if that's less). Support for inputs other than positive integers (like zero, negative integers, and floating-point numbers) is optional. Related task   Spelling of ordinal numbers.
#Batch_File
Batch File
::Number Names Task from Rosetta Code Wiki ::Batch File Implementation   @echo off setlocal enabledelayedexpansion   if "%~1"=="iterate" goto num_name ::Define the words set "small=One Two Three Four Five Six Seven Eight Nine Ten" set "small=%small% Eleven Twelve Thirteen Fourteen Fifteen Sixteen Seventeen Eighteen Nineteen" set "decade=Twenty Thirty Forty Fifty Sixty Seventy Eighty Ninety" set "big=Thousand Million Billion" ::Seperating each word... set cnt=0 for %%X in (%small%) do (set /a "cnt+=1"&set small!cnt!=%%X) set cnt=0 for %%Y in (%decade%) do (set decade!cnt!=%%Y&set /a "cnt+=1") set cnt=0 for %%Z in (%big%) do (set big!cnt!=%%Z&set /a "cnt+=1") ::The Main Thing for %%. in (42,27,1090,230000,1001100,-40309,0,123456789) do ( set input=%%. if %%. lss 0 (set /a input*=-1) if !input! equ 0 (set TotalOut=Zero) else ( call :num_word %%. ) echo "!TotalOut!" ) exit /b ::/The Main Thing ::The Procedure :num_word set outP= set unit=0 set num=!input! :num_loop set /a tmpLng1 = num %% 100 set /a tmpLng2 = tmpLng1 %% 10 set /a tmpNum1 = tmpLng1/10 - 2   if !tmpLng1! geq 1 if !tmpLng1! leq 19 ( set "outP=!small%tmpLng1%! !outP!" ) if !tmpLng1! geq 20 if !tmpLng1! leq 99 ( if !tmpLng2! equ 0 ( set "outP=!decade%tmpNum1%! !outP!" ) else ( set "outP=!decade%tmpNum1%!-!small%tmpLng2%! !outP!" ) )   set /a tmpLng1 = (num %% 1000)/100 if not !tmpLng1! equ 0 ( set "outP=!small%tmpLng1%! Hundred !outP!" )   set /a num/=1000 if !num! lss 1 goto :break_loop   set /a tmpLng1 = num %% 1000 if not !tmpLng1! equ 0 ( set "outP=!big%unit%! !outP!" ) set /a unit+=1 goto :num_loop   :break_loop set "TotalOut=!outP!" if %1 lss 0 set "TotalOut=Negative !outP!"   set TotalOut=%TotalOut:~0,-1% goto :EOF
http://rosettacode.org/wiki/Number_reversal_game
Number reversal game
Task Given a jumbled list of the numbers   1   to   9   that are definitely   not   in ascending order. Show the list,   and then ask the player how many digits from the left to reverse. Reverse those digits,   then ask again,   until all the digits end up in ascending order. The score is the count of the reversals needed to attain the ascending order. Note: Assume the player's input does not need extra validation. Related tasks   Sorting algorithms/Pancake sort   Pancake sorting.   Topswops
#C
C
void number_reversal_game() { printf("Number Reversal Game. Type a number to flip the first n numbers."); printf("Win by sorting the numbers in ascending order.\n"); printf("Anything besides numbers are ignored.\n"); printf("\t |1__2__3__4__5__6__7__8__9|\n"); int list[9] = {1,2,3,4,5,6,7,8,9}; shuffle_list(list,9);   int tries=0; unsigned int i; int input;   while(!check_array(list, 9)) { ((tries<10) ? printf("Round %d : ", tries) : printf("Round %d : ", tries)); for(i=0;i<9;i++)printf("%d ",list[i]); printf(" Gimme that number:"); while(1) { //Just keep asking for proper input scanf("%d", &input); if(input>1&&input<10) break;   printf("\n%d - Please enter a number between 2 and 9:", (int)input); } tries++; do_flip(list, 9, input); } printf("Hurray! You solved it in %d moves!\n", tries); }
http://rosettacode.org/wiki/Null_object
Null object
Null (or nil) is the computer science concept of an undefined or unbound object. Some languages have an explicit way to access the null object, and some don't. Some languages distinguish the null object from undefined values, and some don't. Task Show how to access null in your language by checking to see if an object is equivalent to the null object. This task is not about whether a variable is defined. The task is about "null"-like values in various languages, which may or may not be related to the defined-ness of variables in your language.
#Common_Lisp
Common Lisp
(if (condition) (do-this))
http://rosettacode.org/wiki/Null_object
Null object
Null (or nil) is the computer science concept of an undefined or unbound object. Some languages have an explicit way to access the null object, and some don't. Some languages distinguish the null object from undefined values, and some don't. Task Show how to access null in your language by checking to see if an object is equivalent to the null object. This task is not about whether a variable is defined. The task is about "null"-like values in various languages, which may or may not be related to the defined-ness of variables in your language.
#Component_Pascal
Component Pascal
  MODULE ObjectNil; IMPORT StdLog; TYPE Object = POINTER TO ObjectDesc; ObjectDesc = RECORD END; VAR x: Object; (* default initialization to NIL *)   PROCEDURE DoIt*; BEGIN IF x = NIL THEN StdLog.String("x is NIL");StdLog.Ln END END DoIt;   END ObjectNil.  
http://rosettacode.org/wiki/One-dimensional_cellular_automata
One-dimensional cellular automata
Assume an array of cells with an initial distribution of live and dead cells, and imaginary cells off the end of the array having fixed values. Cells in the next generation of the array are calculated based on the value of the cell and its left and right nearest neighbours in the current generation. If, in the following table, a live cell is represented by 1 and a dead cell by 0 then to generate the value of the cell at a particular index in the array of cellular values you use the following table: 000 -> 0 # 001 -> 0 # 010 -> 0 # Dies without enough neighbours 011 -> 1 # Needs one neighbour to survive 100 -> 0 # 101 -> 1 # Two neighbours giving birth 110 -> 1 # Needs one neighbour to survive 111 -> 0 # Starved to death.
#DWScript
DWScript
const ngenerations = 10; const table = [0, 0, 0, 1, 0, 1, 1, 0];   var a := [0, 0, 1, 1, 1, 0, 1, 1, 0, 1, 0, 1, 0, 1, 0, 1, 0, 0, 1, 0, 0, 0]; var b := a;   var i, j : Integer; for i := 1 to ngenerations do begin for j := a.low+1 to a.high-1 do begin if a[j] = 0 then Print('_') else Print('#'); var val := (a[j-1] shl 2) or (a[j] shl 1) or a[j+1]; b[j] := table[val]; end; var tmp := a; a := b; b := tmp; PrintLn(''); end;  
http://rosettacode.org/wiki/Numerical_integration
Numerical integration
Write functions to calculate the definite integral of a function ƒ(x) using all five of the following methods: rectangular left right midpoint trapezium Simpson's composite Your functions should take in the upper and lower bounds (a and b), and the number of approximations to make in that range (n). Assume that your example already has a function that gives values for ƒ(x) . Simpson's method is defined by the following pseudo-code: Pseudocode: Simpson's method, composite procedure quad_simpson_composite(f, a, b, n) h := (b - a) / n sum1 := f(a + h/2) sum2 := 0 loop on i from 1 to (n - 1) sum1 := sum1 + f(a + h * i + h/2) sum2 := sum2 + f(a + h * i)   answer := (h / 6) * (f(a) + f(b) + 4*sum1 + 2*sum2) Demonstrate your function by showing the results for:   ƒ(x) = x3,       where   x   is     [0,1],       with           100 approximations.   The exact result is     0.25               (or 1/4)   ƒ(x) = 1/x,     where   x   is   [1,100],     with        1,000 approximations.   The exact result is     4.605170+     (natural log of 100)   ƒ(x) = x,         where   x   is   [0,5000],   with 5,000,000 approximations.   The exact result is   12,500,000   ƒ(x) = x,         where   x   is   [0,6000],   with 6,000,000 approximations.   The exact result is   18,000,000 See also   Active object for integrating a function of real time.   Special:PrefixIndex/Numerical integration for other integration methods.
#Elixir
Elixir
defmodule Numerical do @funs ~w(leftrect midrect rightrect trapezium simpson)a   def leftrect(f, left,_right), do: f.(left) def midrect(f, left, right), do: f.((left+right)/2) def rightrect(f,_left, right), do: f.(right) def trapezium(f, left, right), do: (f.(left)+f.(right))/2 def simpson(f, left, right), do: (f.(left) + 4*f.((left+right)/2.0) + f.(right)) / 6.0   def integrate(f, a, b, steps) when is_integer(steps) do delta = (b - a) / steps Enum.each(@funs, fn fun -> total = Enum.reduce(0..steps-1, 0, fn i, acc -> left = a + delta * i acc + apply(Numerical, fun, [f, left, left+delta]) end)  :io.format "~10s : ~.6f~n", [fun, total * delta] end) end end   f1 = fn x -> x * x * x end IO.puts "f(x) = x^3, where x is [0,1], with 100 approximations." Numerical.integrate(f1, 0, 1, 100)   f2 = fn x -> 1 / x end IO.puts "\nf(x) = 1/x, where x is [1,100], with 1,000 approximations. " Numerical.integrate(f2, 1, 100, 1000)   f3 = fn x -> x end IO.puts "\nf(x) = x, where x is [0,5000], with 5,000,000 approximations." Numerical.integrate(f3, 0, 5000, 5_000_000)   f4 = fn x -> x end IO.puts "\nf(x) = x, where x is [0,6000], with 6,000,000 approximations." Numerical.integrate(f4, 0, 6000, 6_000_000)
http://rosettacode.org/wiki/Numerical_integration/Gauss-Legendre_Quadrature
Numerical integration/Gauss-Legendre Quadrature
In a general Gaussian quadrature rule, an definite integral of f ( x ) {\displaystyle f(x)} is first approximated over the interval [ − 1 , 1 ] {\displaystyle [-1,1]} by a polynomial approximable function g ( x ) {\displaystyle g(x)} and a known weighting function W ( x ) {\displaystyle W(x)} . ∫ − 1 1 f ( x ) d x = ∫ − 1 1 W ( x ) g ( x ) d x {\displaystyle \int _{-1}^{1}f(x)\,dx=\int _{-1}^{1}W(x)g(x)\,dx} Those are then approximated by a sum of function values at specified points x i {\displaystyle x_{i}} multiplied by some weights w i {\displaystyle w_{i}} : ∫ − 1 1 W ( x ) g ( x ) d x ≈ ∑ i = 1 n w i g ( x i ) {\displaystyle \int _{-1}^{1}W(x)g(x)\,dx\approx \sum _{i=1}^{n}w_{i}g(x_{i})} In the case of Gauss-Legendre quadrature, the weighting function W ( x ) = 1 {\displaystyle W(x)=1} , so we can approximate an integral of f ( x ) {\displaystyle f(x)} with: ∫ − 1 1 f ( x ) d x ≈ ∑ i = 1 n w i f ( x i ) {\displaystyle \int _{-1}^{1}f(x)\,dx\approx \sum _{i=1}^{n}w_{i}f(x_{i})} For this, we first need to calculate the nodes and the weights, but after we have them, we can reuse them for numerious integral evaluations, which greatly speeds up the calculation compared to more simple numerical integration methods. The n {\displaystyle n} evaluation points x i {\displaystyle x_{i}} for a n-point rule, also called "nodes", are roots of n-th order Legendre Polynomials P n ( x ) {\displaystyle P_{n}(x)} . Legendre polynomials are defined by the following recursive rule: P 0 ( x ) = 1 {\displaystyle P_{0}(x)=1} P 1 ( x ) = x {\displaystyle P_{1}(x)=x} n P n ( x ) = ( 2 n − 1 ) x P n − 1 ( x ) − ( n − 1 ) P n − 2 ( x ) {\displaystyle nP_{n}(x)=(2n-1)xP_{n-1}(x)-(n-1)P_{n-2}(x)} There is also a recursive equation for their derivative: P n ′ ( x ) = n x 2 − 1 ( x P n ( x ) − P n − 1 ( x ) ) {\displaystyle P_{n}'(x)={\frac {n}{x^{2}-1}}\left(xP_{n}(x)-P_{n-1}(x)\right)} The roots of those polynomials are in general not analytically solvable, so they have to be approximated numerically, for example by Newton-Raphson iteration: x n + 1 = x n − f ( x n ) f ′ ( x n ) {\displaystyle x_{n+1}=x_{n}-{\frac {f(x_{n})}{f'(x_{n})}}} The first guess x 0 {\displaystyle x_{0}} for the i {\displaystyle i} -th root of a n {\displaystyle n} -order polynomial P n {\displaystyle P_{n}} can be given by x 0 = cos ⁡ ( π i − 1 4 n + 1 2 ) {\displaystyle x_{0}=\cos \left(\pi \,{\frac {i-{\frac {1}{4}}}{n+{\frac {1}{2}}}}\right)} After we get the nodes x i {\displaystyle x_{i}} , we compute the appropriate weights by: w i = 2 ( 1 − x i 2 ) [ P n ′ ( x i ) ] 2 {\displaystyle w_{i}={\frac {2}{\left(1-x_{i}^{2}\right)[P'_{n}(x_{i})]^{2}}}} After we have the nodes and the weights for a n-point quadrature rule, we can approximate an integral over any interval [ a , b ] {\displaystyle [a,b]} by ∫ a b f ( x ) d x ≈ b − a 2 ∑ i = 1 n w i f ( b − a 2 x i + a + b 2 ) {\displaystyle \int _{a}^{b}f(x)\,dx\approx {\frac {b-a}{2}}\sum _{i=1}^{n}w_{i}f\left({\frac {b-a}{2}}x_{i}+{\frac {a+b}{2}}\right)} Task description Similar to the task Numerical Integration, the task here is to calculate the definite integral of a function f ( x ) {\displaystyle f(x)} , but by applying an n-point Gauss-Legendre quadrature rule, as described here, for example. The input values should be an function f to integrate, the bounds of the integration interval a and b, and the number of gaussian evaluation points n. An reference implementation in Common Lisp is provided for comparison. To demonstrate the calculation, compute the weights and nodes for an 5-point quadrature rule and then use them to compute: ∫ − 3 3 exp ⁡ ( x ) d x ≈ ∑ i = 1 5 w i exp ⁡ ( x i ) ≈ 20.036 {\displaystyle \int _{-3}^{3}\exp(x)\,dx\approx \sum _{i=1}^{5}w_{i}\;\exp(x_{i})\approx 20.036}
#OCaml
OCaml
let rec leg n x = match n with (* Evaluate Legendre polynomial *) | 0 -> 1.0 | 1 -> x | k -> let u = 1.0 -. 1.0 /. float k in (1.0+.u)*.x*.(leg (k-1) x) -. u*.(leg (k-2) x);;   let leg' n x = match n with (* derivative *) | 0 -> 0.0 | 1 -> 1.0 | _ -> ((leg (n-1) x) -. x*.(leg n x)) *. (float n)/.(1.0-.x*.x);;   let approx_root k n = (* Reversed Francesco Tricomi: 1 <= k <= n *) let pi = acos (-1.0) and s = float(2*n) and t = 1.0 +. float(1-4*k)/.float(4*n+2) in (1.0 -. (float (n-1))/.(s*.s*.s))*.cos(pi*.t);;   let rec refine r n = (* Newton-Raphson *) let r1 = r -. (leg n r)/.(leg' n r) in if abs_float (r-.r1) < 2e-16 then r1 else refine r1 n;;   let root k n = refine (approx_root k n) n;;   let node k n = (* Abscissa and weight *) let r = root k n in let deriv = leg' n r in let w = 2.0/.((1.0-.r*.r)*.(deriv*.deriv)) in (r,w);;   let nodes n = let rec aux k = if k > n then [] else node k n :: aux (k+1) in aux 1;;   let quadrature n f a b = let f1 x = f ((x*.(b-.a) +. a +. b)*.0.5) in let eval s (x,w) = s +. w*.(f1 x) in 0.5*.(b-.a)*.(List.fold_left eval 0.0 (nodes n));;
http://rosettacode.org/wiki/Old_lady_swallowed_a_fly
Old lady swallowed a fly
Task Present a program which emits the lyrics to the song   I Knew an Old Lady Who Swallowed a Fly,   taking advantage of the repetitive structure of the song's lyrics. This song has multiple versions with slightly different lyrics, so all these programs might not emit identical output. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#J
J
T=:'' e=:3 :'T=:T,y,LF' E=:e@,&'.' O=:'I know an old lady who swallowed a 'E@,] I=:e bind('I don''t know why she swallowed the fly.',LF,'Perhaps she''ll die.',LF) I O 'fly' O P=:'spider' E 'That wriggled and jiggled and tickled inside her' I E A=:'She swallowed the spider to catch the fly' N=:4 :0 O x E y,'. To swallow a ',x I E A=:'She swallowed the ',x,' to catch the ',P,'.',LF,A P=:x ) 'Bird'N'Quite absurd' 'Cat'N'Fancy that' 'Dog'N'What a hog' 'Pig'N'Her mouth was so big' 'Goat'N'She just opened her throat' 'Cow'N'I don''t know how' 'Donkey'N'It was rather wonky' O'Horse' e'She''s dead, of course!'
http://rosettacode.org/wiki/Old_lady_swallowed_a_fly
Old lady swallowed a fly
Task Present a program which emits the lyrics to the song   I Knew an Old Lady Who Swallowed a Fly,   taking advantage of the repetitive structure of the song's lyrics. This song has multiple versions with slightly different lyrics, so all these programs might not emit identical output. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Java
Java
public class OldLadySwallowedAFly {   final static String[] data = { "_ha _c _e _p,/Quite absurd_f_p;_`cat,/Fancy that_fcat;_j`dog,/What a hog" + "_fdog;_l`pig,/Her mouth_qso big_fpig;_d_r,/She just opened her throat_f_" + "r;_icow,/_mhow she_ga cow;_k_o,/It_qrather wonky_f_o;_a_o_bcow,_khorse.." + "./She's dead, of course!/", "_a_p_b_e ", "/S_t ", " to catch the ", "fly,/Bu" + "t _mwhy s_t fly,/Perhaps she'll die!//_ha", "_apig_bdog,_l`", "spider,/Tha" + "t wr_nj_ntickled inside her;_aspider_b_c", ", to_s a ", "_sed ", "There_qan" + " old lady who_g", "_a_r_bpig,_d", "_acat_b_p,_", "_acow_b_r,_i", "_adog_bcat" + ",_j", "I don't know ", "iggled and ", "donkey", "bird", " was ", "goat", " swal" + "low", "he_gthe"};   static boolean oldLady(String part, boolean s) { for (char c : part.toCharArray()) { if (s) s = oldLady(data[c - '_'], false); else if (c == '_') s = true; else System.out.print(c == '/' ? '\n' : c); } return s; }   public static void main(String[] args) { oldLady(data[0], false); } }
http://rosettacode.org/wiki/OpenGL
OpenGL
Task Display a smooth shaded triangle with OpenGL. Triangle created using C example compiled with GCC 4.1.2 and freeglut3.
#Racket
Racket
  #lang racket/gui (require sgl/gl)   (define (resize w h) (glViewport 0 0 w h))   (define (draw-opengl) (glClearColor 0.0 0.0 0.0 0.0) (glClear GL_COLOR_BUFFER_BIT)   (glShadeModel GL_SMOOTH)   (glMatrixMode GL_PROJECTION) (glLoadIdentity) (glOrtho 0.0 1.0 0.0 1.0 -1.0 1.0) (glMatrixMode GL_MODELVIEW) (glLoadIdentity)   (glBegin GL_TRIANGLES) (glColor3f 1 0 0) (glVertex3d 0.25 0.25 0.0) (glColor3f 0 1 0) (glVertex3d 0.75 0.25 0.0) (glColor3f 0 0 1) (glVertex3d 0.75 0.75 0.0) (glEnd))     (define my-canvas% (class* canvas% () (inherit with-gl-context swap-gl-buffers) (define/override (on-paint) (with-gl-context (λ() (draw-opengl) (swap-gl-buffers)))) (define/override (on-size width height) (with-gl-context (λ() (resize width height) (on-paint)))) (super-instantiate () (style '(gl)))))   (define win (new frame% [label "Racket Rosetta Code OpenGL example"] [min-width 200] [min-height 200])) (define gl (new my-canvas% [parent win]))   (send win show #t)  
http://rosettacode.org/wiki/OpenGL
OpenGL
Task Display a smooth shaded triangle with OpenGL. Triangle created using C example compiled with GCC 4.1.2 and freeglut3.
#Raku
Raku
use NativeCall;   class Window is repr('CPointer') {} class Monitor is repr('CPointer') {}   # GLFW   constant $lib = ('glfw', v3);   sub glfwInit(--> int32) is native($lib) {*} sub glfwCreateWindow(int32, int32, Str, Monitor, Window --> Window) is native($lib) {*} sub glfwTerminate() is native($lib) {*} sub glfwMakeContextCurrent(Window) is native($lib) {*} sub glfwSetWindowShouldClose(Window, int32) is native($lib) {*} sub glfwWindowShouldClose(Window --> int32) is native($lib) {*} sub glfwSwapBuffers(Window) is native($lib) {*} sub glfwSwapInterval(int32) is native($lib) {*} sub glfwPollEvents() is native($lib) {*} sub glfwGetFramebufferSize(Window, int32 is rw, int32 is rw) is native($lib) {*}   # OpenGL   enum PrimitiveMode( GL_TRIANGLES => 0x0004, );   enum MatrixMode( GL_MATRIX_MODE => 0x0BA0, GL_MODELVIEW => 0x1700, GL_PROJECTION => 0x1701, );   constant $gllib = 'GL';   sub glViewport(int32, int32, int32, int32) is native($gllib) {*} sub glClear(int32) is native($gllib) {*} sub glMatrixMode(int32) is native($gllib) {*} sub glLoadIdentity() is native($gllib) {*} sub glOrtho(num64, num64, num64, num64, num64, num64) is native($gllib) {*} sub glRotatef(num32, num32, num32, num32) is native($gllib) {*} sub glBegin(int32) is native($gllib) {*} sub glColor3f(num32, num32, num32) is native($gllib) {*} sub glVertex3f(num32, num32, num32) is native($gllib) {*} sub glEnd() is native($gllib) {*}   constant GL_COLOR_BUFFER_BIT = 0x00004000;   die 'Failed to initialize GLFW' unless glfwInit().so;   my $w = glfwCreateWindow(640, 480, "OpenGL Triangle", Nil, Nil); without $w { glfwTerminate(); die 'Failed to create window' }   glfwMakeContextCurrent($w); glfwSwapInterval(1);   while not glfwWindowShouldClose($w) { my num32 $ratio; my int32 $width; my int32 $height;   glfwGetFramebufferSize($w, $width, $height); $ratio = ($width / $height).Num;   glViewport(0, 0, $width, $height); glClear(GL_COLOR_BUFFER_BIT);   glMatrixMode(GL_PROJECTION); glLoadIdentity(); glOrtho(-$ratio, $ratio, -1e0, 1e0, 1e0, -1e0); glMatrixMode(GL_MODELVIEW);   glLoadIdentity(); glRotatef((now % 360 * 100e0) , 0e0, 0e0, 1e0);   glBegin(GL_TRIANGLES); glColor3f(1e0, 0e0, 0e0); glVertex3f(5e-1, -2.88e-1, 0e0); glColor3f(0e0, 1e0, 0e0); glVertex3f(-5e-1, -2.88e-1, 0e0); glColor3f(0e0, 0e0, 1e0); glVertex3f( 0e0, 5.73e-1, 0e0); glEnd();   glfwSwapBuffers($w); glfwPollEvents(); }   glfwTerminate();  
http://rosettacode.org/wiki/One_of_n_lines_in_a_file
One of n lines in a file
A method of choosing a line randomly from a file: Without reading the file more than once When substantial parts of the file cannot be held in memory Without knowing how many lines are in the file Is to: keep the first line of the file as a possible choice, then Read the second line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/2. Read the third line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/3. ... Read the Nth line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/N Return the computed possible choice when no further lines exist in the file. Task Create a function/method/routine called one_of_n that given n, the number of actual lines in a file, follows the algorithm above to return an integer - the line number of the line chosen from the file. The number returned can vary, randomly, in each run. Use one_of_n in a simulation to find what woud be the chosen line of a 10 line file simulated 1,000,000 times. Print and show how many times each of the 10 lines is chosen as a rough measure of how well the algorithm works. Note: You may choose a smaller number of repetitions if necessary, but mention this up-front. Note: This is a specific version of a Reservoir Sampling algorithm: https://en.wikipedia.org/wiki/Reservoir_sampling
#PicoLisp
PicoLisp
(de one-of-n (N) (let R 1 (for I N (when (= 1 (rand 1 I)) (setq R I) ) ) R ) )   (let L (need 10 0) (do 1000000 (inc (nth L (one-of-n 10))) ) L )
http://rosettacode.org/wiki/One_of_n_lines_in_a_file
One of n lines in a file
A method of choosing a line randomly from a file: Without reading the file more than once When substantial parts of the file cannot be held in memory Without knowing how many lines are in the file Is to: keep the first line of the file as a possible choice, then Read the second line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/2. Read the third line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/3. ... Read the Nth line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/N Return the computed possible choice when no further lines exist in the file. Task Create a function/method/routine called one_of_n that given n, the number of actual lines in a file, follows the algorithm above to return an integer - the line number of the line chosen from the file. The number returned can vary, randomly, in each run. Use one_of_n in a simulation to find what woud be the chosen line of a 10 line file simulated 1,000,000 times. Print and show how many times each of the 10 lines is chosen as a rough measure of how well the algorithm works. Note: You may choose a smaller number of repetitions if necessary, but mention this up-front. Note: This is a specific version of a Reservoir Sampling algorithm: https://en.wikipedia.org/wiki/Reservoir_sampling
#PowerShell
PowerShell
  function Get-OneOfN ([int]$Number) { $current = 1   for ($i = 2; $i -le $Number; $i++) { $limit = 1 / $i   if ((Get-Random -Minimum 0.0 -Maximum 1.0) -lt $limit) { $current = $i } }   $current }     $table = [ordered]@{}   for ($i = 1; $i -lt 11; $i++) { $table.Add(("Line {0,2}" -f $i), 0) }   for ($i = 0; $i -lt 1000000; $i++) { $index = (Get-OneOfN -Number 10) - 1 $table[$index] = $table[$index] + 1 }   [PSCustomObject]$table  
http://rosettacode.org/wiki/Optional_parameters
Optional parameters
Task Define a function/method/subroutine which sorts a sequence ("table") of sequences ("rows") of strings ("cells"), by one of the strings. Besides the input to be sorted, it shall have the following optional parameters: ordering A function specifying the ordering of strings; lexicographic by default. column An integer specifying which string of each row to compare; the first by default. reverse Reverses the ordering. This task should be considered to include both positional and named optional parameters, as well as overloading on argument count as in Java or selector name as in Smalltalk, or, in the extreme, using different function names. Provide these variations of sorting in whatever way is most natural to your language. If the language supports both methods naturally, you are encouraged to describe both. Do not implement a sorting algorithm; this task is about the interface. If you can't use a built-in sort routine, just omit the implementation (with a comment). See also: Named Arguments
#Tcl
Tcl
proc tablesort {table {ordering ""} {column 0} {reverse 0}} { set direction [expr {$reverse ? "-decreasing" : "-increasing"}] if {$ordering ne ""} { lsort -command $ordering $direction -index $column $table } else { lsort $direction -index $column $table } }   puts [tablesort $data] puts [tablesort $data "" 1] puts [tablesort $data "" 0 1] puts [tablesort $data { apply {{a b} {expr {[string length $a]-[string length $b]}}} }]
http://rosettacode.org/wiki/Order_two_numerical_lists
Order two numerical lists
sorting Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Write a function that orders two lists or arrays filled with numbers. The function should accept two lists as arguments and return true if the first list should be ordered before the second, and false otherwise. The order is determined by lexicographic order: Comparing the first element of each list. If the first elements are equal, then the second elements should be compared, and so on, until one of the list has no more elements. If the first list runs out of elements the result is true. If the second list or both run out of elements the result is false. Note: further clarification of lexicographical ordering is expounded on the talk page here and here.
#PL.2FI
PL/I
lists: procedure options (main); /* 8 June 2014 */   declare a(10) fixed initial (1, 2, 3, 4, 5, 8, 9, 10, 16, 17), b(15) fixed initial (5, 6, 7, 8, 9, 10, 11, 12, 15, 16, 17, 18, 20, 22, 23);   put skip list (compare(a, b)); put skip list (compare(b, a)); put skip list (compare(a, a));     compare: procedure (a, b) returns (bit (1)); declare (a, b)(*) fixed; declare (i, m, n) fixed binary;   m = hbound(a,1); n = hbound(b,1); do i = 1 to min(m, n); return (a(i) < b(i)); end; return (m < n); end compare;   end lists;
http://rosettacode.org/wiki/Order_two_numerical_lists
Order two numerical lists
sorting Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Write a function that orders two lists or arrays filled with numbers. The function should accept two lists as arguments and return true if the first list should be ordered before the second, and false otherwise. The order is determined by lexicographic order: Comparing the first element of each list. If the first elements are equal, then the second elements should be compared, and so on, until one of the list has no more elements. If the first list runs out of elements the result is true. If the second list or both run out of elements the result is false. Note: further clarification of lexicographical ordering is expounded on the talk page here and here.
#PowerShell
PowerShell
  function order($as,$bs) { if($as -and $bs) { $a, $as = $as $b, $bs = $bs if($a -eq $b) {order $as $bs} else{$a -lt $b} } elseif ($bs) {$true} else {$false} } "$(order @(1,2,1,3,2) @(1,2,0,4,4,0,0,0))"  
http://rosettacode.org/wiki/Ordered_words
Ordered words
An   ordered word   is a word in which the letters appear in alphabetic order. Examples include   abbey   and   dirt. Task[edit] Find and display all the ordered words in the dictionary   unixdict.txt   that have the longest word length. (Examples that access the dictionary file locally assume that you have downloaded this file yourself.) The display needs to be shown on this page. Related tasks Word plays Ordered words Palindrome detection Semordnilap Anagrams Anagrams/Deranged anagrams Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#ooRexx
ooRexx
/*REXX list (the longest) ordered word(s) from a supplied dictionary. */ iFID= 'UNIXDICT.TXT' w.='' mL=0 Do j=1 While lines(iFID)\==0 x=linein(iFID) w=length(x) If w>=mL Then Do Parse Upper Var x xU 1 z 2 Do k=2 To w _=substr(xU, k, 1) If \datatype(_, 'U') Then Iterate If _<z Then Iterate j z=_ End mL=w w.w=w.w x End End nn=words(w.mL) Say nn 'word's(nn) "found (of length" mL')' Say '' Do n=1 To nn Say word(w.mL, n) End Exit s: Return left('s',arg(1)>1)
http://rosettacode.org/wiki/Palindrome_detection
Palindrome detection
A palindrome is a phrase which reads the same backward and forward. Task[edit] Write a function or program that checks whether a given sequence of characters (or, if you prefer, bytes) is a palindrome. For extra credit: Support Unicode characters. Write a second function (possibly as a wrapper to the first) which detects inexact palindromes, i.e. phrases that are palindromes if white-space and punctuation is ignored and case-insensitive comparison is used. Hints It might be useful for this task to know how to reverse a string. This task's entries might also form the subjects of the task Test a function. Related tasks Word plays Ordered words Palindrome detection Semordnilap Anagrams Anagrams/Deranged anagrams Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Raku
Raku
subset Palindrom of Str where { .flip eq $_ given .comb(/\w+/).join.lc }   my @tests = q:to/END/.lines; A man, a plan, a canal: Panama. My dog has fleas Madam, I'm Adam. 1 on 1 In girum imus nocte et consumimur igni END   for @tests { say $_ ~~ Palindrom, "\t", $_ }
http://rosettacode.org/wiki/Numeric_error_propagation
Numeric error propagation
If   f,   a,   and   b   are values with uncertainties   σf,   σa,   and   σb,   and   c   is a constant; then if   f   is derived from   a,   b,   and   c   in the following ways, then   σf   can be calculated as follows: Addition/Subtraction If   f = a ± c,   or   f = c ± a   then   σf = σa If   f = a ± b   then   σf2 = σa2 + σb2 Multiplication/Division If   f = ca   or   f = ac       then   σf = |cσa| If   f = ab   or   f = a / b   then   σf2 = f2( (σa / a)2 + (σb / b)2) Exponentiation If   f = ac   then   σf = |fc(σa / a)| Caution: This implementation of error propagation does not address issues of dependent and independent values.   It is assumed that   a   and   b   are independent and so the formula for multiplication should not be applied to   a*a   for example.   See   the talk page   for some of the implications of this issue. Task details Add an uncertain number type to your language that can support addition, subtraction, multiplication, division, and exponentiation between numbers with an associated error term together with 'normal' floating point numbers without an associated error term. Implement enough functionality to perform the following calculations. Given coordinates and their errors: x1 = 100 ± 1.1 y1 = 50 ± 1.2 x2 = 200 ± 2.2 y2 = 100 ± 2.3 if point p1 is located at (x1, y1) and p2 is at (x2, y2); calculate the distance between the two points using the classic Pythagorean formula: d = √   (x1 - x2)²   +   (y1 - y2)²   Print and display both   d   and its error. References A Guide to Error Propagation B. Keeney, 2005. Propagation of uncertainty Wikipedia. Related task   Quaternion type
#REXX
REXX
/*REXX program calculates the distance between two points (2D) with error propagation. */ parse arg a b . /*obtain arguments from the CL*/ if a=='' | a=="," then a= '100±1.1, 50±1.2' /*Not given? Then use default.*/ if b=='' | b=="," then b= '200±2.2, 100±2.3' /* " " " " " */ parse var a ax ',' ay; parse var b bx ',' by /*obtain X,Y from A & B point.*/ parse var ax ax '±' axe; parse var bx bx '±' bxE /* " err " Ax and Bx.*/ parse var ay ay '±' aye; parse var by by '±' byE /* " " " Ay " By.*/ if axE=='' then axE= 0; if bxE=="" then bxE= 0 /*No error? Then use default.*/ if ayE=='' then ayE= 0; if byE=="" then byE= 0 /* " " " " " */ say ' A point (x,y)= ' ax "±" axE', ' ay "±" ayE /*display A point (with err)*/ say ' B point (x.y)= ' bx "±" bxE', ' by "±" byE /* " B " " " */ say /*blank line for the eyeballs.*/ dx= ax-bx; dxE= sqrt(axE**2 + bxE**2); xe= #(dx, 2, dxE) /*compute X distances (& err)*/ dy= ay-by; dyE= sqrt(ayE**2 + byE**2); ye= #(dy, 2, dyE) /* " Y " " " */ D= sqrt(dx**2 + dy**2) /*compute the 2D distance. */ say 'distance=' D "±" #(D**2, .5, sqrt(xE**2 + yE**2)) /*display " " " */ exit 0 /*stick a fork in it, we're all done. */ /*──────────────────────────────────────────────────────────────────────────────────────*/ #: procedure; arg x,p,e; if p=.5 then z=1/sqrt(abs(x)); else z=abs(x)**(p-1); return p*e*z /*──────────────────────────────────────────────────────────────────────────────────────*/ sqrt: procedure; parse arg x; if x=0 then return 0; d=digits(); numeric digits; h=d+6 numeric form; parse value format(x,2,1,,0) 'E0' with g "E" _ .; g=g * .5'e'_ % 2 m.=9; do j=0 while h>9; m.j=h; h=h%2+1; end /*j*/ do k=j+5 to 0 by -1; numeric digits m.k; g=(g+x/g)*.5; end /*k*/ numeric digits d; return g/1 /*──────────────────────────────────────────────────────────────────────────────────────*/ sqrt: procedure; parse arg x; if x=0 then return 0; d=digits(); numeric digits; h=d+6 numeric form; parse value format(x,2,1,,0) 'E0' with g "E" _ .; g= g * .5'e'_ % 2 m.= 9; do j=0 while h>9; m.j= h; h= h%2+1; end /*j*/ do k=j+5 to 0 by -1; numeric digits m.k; g= (g+x/g)*.5; end /*k*/ numeric digits d; return g/1
http://rosettacode.org/wiki/Odd_word_problem
Odd word problem
Task Write a program that solves the odd word problem with the restrictions given below. Description You are promised an input stream consisting of English letters and punctuations. It is guaranteed that: the words (sequence of consecutive letters) are delimited by one and only one punctuation, the stream will begin with a word, the words will be at least one letter long,   and a full stop (a period, [.]) appears after, and only after, the last word. Example A stream with six words: what,is,the;meaning,of:life. The task is to reverse the letters in every other word while leaving punctuations intact, producing: what,si,the;gninaem,of:efil. while observing the following restrictions: Only I/O allowed is reading or writing one character at a time, which means: no reading in a string, no peeking ahead, no pushing characters back into the stream, and no storing characters in a global variable for later use; You are not to explicitly save characters in a collection data structure, such as arrays, strings, hash tables, etc, for later reversal; You are allowed to use recursions, closures, continuations, threads, co-routines, etc., even if their use implies the storage of multiple characters. Test cases Work on both the   "life"   example given above, and also the text: we,are;not,in,kansas;any,more.
#PHP
PHP
$odd = function ($prev) use ( &$odd ) { $a = fgetc(STDIN); if (!ctype_alpha($a)) { $prev(); fwrite(STDOUT, $a); return $a != '.'; } $clos = function () use ($a , $prev) { fwrite(STDOUT, $a); $prev(); }; return $odd($clos); }; $even = function () { while (true) { $c = fgetc(STDIN); fwrite(STDOUT, $c); if (!ctype_alpha($c)) { return $c != "."; } } }; $prev = function(){}; $e = false; while ($e ? $odd($prev) : $even()) { $e = !$e; }
http://rosettacode.org/wiki/Number_names
Number names
Task Show how to spell out a number in English. You can use a preexisting implementation or roll your own, but you should support inputs up to at least one million (or the maximum value of your language's default bounded integer type, if that's less). Support for inputs other than positive integers (like zero, negative integers, and floating-point numbers) is optional. Related task   Spelling of ordinal numbers.
#BBC_BASIC
BBC BASIC
DIM test%(20) test%() = 0, 1, 2, 19, 20, 21, 99, 100, 101, 300, 310, 1001, -1327, 1501, \ \ 10203, 12609, 101104, 102003, 467889, 1005006, -123000789 FOR i% = 0 TO DIM(test%(),1) PRINT FNsaynumber(test%(i%)) NEXT END   DEF FNsaynumber(n%) LOCAL number%(), number$(), i%, t%, a$ DIM number%(29), number$(29) number%() = 1000000000, 1000000, 1000, 100, 90, 80, 70, 60, 50, 40, 30, 20, \ \ 19, 18, 17, 16, 15, 14, 13, 12, 11, 10, 9, 8, 7, 6, 5, 4, 3, 2 number$() = "billion", "million", "thousand", "hundred", "ninety", "eighty", \ \ "seventy", "sixty", "fifty", "forty", "thirty", "twenty", \ \ "nineteen", "eighteen", "seventeen", "sixteen", "fifteen", \ \ "fourteen", "thirteen", "twelve", "eleven", "ten", "nine", \ \ "eight", "seven", "six", "five", "four", "three", "two"   IF n% < 0 THEN = "minus " + FNsaynumber(-n%) IF n% = 0 THEN = "zero" IF n% = 1 THEN = "one "   FOR i% = 0 TO DIM(number%(),1) IF n% >= number%(i%) THEN t% = n% DIV number%(i%) IF t%=1 AND i%<4 a$ += "one " ELSE IF t%<>1 a$ += FNsaynumber(t%) a$ += number$(i%) t% = n% MOD number%(i%) CASE TRUE OF WHEN i%>3 AND i%<12 AND t%<>0: a$ += "-" WHEN i%<=3 AND t%>=100: a$ += ", " WHEN i%<=3 AND t%<>0 AND t%<100: a$ += " and " OTHERWISE: a$ += " " ENDCASE IF t% a$ += FNsaynumber(t%) ELSE IF i%<12 a$ += " " EXIT FOR ENDIF NEXT i% = a$
http://rosettacode.org/wiki/Number_reversal_game
Number reversal game
Task Given a jumbled list of the numbers   1   to   9   that are definitely   not   in ascending order. Show the list,   and then ask the player how many digits from the left to reverse. Reverse those digits,   then ask again,   until all the digits end up in ascending order. The score is the count of the reversals needed to attain the ascending order. Note: Assume the player's input does not need extra validation. Related tasks   Sorting algorithms/Pancake sort   Pancake sorting.   Topswops
#C.23
C#
using System; using System.Linq;   class Program { static void Main(string[] args) { var r = new Random();   var tries = 1; var sorted = Enumerable.Range(1, 9).ToList(); var values = sorted.OrderBy(x => r.Next(-1, 1)).ToList();   while (Enumerable.SequenceEqual(sorted, values)) { values = sorted.OrderBy(x => r.Next(-1, 1)).ToList(); }   //values = "1 3 9 2 7 5 4 8 6".Split().Select(x => int.Parse(x)).ToList();   while (!Enumerable.SequenceEqual(sorted, values)) { Console.Write("# {0}: LIST: {1} - Flip how many? ", tries, String.Join(" ", values));   values.Reverse(0, int.Parse(Console.ReadLine())); tries += 1; }   Console.WriteLine("\nYou took {0} attempts to put the digits in order!", tries - 1); Console.ReadLine(); } }
http://rosettacode.org/wiki/Null_object
Null object
Null (or nil) is the computer science concept of an undefined or unbound object. Some languages have an explicit way to access the null object, and some don't. Some languages distinguish the null object from undefined values, and some don't. Task Show how to access null in your language by checking to see if an object is equivalent to the null object. This task is not about whether a variable is defined. The task is about "null"-like values in various languages, which may or may not be related to the defined-ness of variables in your language.
#Crystal
Crystal
foo : Int32 | Nil = 5 # this variable's type can be Int32 or Nil bar : Int32? = nil # equivalent type to above, but shorter syntax baz : Int32 = 5 # this variable can never be nil   foo.not_nil! # nothing happens, since 5 is not nil puts "Is foo nil? #{foo.nil?}" foo = nil puts "Now is foo nil? #{foo.nil?}"   puts "Does bar equal nil? #{bar == nil}"   puts "Is bar equivalent to nil? #{bar === nil}"   bar.not_nil! # bar is nil, so an exception is thrown
http://rosettacode.org/wiki/Null_object
Null object
Null (or nil) is the computer science concept of an undefined or unbound object. Some languages have an explicit way to access the null object, and some don't. Some languages distinguish the null object from undefined values, and some don't. Task Show how to access null in your language by checking to see if an object is equivalent to the null object. This task is not about whether a variable is defined. The task is about "null"-like values in various languages, which may or may not be related to the defined-ness of variables in your language.
#D
D
import std.stdio;   class K {}   void main() { K k; if (k is null) writeln("k is null"); k = new K; if (k !is null) writeln("Now k is not null"); }
http://rosettacode.org/wiki/One-dimensional_cellular_automata
One-dimensional cellular automata
Assume an array of cells with an initial distribution of live and dead cells, and imaginary cells off the end of the array having fixed values. Cells in the next generation of the array are calculated based on the value of the cell and its left and right nearest neighbours in the current generation. If, in the following table, a live cell is represented by 1 and a dead cell by 0 then to generate the value of the cell at a particular index in the array of cellular values you use the following table: 000 -> 0 # 001 -> 0 # 010 -> 0 # Dies without enough neighbours 011 -> 1 # Needs one neighbour to survive 100 -> 0 # 101 -> 1 # Two neighbours giving birth 110 -> 1 # Needs one neighbour to survive 111 -> 0 # Starved to death.
#D.C3.A9j.C3.A0_Vu
Déjà Vu
new-state size: 0 ] repeat size: random-range 0 2 [ 0   update s1 s2: for i range 1 - len s1 2: s1! -- i s1! i s1! ++ i + + set-to s2 i = 2 s2 s1   print-state s: for i range 1 - len s 2: !print\ s! i !print ""   same-state s1 s2: for i range 1 - len s1 2: if /= s1! i s2! i: return false true   run size: new-state size new-state size while true: update print-state over if same-state over over: return print-state drop   run 60
http://rosettacode.org/wiki/One-dimensional_cellular_automata
One-dimensional cellular automata
Assume an array of cells with an initial distribution of live and dead cells, and imaginary cells off the end of the array having fixed values. Cells in the next generation of the array are calculated based on the value of the cell and its left and right nearest neighbours in the current generation. If, in the following table, a live cell is represented by 1 and a dead cell by 0 then to generate the value of the cell at a particular index in the array of cellular values you use the following table: 000 -> 0 # 001 -> 0 # 010 -> 0 # Dies without enough neighbours 011 -> 1 # Needs one neighbour to survive 100 -> 0 # 101 -> 1 # Two neighbours giving birth 110 -> 1 # Needs one neighbour to survive 111 -> 0 # Starved to death.
#E
E
def step(state, rule) { var result := state(0, 1) # fixed left cell for i in 1..(state.size() - 2) { # Rule function receives the substring which is the neighborhood result += E.toString(rule(state(i-1, i+2))) } result += state(state.size() - 1) # fixed right cell return result }   def play(var state, rule, count, out) { out.print(`0 | $state$\n`) for i in 1..count { state := step(state, rosettaRule) out.print(`$i | $state$\n`) } return state }
http://rosettacode.org/wiki/Numerical_integration
Numerical integration
Write functions to calculate the definite integral of a function ƒ(x) using all five of the following methods: rectangular left right midpoint trapezium Simpson's composite Your functions should take in the upper and lower bounds (a and b), and the number of approximations to make in that range (n). Assume that your example already has a function that gives values for ƒ(x) . Simpson's method is defined by the following pseudo-code: Pseudocode: Simpson's method, composite procedure quad_simpson_composite(f, a, b, n) h := (b - a) / n sum1 := f(a + h/2) sum2 := 0 loop on i from 1 to (n - 1) sum1 := sum1 + f(a + h * i + h/2) sum2 := sum2 + f(a + h * i)   answer := (h / 6) * (f(a) + f(b) + 4*sum1 + 2*sum2) Demonstrate your function by showing the results for:   ƒ(x) = x3,       where   x   is     [0,1],       with           100 approximations.   The exact result is     0.25               (or 1/4)   ƒ(x) = 1/x,     where   x   is   [1,100],     with        1,000 approximations.   The exact result is     4.605170+     (natural log of 100)   ƒ(x) = x,         where   x   is   [0,5000],   with 5,000,000 approximations.   The exact result is   12,500,000   ƒ(x) = x,         where   x   is   [0,6000],   with 6,000,000 approximations.   The exact result is   18,000,000 See also   Active object for integrating a function of real time.   Special:PrefixIndex/Numerical integration for other integration methods.
#Euphoria
Euphoria
function int_leftrect(sequence bounds, integer n, integer func_id) atom h, sum h = (bounds[2]-bounds[1])/n sum = 0 for x = bounds[1] to bounds[2]-h by h do sum += call_func(func_id, {x}) end for return h*sum end function   function int_rightrect(sequence bounds, integer n, integer func_id) atom h, sum h = (bounds[2]-bounds[1])/n sum = 0 for x = bounds[1] to bounds[2]-h by h do sum += call_func(func_id, {x+h}) end for return h*sum end function   function int_midrect(sequence bounds, integer n, integer func_id) atom h, sum h = (bounds[2]-bounds[1])/n sum = 0 for x = bounds[1] to bounds[2]-h by h do sum += call_func(func_id, {x+h/2}) end for return h*sum end function   function int_trapezium(sequence bounds, integer n, integer func_id) atom h, sum h = (bounds[2]-bounds[1])/n sum = call_func(func_id, {bounds[1]}) + call_func(func_id, {bounds[2]}) for x = bounds[1] to bounds[2]-h by h do sum += 2*call_func(func_id, {x}) end for return h * sum / 2 end function   function int_simpson(sequence bounds, integer n, integer func_id) atom h, sum1, sum2 h = (bounds[2]-bounds[1])/n sum1 = call_func(func_id, {bounds[1] + h/2}) sum2 = 0 for i = 1 to n-1 do sum1 += call_func(func_id, {bounds[1] + h * i + h / 2}) sum2 += call_func(func_id, {bounds[1] + h * i}) end for return h/6 * (call_func(func_id, {bounds[1]}) + call_func(func_id, {bounds[2]}) + 4*sum1 + 2*sum2) end function   function xp2d2(atom x) return x*x/2 end function   function logx(atom x) return log(x) end function   function x(atom x) return x end function   ? int_leftrect({-1,1},1000,routine_id("xp2d2")) ? int_rightrect({-1,1},1000,routine_id("xp2d2")) ? int_midrect({-1,1},1000,routine_id("xp2d2")) ? int_simpson({-1,1},1000,routine_id("xp2d2")) puts(1,'\n') ? int_leftrect({1,2},1000,routine_id("logx")) ? int_rightrect({1,2},1000,routine_id("logx")) ? int_midrect({1,2},1000,routine_id("logx")) ? int_simpson({1,2},1000,routine_id("logx")) puts(1,'\n') ? int_leftrect({0,10},1000,routine_id("x")) ? int_rightrect({0,10},1000,routine_id("x")) ? int_midrect({0,10},1000,routine_id("x")) ? int_simpson({0,10},1000,routine_id("x"))
http://rosettacode.org/wiki/Numerical_integration/Gauss-Legendre_Quadrature
Numerical integration/Gauss-Legendre Quadrature
In a general Gaussian quadrature rule, an definite integral of f ( x ) {\displaystyle f(x)} is first approximated over the interval [ − 1 , 1 ] {\displaystyle [-1,1]} by a polynomial approximable function g ( x ) {\displaystyle g(x)} and a known weighting function W ( x ) {\displaystyle W(x)} . ∫ − 1 1 f ( x ) d x = ∫ − 1 1 W ( x ) g ( x ) d x {\displaystyle \int _{-1}^{1}f(x)\,dx=\int _{-1}^{1}W(x)g(x)\,dx} Those are then approximated by a sum of function values at specified points x i {\displaystyle x_{i}} multiplied by some weights w i {\displaystyle w_{i}} : ∫ − 1 1 W ( x ) g ( x ) d x ≈ ∑ i = 1 n w i g ( x i ) {\displaystyle \int _{-1}^{1}W(x)g(x)\,dx\approx \sum _{i=1}^{n}w_{i}g(x_{i})} In the case of Gauss-Legendre quadrature, the weighting function W ( x ) = 1 {\displaystyle W(x)=1} , so we can approximate an integral of f ( x ) {\displaystyle f(x)} with: ∫ − 1 1 f ( x ) d x ≈ ∑ i = 1 n w i f ( x i ) {\displaystyle \int _{-1}^{1}f(x)\,dx\approx \sum _{i=1}^{n}w_{i}f(x_{i})} For this, we first need to calculate the nodes and the weights, but after we have them, we can reuse them for numerious integral evaluations, which greatly speeds up the calculation compared to more simple numerical integration methods. The n {\displaystyle n} evaluation points x i {\displaystyle x_{i}} for a n-point rule, also called "nodes", are roots of n-th order Legendre Polynomials P n ( x ) {\displaystyle P_{n}(x)} . Legendre polynomials are defined by the following recursive rule: P 0 ( x ) = 1 {\displaystyle P_{0}(x)=1} P 1 ( x ) = x {\displaystyle P_{1}(x)=x} n P n ( x ) = ( 2 n − 1 ) x P n − 1 ( x ) − ( n − 1 ) P n − 2 ( x ) {\displaystyle nP_{n}(x)=(2n-1)xP_{n-1}(x)-(n-1)P_{n-2}(x)} There is also a recursive equation for their derivative: P n ′ ( x ) = n x 2 − 1 ( x P n ( x ) − P n − 1 ( x ) ) {\displaystyle P_{n}'(x)={\frac {n}{x^{2}-1}}\left(xP_{n}(x)-P_{n-1}(x)\right)} The roots of those polynomials are in general not analytically solvable, so they have to be approximated numerically, for example by Newton-Raphson iteration: x n + 1 = x n − f ( x n ) f ′ ( x n ) {\displaystyle x_{n+1}=x_{n}-{\frac {f(x_{n})}{f'(x_{n})}}} The first guess x 0 {\displaystyle x_{0}} for the i {\displaystyle i} -th root of a n {\displaystyle n} -order polynomial P n {\displaystyle P_{n}} can be given by x 0 = cos ⁡ ( π i − 1 4 n + 1 2 ) {\displaystyle x_{0}=\cos \left(\pi \,{\frac {i-{\frac {1}{4}}}{n+{\frac {1}{2}}}}\right)} After we get the nodes x i {\displaystyle x_{i}} , we compute the appropriate weights by: w i = 2 ( 1 − x i 2 ) [ P n ′ ( x i ) ] 2 {\displaystyle w_{i}={\frac {2}{\left(1-x_{i}^{2}\right)[P'_{n}(x_{i})]^{2}}}} After we have the nodes and the weights for a n-point quadrature rule, we can approximate an integral over any interval [ a , b ] {\displaystyle [a,b]} by ∫ a b f ( x ) d x ≈ b − a 2 ∑ i = 1 n w i f ( b − a 2 x i + a + b 2 ) {\displaystyle \int _{a}^{b}f(x)\,dx\approx {\frac {b-a}{2}}\sum _{i=1}^{n}w_{i}f\left({\frac {b-a}{2}}x_{i}+{\frac {a+b}{2}}\right)} Task description Similar to the task Numerical Integration, the task here is to calculate the definite integral of a function f ( x ) {\displaystyle f(x)} , but by applying an n-point Gauss-Legendre quadrature rule, as described here, for example. The input values should be an function f to integrate, the bounds of the integration interval a and b, and the number of gaussian evaluation points n. An reference implementation in Common Lisp is provided for comparison. To demonstrate the calculation, compute the weights and nodes for an 5-point quadrature rule and then use them to compute: ∫ − 3 3 exp ⁡ ( x ) d x ≈ ∑ i = 1 5 w i exp ⁡ ( x i ) ≈ 20.036 {\displaystyle \int _{-3}^{3}\exp(x)\,dx\approx \sum _{i=1}^{5}w_{i}\;\exp(x_{i})\approx 20.036}
#ooRexx
ooRexx
/*--------------------------------------------------------------------- * 31.10.2013 Walter Pachl Translation from REXX (from PL/I) * using ooRexx' rxmath package * which limits the precision to 16 digits *--------------------------------------------------------------------*/ prec=60 Numeric Digits prec epsilon=1/10**prec pi=3.141592653589793238462643383279502884197169399375105820974944592307 exact = RxCalcExp(3,prec)-RxCalcExp(-3,prec) Do n = 1 To 20 a = -3; b = 3 r.=0 call gaussquad sum=0 Do j=1 To n sum=sum + r.2.j * RxCalcExp((a+b)/2+r.1.j*(b-a)/2,prec) End z = (b-a)/2 * sum Say right(n,2) format(z,2,40) format(z-exact,2,4,,0) End Say ' ' exact '(exact)' Exit   gaussquad: p0.0=1; p0.1=1 p1.0=2; p1.1=1; p1.2=0 Do k = 2 To n tmp.0=p1.0+1 Do L = 1 To p1.0 tmp.l = p1.l End tmp.l=0 tmp2.0=p0.0+2 tmp2.1=0 tmp2.2=0 Do L = 1 To p0.0 l2=l+2 tmp2.l2=p0.l End Do j=1 To tmp.0 tmp.j = ((2*k-1)*tmp.j - (k-1)*tmp2.j)/k End p0.0=p1.0 Do j=1 To p0.0 p0.j = p1.j End p1.0=tmp.0 Do j=1 To p1.0 p1.j=tmp.j End End Do i = 1 To n x = RxCalcCos(pi*(i-0.25)/(n+0.5),prec,'R') Do iter = 1 To 10 f = p1.1; df = 0 Do k = 2 To p1.0 df = f + x*df f = p1.k + x * f End dx = f / df x = x - dx If abs(dx) < epsilon Then Leave End r.1.i = x r.2.i = 2/((1-x**2)*df**2) End Return   ::requires 'rxmath' LIBRARY
http://rosettacode.org/wiki/Old_lady_swallowed_a_fly
Old lady swallowed a fly
Task Present a program which emits the lyrics to the song   I Knew an Old Lady Who Swallowed a Fly,   taking advantage of the repetitive structure of the song's lyrics. This song has multiple versions with slightly different lyrics, so all these programs might not emit identical output. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Julia
Julia
using CodecZlib   b64 = b"""eNrtVE1rwzAMvedXaKdeRn7ENrb21rHCzmrs1m49K9gOJv9+cko/HBcGg0LHcpOfnq2np0QL 2FuKgBbICDAoeoiKwEc0hqIUgLAxfV0tQJCdhQM7qh68kheswKeBt5ROYetTemYMCC3rii// WMS3WkhXVyuFAaLT261JuBWwu4iDbvYp1tYzHVS68VEIObwFgaDB0KizuFs38aSdqKv3TgcJ uPYdn2B1opwIpeKE53qPftxRd88Y6uoVbdPzWxznrQ3ZUi3DudQ/bcELbevqM32iCIrj3IIh W6plOJf6L6xaajZjzqW/qAsKIvITBGs9Nm3glboZzkVP5l6Y+0bHLnedD0CttIyrpEU5Kv7N Mz3XkPBc/TSN3yxGiqMiipHRekycK0ZwMhM8jerGC9zuZaoTho3kMKSfJjLaF8v8wLzmXMqM zJvGew/jnZPzclA08yAkikegDTTUMfzwDXBcwoE=""" println(String(transcode(ZlibDecompressor(), base64decode(b64))))
http://rosettacode.org/wiki/Old_lady_swallowed_a_fly
Old lady swallowed a fly
Task Present a program which emits the lyrics to the song   I Knew an Old Lady Who Swallowed a Fly,   taking advantage of the repetitive structure of the song's lyrics. This song has multiple versions with slightly different lyrics, so all these programs might not emit identical output. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Kotlin
Kotlin
// version 1.1.3   val animals = listOf("fly", "spider", "bird", "cat","dog", "goat", "cow", "horse")   val phrases = listOf( "", "That wriggled and jiggled and tickled inside her", "How absurd to swallow a bird", "Fancy that to swallow a cat", "What a hog, to swallow a dog", "She just opened her throat and swallowed a goat", "I don't know how she swallowed a cow", "\n ...She's dead of course" )   fun sing() { for (i in 0..7) { println("There was an old lady who swallowed a ${animals[i]};") if (i > 0) println("${phrases[i]}!") if (i == 7) return println() if (i > 0) { for (j in i downTo 1) { print(" She swallowed the ${animals[j]} to catch the ${animals[j - 1]}") println(if (j < 3) ";" else ",") if (j == 2) println(" ${phrases[1]}!") } } println(" I don't know why she swallowed a fly - Perhaps she'll die!\n") } }   fun main(args: Array<String>) { sing() }
http://rosettacode.org/wiki/OpenGL
OpenGL
Task Display a smooth shaded triangle with OpenGL. Triangle created using C example compiled with GCC 4.1.2 and freeglut3.
#Ring
Ring
  # Project: OpenGL   load "freeglut.ring" load "opengl21lib.ring"   func main glutInit() glutInitDisplayMode(GLUT_DEPTH | GLUT_DOUBLE | GLUT_RGBA) glutInitWindowSize(320,320) glutInitWindowPosition(100, 10) glutCreateWindow("OpenGL") glutDisplayFunc(:renderScene) glutMainLoop()   func renderScene glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT) glBegin(GL_TRIANGLES) glVertex3f(-0.5,-0.5,0.0) glVertex3f(0.5,0.0,0.0) glVertex3f(0.0,0.5,0.0) glEnd() glutSwapBuffers()  
http://rosettacode.org/wiki/OpenGL
OpenGL
Task Display a smooth shaded triangle with OpenGL. Triangle created using C example compiled with GCC 4.1.2 and freeglut3.
#Ruby
Ruby
require 'rubygems' require 'gl' require 'glut'   include Gl include Glut   paint = lambda do glClearColor(0.3,0.3,0.3,0.0) glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT)   glShadeModel(GL_SMOOTH)   glLoadIdentity glTranslatef(-15.0, -15.0, 0.0)   glBegin(GL_TRIANGLES) glColor3f(1.0, 0.0, 0.0) glVertex2f(0.0, 0.0) glColor3f(0.0, 1.0, 0.0) glVertex2f(30.0, 0.0) glColor3f(0.0, 0.0, 1.0) glVertex2f(0.0, 30.0) glEnd   glFlush end   reshape = lambda do |width, height| glViewport(0, 0, width, height) glMatrixMode(GL_PROJECTION) glLoadIdentity glOrtho(-30.0, 30.0, -30.0, 30.0, -30.0, 30.0) glMatrixMode(GL_MODELVIEW) end   glutInit glutInitWindowSize(640, 480) glutCreateWindow("Triangle")   glutDisplayFunc(paint) glutReshapeFunc(reshape)   glutMainLoop
http://rosettacode.org/wiki/One_of_n_lines_in_a_file
One of n lines in a file
A method of choosing a line randomly from a file: Without reading the file more than once When substantial parts of the file cannot be held in memory Without knowing how many lines are in the file Is to: keep the first line of the file as a possible choice, then Read the second line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/2. Read the third line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/3. ... Read the Nth line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/N Return the computed possible choice when no further lines exist in the file. Task Create a function/method/routine called one_of_n that given n, the number of actual lines in a file, follows the algorithm above to return an integer - the line number of the line chosen from the file. The number returned can vary, randomly, in each run. Use one_of_n in a simulation to find what woud be the chosen line of a 10 line file simulated 1,000,000 times. Print and show how many times each of the 10 lines is chosen as a rough measure of how well the algorithm works. Note: You may choose a smaller number of repetitions if necessary, but mention this up-front. Note: This is a specific version of a Reservoir Sampling algorithm: https://en.wikipedia.org/wiki/Reservoir_sampling
#PureBasic
PureBasic
Procedure.f randomFloat() ProcedureReturn Random(1000000) / 1000000 EndProcedure   Procedure one_of_n(n) Protected linesRead, lineChosen While linesRead < n linesRead + 1 If randomFloat() <= (1.0 / (linesRead)) lineChosen = linesRead EndIf Wend ProcedureReturn lineChosen EndProcedure   If OpenConsole() #testFileLineCount = 10 #simulationCount = 1000000 Define i Dim a(#testFileLineCount) ;index 0 is not used For i = 1 To #simulationCount x = one_of_n(#testFileLineCount) a(x) + 1 Next   For i = 1 To #testFileLineCount Print(Str(a(i)) + " ") Next PrintN("")   Print(#CRLF$ + #CRLF$ + "Press ENTER to exit"): Input() CloseConsole() EndIf
http://rosettacode.org/wiki/Optional_parameters
Optional parameters
Task Define a function/method/subroutine which sorts a sequence ("table") of sequences ("rows") of strings ("cells"), by one of the strings. Besides the input to be sorted, it shall have the following optional parameters: ordering A function specifying the ordering of strings; lexicographic by default. column An integer specifying which string of each row to compare; the first by default. reverse Reverses the ordering. This task should be considered to include both positional and named optional parameters, as well as overloading on argument count as in Java or selector name as in Smalltalk, or, in the extreme, using different function names. Provide these variations of sorting in whatever way is most natural to your language. If the language supports both methods naturally, you are encouraged to describe both. Do not implement a sorting algorithm; this task is about the interface. If you can't use a built-in sort routine, just omit the implementation (with a comment). See also: Named Arguments
#TIScript
TIScript
function sorter(table, ordering = "lexicographic", column = 0, reverse = false) { // ... }   sorter(the_data,"numeric");
http://rosettacode.org/wiki/Optional_parameters
Optional parameters
Task Define a function/method/subroutine which sorts a sequence ("table") of sequences ("rows") of strings ("cells"), by one of the strings. Besides the input to be sorted, it shall have the following optional parameters: ordering A function specifying the ordering of strings; lexicographic by default. column An integer specifying which string of each row to compare; the first by default. reverse Reverses the ordering. This task should be considered to include both positional and named optional parameters, as well as overloading on argument count as in Java or selector name as in Smalltalk, or, in the extreme, using different function names. Provide these variations of sorting in whatever way is most natural to your language. If the language supports both methods naturally, you are encouraged to describe both. Do not implement a sorting algorithm; this task is about the interface. If you can't use a built-in sort routine, just omit the implementation (with a comment). See also: Named Arguments
#Unix_Shell
Unix Shell
#!/usr/bin/env bash # sort-args.sh   data() { cat <<EOF 123 456 0789 456 0789 123 0789 123 456 EOF }   # sort_table [column NUM | KIND | reverse] ... <INPUT >OUTPUT # KIND = lexicographical | numeric | human   sort_table() { local opts='-b' local column=1 while (( $# > 0 )) ; do case "$1" in column|col|c) column=${2?Missing column number} ; shift ;; lexicographical|lex|l) opts+=' -d' ;; numeric|num|n) opts+=' -g' ;; human|hum|h) opts+=' -h' ;; reverse|rev|r) opts+=' -r' ;; esac shift done eval "sort $opts -k $column,$column -" }   echo sort defaults  ; data | sort_table echo sort defaults reverse  ; data | sort_table reverse echo sort column 2  ; data | sort_table col 2 echo sort column 2 reverse  ; data | sort_table col 2 reverse echo sort numeric  ; data | sort_table numeric echo sort numeric reverse  ; data | sort_table numeric reverse  
http://rosettacode.org/wiki/Order_two_numerical_lists
Order two numerical lists
sorting Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Write a function that orders two lists or arrays filled with numbers. The function should accept two lists as arguments and return true if the first list should be ordered before the second, and false otherwise. The order is determined by lexicographic order: Comparing the first element of each list. If the first elements are equal, then the second elements should be compared, and so on, until one of the list has no more elements. If the first list runs out of elements the result is true. If the second list or both run out of elements the result is false. Note: further clarification of lexicographical ordering is expounded on the talk page here and here.
#PureBasic
PureBasic
DataSection Array_1: Data.i 5 ;element count Data.i 1, 2, 3, 4, 5 ;element data Array_2: Data.i 6 Data.i 1, 2, 1, 5, 2, 2 Array_3: Data.i 5 Data.i 1, 2, 1, 5, 2 Array_4: Data.i 5 Data.i 1, 2, 1, 5, 2 Array_5: Data.i 4 Data.i 1, 2, 1, 6 Array_6: Data.i 5 Data.i 1, 2, 1, 6, 2 EndDataSection   #False = 0 #True = 1   ;helper subrountine to initialize a dataset, *dataPtr points to the elementcount followed by the element data Procedure initArrayData(Array a(1), *dataPtr) Protected elementCount = PeekI(*dataPtr)   Dim a(elementCount - 1) For i = 0 To elementCount - 1 *dataPtr + SizeOf(Integer) a(i) = PeekI(*dataPtr) Next EndProcedure   ;helper subroutine that returns 'True' or 'False' for a boolean input Procedure.s booleanText(b) If b: ProcedureReturn "True": EndIf ProcedureReturn "False" EndProcedure   Procedure order(Array a(1), Array b(1)) Protected len_a = ArraySize(a()), len_b = ArraySize(b()), elementIndex   While elementIndex <= len_a And elementIndex <= len_b And a(elementIndex) = b(elementIndex) elementIndex + 1 Wend   If (elementIndex > len_a And elementIndex <= len_b) Or (elementIndex <= len_b And a(elementIndex) <= b(elementIndex)) ProcedureReturn #True EndIf EndProcedure   Dim A_1(0): initArrayData(A_1(), ?Array_1) Dim A_2(0): initArrayData(A_2(), ?Array_2) Dim A_3(0): initArrayData(A_3(), ?Array_3) Dim A_4(0): initArrayData(A_4(), ?Array_4) Dim A_5(0): initArrayData(A_5(), ?Array_5) Dim A_6(0): initArrayData(A_6(), ?Array_6)   If OpenConsole() PrintN(booleanText(order(A_1(), A_2()))) ;False PrintN(booleanText(order(A_2(), A_3()))) ;False PrintN(booleanText(order(A_3(), A_4()))) ;False PrintN(booleanText(order(A_4(), A_5()))) ;True PrintN(booleanText(order(A_5(), A_6()))) ;True   Print(#crlf$ + #crlf$ + "Press ENTER to exit"): Input() CloseConsole() EndIf  
http://rosettacode.org/wiki/Ordered_words
Ordered words
An   ordered word   is a word in which the letters appear in alphabetic order. Examples include   abbey   and   dirt. Task[edit] Find and display all the ordered words in the dictionary   unixdict.txt   that have the longest word length. (Examples that access the dictionary file locally assume that you have downloaded this file yourself.) The display needs to be shown on this page. Related tasks Word plays Ordered words Palindrome detection Semordnilap Anagrams Anagrams/Deranged anagrams Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#PARI.2FGP
PARI/GP
ordered(s)=my(v=Vecsmall(s),t=97);for(i=1,#v,if(v[i]>64&&v[i]<91,v[i]+=32);if(v[i]<97||v[i]>122||v[i]<t,return(0),t=v[i]));1 v=select(ordered,readstr("~/unixdict.txt")); N=vecmax(apply(length,v)); select(s->#s==N, v)
http://rosettacode.org/wiki/Palindrome_detection
Palindrome detection
A palindrome is a phrase which reads the same backward and forward. Task[edit] Write a function or program that checks whether a given sequence of characters (or, if you prefer, bytes) is a palindrome. For extra credit: Support Unicode characters. Write a second function (possibly as a wrapper to the first) which detects inexact palindromes, i.e. phrases that are palindromes if white-space and punctuation is ignored and case-insensitive comparison is used. Hints It might be useful for this task to know how to reverse a string. This task's entries might also form the subjects of the task Test a function. Related tasks Word plays Ordered words Palindrome detection Semordnilap Anagrams Anagrams/Deranged anagrams Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Rascal
Rascal
import String;   public bool palindrome(str text) = toLowerCase(text) == reverse(text);
http://rosettacode.org/wiki/Numeric_error_propagation
Numeric error propagation
If   f,   a,   and   b   are values with uncertainties   σf,   σa,   and   σb,   and   c   is a constant; then if   f   is derived from   a,   b,   and   c   in the following ways, then   σf   can be calculated as follows: Addition/Subtraction If   f = a ± c,   or   f = c ± a   then   σf = σa If   f = a ± b   then   σf2 = σa2 + σb2 Multiplication/Division If   f = ca   or   f = ac       then   σf = |cσa| If   f = ab   or   f = a / b   then   σf2 = f2( (σa / a)2 + (σb / b)2) Exponentiation If   f = ac   then   σf = |fc(σa / a)| Caution: This implementation of error propagation does not address issues of dependent and independent values.   It is assumed that   a   and   b   are independent and so the formula for multiplication should not be applied to   a*a   for example.   See   the talk page   for some of the implications of this issue. Task details Add an uncertain number type to your language that can support addition, subtraction, multiplication, division, and exponentiation between numbers with an associated error term together with 'normal' floating point numbers without an associated error term. Implement enough functionality to perform the following calculations. Given coordinates and their errors: x1 = 100 ± 1.1 y1 = 50 ± 1.2 x2 = 200 ± 2.2 y2 = 100 ± 2.3 if point p1 is located at (x1, y1) and p2 is at (x2, y2); calculate the distance between the two points using the classic Pythagorean formula: d = √   (x1 - x2)²   +   (y1 - y2)²   Print and display both   d   and its error. References A Guide to Error Propagation B. Keeney, 2005. Propagation of uncertainty Wikipedia. Related task   Quaternion type
#Ruby
Ruby
class NumberWithUncertainty def initialize(number, error) @num = number @err = error.abs end attr_reader :num, :err   def +(other) if other.kind_of?(self.class) self.class.new(num + other.num, Math::hypot(err, other.err)) else self.class.new(num + other, err) end end   def -(other) if other.kind_of?(self.class) self.class.new(num - other.num, Math::hypot(err, other.err)) else self.class.new(num - other, err) end end   def *(other) if other.kind_of?(self.class) prod = num * other.num e = Math::hypot((prod * err / num), (prod * other.err / other.num)) self.class.new(prod, e) else self.class.new(num * other, (err * other).abs) end end   def /(other) if other.kind_of?(self.class) quo = num / other.num e = Math::hypot((quo * err / num), (quo * other.err / other.num)) self.class.new(quo, e) else self.class.new(num / other, (err * other).abs) end end   def **(exponent) Float(exponent) rescue raise ArgumentError, "not an number: #{exponent}" prod = num ** exponent self.class.new(prod, (prod * exponent * err / num).abs) end   def sqrt self ** 0.5 end   def to_s "#{num} \u00b1 #{err}" end end   x1 = NumberWithUncertainty.new(100, 1.1) y1 = NumberWithUncertainty.new( 50, 1.2) x2 = NumberWithUncertainty.new(200, 2.2) y2 = NumberWithUncertainty.new(100, 2.3)   puts ((x1 - x2) ** 2 + (y1 - y2) ** 2).sqrt
http://rosettacode.org/wiki/Odd_word_problem
Odd word problem
Task Write a program that solves the odd word problem with the restrictions given below. Description You are promised an input stream consisting of English letters and punctuations. It is guaranteed that: the words (sequence of consecutive letters) are delimited by one and only one punctuation, the stream will begin with a word, the words will be at least one letter long,   and a full stop (a period, [.]) appears after, and only after, the last word. Example A stream with six words: what,is,the;meaning,of:life. The task is to reverse the letters in every other word while leaving punctuations intact, producing: what,si,the;gninaem,of:efil. while observing the following restrictions: Only I/O allowed is reading or writing one character at a time, which means: no reading in a string, no peeking ahead, no pushing characters back into the stream, and no storing characters in a global variable for later use; You are not to explicitly save characters in a collection data structure, such as arrays, strings, hash tables, etc, for later reversal; You are allowed to use recursions, closures, continuations, threads, co-routines, etc., even if their use implies the storage of multiple characters. Test cases Work on both the   "life"   example given above, and also the text: we,are;not,in,kansas;any,more.
#PicoLisp
PicoLisp
(de oddWords () (use C (loop (until (sub? (prin (setq C (char))) "!,.:;?")) (T (= "." C)) (setq C (char)) (T (= "." (prin (recur (C) (if (sub? C "!,.:;?") C (prog1 (recurse (char)) (prin C)) ) ) ) ) ) ) (prinl) ) )
http://rosettacode.org/wiki/Odd_word_problem
Odd word problem
Task Write a program that solves the odd word problem with the restrictions given below. Description You are promised an input stream consisting of English letters and punctuations. It is guaranteed that: the words (sequence of consecutive letters) are delimited by one and only one punctuation, the stream will begin with a word, the words will be at least one letter long,   and a full stop (a period, [.]) appears after, and only after, the last word. Example A stream with six words: what,is,the;meaning,of:life. The task is to reverse the letters in every other word while leaving punctuations intact, producing: what,si,the;gninaem,of:efil. while observing the following restrictions: Only I/O allowed is reading or writing one character at a time, which means: no reading in a string, no peeking ahead, no pushing characters back into the stream, and no storing characters in a global variable for later use; You are not to explicitly save characters in a collection data structure, such as arrays, strings, hash tables, etc, for later reversal; You are allowed to use recursions, closures, continuations, threads, co-routines, etc., even if their use implies the storage of multiple characters. Test cases Work on both the   "life"   example given above, and also the text: we,are;not,in,kansas;any,more.
#PL.2FI
PL/I
test: procedure options (main); /* 2 August 2014 */ declare (ch, ech) character (1); declare odd file;   get_word: procedure recursive; declare ch character (1);   get file (odd) edit (ch) (a(1)); if index('abcdefghijklmnopqrstuvwxyz', ch) > 0 then call get_word; if index('abcdefghijklmnopqrstuvwxyz', ch) > 0 then put edit (ch) (a); else ech = ch; end get_word;   open file (odd) input title ('/ODDWORD.DAT,TYPE(text),recsize(100)'); do forever; do until (index('abcdefghijklmnopqrstuvwxyz', ch) = 0 ); get file (odd) edit (ch) (a(1)); put edit (ch) (a); end; if ch = '.' then leave; call get_word; put edit (ech) (a); if ech = '.' then leave; end; end test;
http://rosettacode.org/wiki/Number_names
Number names
Task Show how to spell out a number in English. You can use a preexisting implementation or roll your own, but you should support inputs up to at least one million (or the maximum value of your language's default bounded integer type, if that's less). Support for inputs other than positive integers (like zero, negative integers, and floating-point numbers) is optional. Related task   Spelling of ordinal numbers.
#BCPL
BCPL
get "libhdr" manifest $( MAXLEN = 256/BYTESPERWORD $)   let append(v1, v2) be $( for i=1 to v2%0 do v1%(v1%0+i) := v2%i v1%0 := v1%0 + v2%0 $)   let spell(n, v) = valof $( let small(n) = n=0 -> "", n=1 -> "one", n=2 -> "two", n=3 -> "three", n=4 -> "four", n=5 -> "five", n=6 -> "six", n=7 -> "seven", n=8 -> "eight", n=9 -> "nine", n=10 -> "ten", n=11 -> "eleven", n=12 -> "twelve", n=13 -> "thirteen", n=14 -> "fourteen", n=15 -> "fifteen", n=16 -> "sixteen", n=17 -> "seventeen", n=18 -> "eighteen", n=19 -> "nineteen", valof finish   let teens(n) = n=2 -> "twenty", n=3 -> "thirty", n=4 -> "forty", n=5 -> "fifty", n=6 -> "sixty", n=7 -> "seventy", n=8 -> "eighty", n=9 -> "ninety", valof finish   let less100(n, v) be $( if n >= 20 $( append(v, teens(n/10)) n := n rem 10 unless n=0 append(v, "-") $) append(v, small(n)) $)   let inner(n, v) be $( let step(n, val, name, v) = valof $( if n>=val $( inner(n/val, v) append(v, name) unless n=val do append(v, " ") $) resultis n rem val $) test n<0 $( append(v, "minus ") inner(-n, v) $) or $( n := step(n, 1000, " thousand", v) n := step(n, 100, " hundred", v) less100(n, v) $) $)   v%0 := 0 test n=0 do append(v, "zero") or inner(n, v) resultis v $)   let reads(v) be $( v%0 := 0 $( let c = rdch() if c='*N' | c=endstreamch break v%0 := v%0 + 1 v%(v%0) := c $) repeat $)   let atoi(v) = valof $( let r = 0 and neg = false and i = 1 if v%1 = '-' then $( i := 2 neg := true $) while '0' <= v%i <= '9' & i <= v%0 $( r := r*10 + v%i-'0' i := i+1 $) resultis neg -> -r, r $)   let start() be $( let instr = vec MAXLEN and numstr = vec MAXLEN $( writes("Number? ") reads(instr) if instr%0=0 finish writef("%N: %S*N", atoi(instr), spell(atoi(instr), numstr)) $) repeat $)
http://rosettacode.org/wiki/Number_reversal_game
Number reversal game
Task Given a jumbled list of the numbers   1   to   9   that are definitely   not   in ascending order. Show the list,   and then ask the player how many digits from the left to reverse. Reverse those digits,   then ask again,   until all the digits end up in ascending order. The score is the count of the reversals needed to attain the ascending order. Note: Assume the player's input does not need extra validation. Related tasks   Sorting algorithms/Pancake sort   Pancake sorting.   Topswops
#C.2B.2B
C++
void number_reversal_game() { cout << "Number Reversal Game. Type a number to flip the first n numbers."; cout << "You win by sorting the numbers in ascending order."; cout << "Anything besides numbers are ignored.\n"; cout << "\t |1__2__3__4__5__6__7__8__9|\n"; int list[9] = {1,2,3,4,5,6,7,8,9}; do { shuffle_list(list,9); } while(check_array(list, 9));   int tries=0; unsigned int i; int input;   while(!check_array(list, 9)) { cout << "Round " << tries << ((tries<10) ? " : " : " : "); for(i=0;i<9;i++)cout << list[i] << " "; cout << " Gimme that number:"; while(1) { cin >> input; if(input>1&&input<10) break;   cout << "\nPlease enter a number between 2 and 9:"; } tries++; do_flip(list, 9, input); } cout << "Hurray! You solved it in %d moves!\n"; }
http://rosettacode.org/wiki/Null_object
Null object
Null (or nil) is the computer science concept of an undefined or unbound object. Some languages have an explicit way to access the null object, and some don't. Some languages distinguish the null object from undefined values, and some don't. Task Show how to access null in your language by checking to see if an object is equivalent to the null object. This task is not about whether a variable is defined. The task is about "null"-like values in various languages, which may or may not be related to the defined-ness of variables in your language.
#Delphi
Delphi
// the following are equivalent if lObject = nil then ...   if not Assigned(lObject) then ...
http://rosettacode.org/wiki/Null_object
Null object
Null (or nil) is the computer science concept of an undefined or unbound object. Some languages have an explicit way to access the null object, and some don't. Some languages distinguish the null object from undefined values, and some don't. Task Show how to access null in your language by checking to see if an object is equivalent to the null object. This task is not about whether a variable is defined. The task is about "null"-like values in various languages, which may or may not be related to the defined-ness of variables in your language.
#DWScript
DWScript
var x = nil if x == nil { //Do something }
http://rosettacode.org/wiki/One-dimensional_cellular_automata
One-dimensional cellular automata
Assume an array of cells with an initial distribution of live and dead cells, and imaginary cells off the end of the array having fixed values. Cells in the next generation of the array are calculated based on the value of the cell and its left and right nearest neighbours in the current generation. If, in the following table, a live cell is represented by 1 and a dead cell by 0 then to generate the value of the cell at a particular index in the array of cellular values you use the following table: 000 -> 0 # 001 -> 0 # 010 -> 0 # Dies without enough neighbours 011 -> 1 # Needs one neighbour to survive 100 -> 0 # 101 -> 1 # Two neighbours giving birth 110 -> 1 # Needs one neighbour to survive 111 -> 0 # Starved to death.
#Eiffel
Eiffel
  class APPLICATION   create make   feature   make -- First 10 states of the cellular automata. local r: RANDOM automata: STRING do create r.make create automata.make_empty across 1 |..| 10 as c loop if r.double_item < 0.5 then automata.append ("0") else automata.append ("1") end r.forth end across 1 |..| 10 as c loop io.put_string (automata + "%N") automata := update (automata) end end   update (s: STRING): STRING -- Next state of the cellular automata 's'. require enough_states: s.count > 1 local i: INTEGER do create Result.make_empty -- Dealing with the left border. if s [1] = '1' and s [2] = '1' then Result.append ("1") else Result.append ("0") end -- Dealing with the middle cells. from i := 2 until i = s.count loop if (s [i] = '0' and (s [i - 1] = '0' or (s [i - 1] = '1' and s [i + 1] = '0'))) or ((s [i] = '1') and ((s [i - 1] = '1' and s [i + 1] = '1') or (s [i - 1] = '0' and s [i + 1] = '0'))) then Result.append ("0") else Result.append ("1") end i := i + 1 end -- Dealing with the right border. if s [s.count] = '1' and s [s.count - 1] = '1' then Result.append ("1") else Result.append ("0") end ensure has_same_length: s.count = Result.count end   end  
http://rosettacode.org/wiki/Numerical_integration
Numerical integration
Write functions to calculate the definite integral of a function ƒ(x) using all five of the following methods: rectangular left right midpoint trapezium Simpson's composite Your functions should take in the upper and lower bounds (a and b), and the number of approximations to make in that range (n). Assume that your example already has a function that gives values for ƒ(x) . Simpson's method is defined by the following pseudo-code: Pseudocode: Simpson's method, composite procedure quad_simpson_composite(f, a, b, n) h := (b - a) / n sum1 := f(a + h/2) sum2 := 0 loop on i from 1 to (n - 1) sum1 := sum1 + f(a + h * i + h/2) sum2 := sum2 + f(a + h * i)   answer := (h / 6) * (f(a) + f(b) + 4*sum1 + 2*sum2) Demonstrate your function by showing the results for:   ƒ(x) = x3,       where   x   is     [0,1],       with           100 approximations.   The exact result is     0.25               (or 1/4)   ƒ(x) = 1/x,     where   x   is   [1,100],     with        1,000 approximations.   The exact result is     4.605170+     (natural log of 100)   ƒ(x) = x,         where   x   is   [0,5000],   with 5,000,000 approximations.   The exact result is   12,500,000   ƒ(x) = x,         where   x   is   [0,6000],   with 6,000,000 approximations.   The exact result is   18,000,000 See also   Active object for integrating a function of real time.   Special:PrefixIndex/Numerical integration for other integration methods.
#F.23
F#
  // integration methods let left f dx x = f x * dx let right f dx x = f (x + dx) * dx let mid f dx x = f (x + dx / 2.0) * dx let trapez f dx x = (f x + f (x + dx)) * dx / 2.0 let simpson f dx x = (f x + 4.0 * f (x + dx / 2.0) + f (x + dx)) * dx / 6.0   // common integration function let integrate a b f n method = let dx = (b - a) / float n [0..n-1] |> Seq.map (fun i -> a + float i * dx) |> Seq.sumBy (method f dx)   // test cases let methods = [ left; right; mid; trapez; simpson ] let cases = [ (fun x -> x * x * x), 0.0, 1.0, 100 (fun x -> 1.0 / x), 1.0, 100.0, 1000 (fun x -> x), 0.0, 5000.0, 5000000 (fun x -> x), 0.0, 6000.0, 6000000 ]   // execute and output Seq.allPairs cases methods |> Seq.map (fun ((f, a, b, n), method) -> integrate a b f n method) |> Seq.iter (printfn "%f")  
http://rosettacode.org/wiki/Numerical_integration/Gauss-Legendre_Quadrature
Numerical integration/Gauss-Legendre Quadrature
In a general Gaussian quadrature rule, an definite integral of f ( x ) {\displaystyle f(x)} is first approximated over the interval [ − 1 , 1 ] {\displaystyle [-1,1]} by a polynomial approximable function g ( x ) {\displaystyle g(x)} and a known weighting function W ( x ) {\displaystyle W(x)} . ∫ − 1 1 f ( x ) d x = ∫ − 1 1 W ( x ) g ( x ) d x {\displaystyle \int _{-1}^{1}f(x)\,dx=\int _{-1}^{1}W(x)g(x)\,dx} Those are then approximated by a sum of function values at specified points x i {\displaystyle x_{i}} multiplied by some weights w i {\displaystyle w_{i}} : ∫ − 1 1 W ( x ) g ( x ) d x ≈ ∑ i = 1 n w i g ( x i ) {\displaystyle \int _{-1}^{1}W(x)g(x)\,dx\approx \sum _{i=1}^{n}w_{i}g(x_{i})} In the case of Gauss-Legendre quadrature, the weighting function W ( x ) = 1 {\displaystyle W(x)=1} , so we can approximate an integral of f ( x ) {\displaystyle f(x)} with: ∫ − 1 1 f ( x ) d x ≈ ∑ i = 1 n w i f ( x i ) {\displaystyle \int _{-1}^{1}f(x)\,dx\approx \sum _{i=1}^{n}w_{i}f(x_{i})} For this, we first need to calculate the nodes and the weights, but after we have them, we can reuse them for numerious integral evaluations, which greatly speeds up the calculation compared to more simple numerical integration methods. The n {\displaystyle n} evaluation points x i {\displaystyle x_{i}} for a n-point rule, also called "nodes", are roots of n-th order Legendre Polynomials P n ( x ) {\displaystyle P_{n}(x)} . Legendre polynomials are defined by the following recursive rule: P 0 ( x ) = 1 {\displaystyle P_{0}(x)=1} P 1 ( x ) = x {\displaystyle P_{1}(x)=x} n P n ( x ) = ( 2 n − 1 ) x P n − 1 ( x ) − ( n − 1 ) P n − 2 ( x ) {\displaystyle nP_{n}(x)=(2n-1)xP_{n-1}(x)-(n-1)P_{n-2}(x)} There is also a recursive equation for their derivative: P n ′ ( x ) = n x 2 − 1 ( x P n ( x ) − P n − 1 ( x ) ) {\displaystyle P_{n}'(x)={\frac {n}{x^{2}-1}}\left(xP_{n}(x)-P_{n-1}(x)\right)} The roots of those polynomials are in general not analytically solvable, so they have to be approximated numerically, for example by Newton-Raphson iteration: x n + 1 = x n − f ( x n ) f ′ ( x n ) {\displaystyle x_{n+1}=x_{n}-{\frac {f(x_{n})}{f'(x_{n})}}} The first guess x 0 {\displaystyle x_{0}} for the i {\displaystyle i} -th root of a n {\displaystyle n} -order polynomial P n {\displaystyle P_{n}} can be given by x 0 = cos ⁡ ( π i − 1 4 n + 1 2 ) {\displaystyle x_{0}=\cos \left(\pi \,{\frac {i-{\frac {1}{4}}}{n+{\frac {1}{2}}}}\right)} After we get the nodes x i {\displaystyle x_{i}} , we compute the appropriate weights by: w i = 2 ( 1 − x i 2 ) [ P n ′ ( x i ) ] 2 {\displaystyle w_{i}={\frac {2}{\left(1-x_{i}^{2}\right)[P'_{n}(x_{i})]^{2}}}} After we have the nodes and the weights for a n-point quadrature rule, we can approximate an integral over any interval [ a , b ] {\displaystyle [a,b]} by ∫ a b f ( x ) d x ≈ b − a 2 ∑ i = 1 n w i f ( b − a 2 x i + a + b 2 ) {\displaystyle \int _{a}^{b}f(x)\,dx\approx {\frac {b-a}{2}}\sum _{i=1}^{n}w_{i}f\left({\frac {b-a}{2}}x_{i}+{\frac {a+b}{2}}\right)} Task description Similar to the task Numerical Integration, the task here is to calculate the definite integral of a function f ( x ) {\displaystyle f(x)} , but by applying an n-point Gauss-Legendre quadrature rule, as described here, for example. The input values should be an function f to integrate, the bounds of the integration interval a and b, and the number of gaussian evaluation points n. An reference implementation in Common Lisp is provided for comparison. To demonstrate the calculation, compute the weights and nodes for an 5-point quadrature rule and then use them to compute: ∫ − 3 3 exp ⁡ ( x ) d x ≈ ∑ i = 1 5 w i exp ⁡ ( x i ) ≈ 20.036 {\displaystyle \int _{-3}^{3}\exp(x)\,dx\approx \sum _{i=1}^{5}w_{i}\;\exp(x_{i})\approx 20.036}
#PARI.2FGP
PARI/GP
GLq(f,a,b,n)={ my(P=pollegendre(n),Pp=P',x=polroots(P)); (b-a)*sum(i=1,n,f((b-a)*x[i]/2+(a+b)/2)/(1-x[i]^2)/subst(Pp,'x,x[i])^2) }; # \\ Turn on timer GLq(x->exp(x), -3, 3, 5) \\ As of version 2.4.4, this can be written GLq(exp, -3, 3, 5)
http://rosettacode.org/wiki/Old_lady_swallowed_a_fly
Old lady swallowed a fly
Task Present a program which emits the lyrics to the song   I Knew an Old Lady Who Swallowed a Fly,   taking advantage of the repetitive structure of the song's lyrics. This song has multiple versions with slightly different lyrics, so all these programs might not emit identical output. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Lambdatalk
Lambdatalk
  {def A {A.new fly spider bird cat dog goat cow horse}} -> A   {def H {H.new fly I don't know why she swallowed that fly{br}Perhaps she'll die | spider That wiggled and jiggled and tickled inside her | bird How absurd, to swallow a bird | cat Imagine that. She swallowed a cat | dog What a hog to swallow a dog | goat She just opened her throat and swallowed that goat | cow I don't know how she swallowed that cow | horse She's dead of course }} -> H   {def oldlady {lambda {:w} There was an old lady who swallowed a :w}} -> oldlady   {def swallow {lambda {:a :b} She swallowed the :a to catch the :b}} -> swallow   Writing   {hr}{oldlady {A.get 0 {A}}} {H.get {A.get 0 {A}} {H}}   {S.map {lambda {:i} {hr}{oldlady {A.get :i {A}}} {br}{H.get {A.get :i {A}} {H}} {S.map {lambda {:j} {br}* {swallow {A.get :j {A}} {A.get {- :j 1} {A}}}} {S.serie :i 1 -1}} {br}{H.get {A.get 0 {A}} {H}} } {S.serie 1 6}}   {hr}{oldlady {A.get 7 {A}}} {H.get {A.get 7 {A}} {H}}   displays:   There was an old lady who swallowed a fly I don't know why she swallowed that fly Perhaps she'll die   There was an old lady who swallowed a spider That wiggled and jiggled and tickled inside her * She swallowed the spider to catch the fly I don't know why she swallowed that fly Perhaps she'll die   There was an old lady who swallowed a bird How absurd, to swallow a bird * She swallowed the bird to catch the spider * She swallowed the spider to catch the fly I don't know why she swallowed that fly Perhaps she'll die   ...   There was an old lady who swallowed a cow I don't know how she swallowed that cow * She swallowed the cow to catch the goat * She swallowed the goat to catch the dog * She swallowed the dog to catch the cat * She swallowed the cat to catch the bird * She swallowed the bird to catch the spider * She swallowed the spider to catch the fly I don't know why she swallowed that fly Perhaps she'll die   There was an old lady who swallowed a horse She's dead of course  
http://rosettacode.org/wiki/OpenGL
OpenGL
Task Display a smooth shaded triangle with OpenGL. Triangle created using C example compiled with GCC 4.1.2 and freeglut3.
#Rust
Rust
use glow::*; use glutin::event::*; use glutin::event_loop::{ControlFlow, EventLoop}; use std::os::raw::c_uint;   const VERTEX: &str = "#version 410 const vec2 verts[3] = vec2[3]( vec2(0.5f, 1.0f), vec2(0.0f, 0.0f), vec2(1.0f, 0.0f) ); out vec2 vert; void main() { vert = verts[gl_VertexID]; gl_Position = vec4(vert - 0.5, 0.0, 1.0); }";   const FRAGMENT: &str = "#version 410 precision mediump float; in vec2 vert; out vec4 color; void main() { color = vec4(vert, 0.5, 1.0); }";   unsafe fn create_program(gl: &Context, vert: &str, frag: &str) -> c_uint { let program = gl.create_program().expect("Cannot create program"); let shader_sources = [(glow::VERTEX_SHADER, vert), (glow::FRAGMENT_SHADER, frag)];   let mut shaders = Vec::new(); for (shader_type, shader_source) in shader_sources.iter() { let shader = gl .create_shader(*shader_type) .expect("Cannot create shader"); gl.shader_source(shader, shader_source); gl.compile_shader(shader); if !gl.get_shader_compile_status(shader) { panic!(gl.get_shader_info_log(shader)); } gl.attach_shader(program, shader); shaders.push(shader); }   gl.link_program(program); if !gl.get_program_link_status(program) { panic!(gl.get_program_info_log(program)); }   for shader in shaders { gl.detach_shader(program, shader); gl.delete_shader(shader); } program }   fn main() { let (gl, event_loop, window) = unsafe { let el = EventLoop::new(); let wb = glutin::window::WindowBuilder::new() .with_title("Hello triangle!") .with_inner_size(glutin::dpi::LogicalSize::new(1024.0, 768.0)); let windowed_context = glutin::ContextBuilder::new() .with_vsync(true) .build_windowed(wb, &el) .unwrap(); let windowed_context = windowed_context.make_current().unwrap(); let context = glow::Context::from_loader_function(|s| { windowed_context.get_proc_address(s) as *const _ }); (context, el, windowed_context) };   let (program, vab) = unsafe { let vertex_array = gl .create_vertex_array() .expect("Cannot create vertex array"); gl.bind_vertex_array(Some(vertex_array));   let program = create_program(&gl, VERTEX, FRAGMENT); gl.use_program(Some(program));   (program, vertex_array) };   event_loop.run(move |ev, _, flow| match ev { Event::WindowEvent { event: WindowEvent::CloseRequested, .. } => { unsafe { gl.delete_program(program); gl.delete_vertex_array(vab); } *flow = ControlFlow::Exit; } Event::WindowEvent { event: WindowEvent::Resized(size), .. } => { unsafe { gl.viewport(0, 0, size.width as i32, size.height as i32); } window.resize(size); } Event::RedrawRequested(_) => unsafe { gl.clear_color(0.1, 0.2, 0.3, 1.0); gl.clear(glow::COLOR_BUFFER_BIT); gl.draw_arrays(glow::TRIANGLES, 0, 3); window.swap_buffers().unwrap(); }, _ => {} }); }
http://rosettacode.org/wiki/One_of_n_lines_in_a_file
One of n lines in a file
A method of choosing a line randomly from a file: Without reading the file more than once When substantial parts of the file cannot be held in memory Without knowing how many lines are in the file Is to: keep the first line of the file as a possible choice, then Read the second line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/2. Read the third line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/3. ... Read the Nth line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/N Return the computed possible choice when no further lines exist in the file. Task Create a function/method/routine called one_of_n that given n, the number of actual lines in a file, follows the algorithm above to return an integer - the line number of the line chosen from the file. The number returned can vary, randomly, in each run. Use one_of_n in a simulation to find what woud be the chosen line of a 10 line file simulated 1,000,000 times. Print and show how many times each of the 10 lines is chosen as a rough measure of how well the algorithm works. Note: You may choose a smaller number of repetitions if necessary, but mention this up-front. Note: This is a specific version of a Reservoir Sampling algorithm: https://en.wikipedia.org/wiki/Reservoir_sampling
#Python
Python
from random import randrange try: range = xrange except: pass   def one_of_n(lines): # lines is any iterable choice = None for i, line in enumerate(lines): if randrange(i+1) == 0: choice = line return choice   def one_of_n_test(n=10, trials=1000000): bins = [0] * n if n: for i in range(trials): bins[one_of_n(range(n))] += 1 return bins   print(one_of_n_test())
http://rosettacode.org/wiki/One_of_n_lines_in_a_file
One of n lines in a file
A method of choosing a line randomly from a file: Without reading the file more than once When substantial parts of the file cannot be held in memory Without knowing how many lines are in the file Is to: keep the first line of the file as a possible choice, then Read the second line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/2. Read the third line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/3. ... Read the Nth line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/N Return the computed possible choice when no further lines exist in the file. Task Create a function/method/routine called one_of_n that given n, the number of actual lines in a file, follows the algorithm above to return an integer - the line number of the line chosen from the file. The number returned can vary, randomly, in each run. Use one_of_n in a simulation to find what woud be the chosen line of a 10 line file simulated 1,000,000 times. Print and show how many times each of the 10 lines is chosen as a rough measure of how well the algorithm works. Note: You may choose a smaller number of repetitions if necessary, but mention this up-front. Note: This is a specific version of a Reservoir Sampling algorithm: https://en.wikipedia.org/wiki/Reservoir_sampling
#R
R
one_of_n <- function(n) { choice <- 1L   for (i in 2:n) { if (i*runif(1) < 1) choice <- i }   return(choice) }   table(sapply(1:1000000, function(i) one_of_n(10)))
http://rosettacode.org/wiki/Optional_parameters
Optional parameters
Task Define a function/method/subroutine which sorts a sequence ("table") of sequences ("rows") of strings ("cells"), by one of the strings. Besides the input to be sorted, it shall have the following optional parameters: ordering A function specifying the ordering of strings; lexicographic by default. column An integer specifying which string of each row to compare; the first by default. reverse Reverses the ordering. This task should be considered to include both positional and named optional parameters, as well as overloading on argument count as in Java or selector name as in Smalltalk, or, in the extreme, using different function names. Provide these variations of sorting in whatever way is most natural to your language. If the language supports both methods naturally, you are encouraged to describe both. Do not implement a sorting algorithm; this task is about the interface. If you can't use a built-in sort routine, just omit the implementation (with a comment). See also: Named Arguments
#Ursala
Ursala
#import std #import nat   ss ::   ordering  %fZ ~ordering||lleq! column  %n ~column||1! reversed  %b   sorter = +^(~reversed?/~&x! ~&!,-<+ +^/~ordering ~~+ ~&h++ //skip+ predecessor+ ~column)
http://rosettacode.org/wiki/Optional_parameters
Optional parameters
Task Define a function/method/subroutine which sorts a sequence ("table") of sequences ("rows") of strings ("cells"), by one of the strings. Besides the input to be sorted, it shall have the following optional parameters: ordering A function specifying the ordering of strings; lexicographic by default. column An integer specifying which string of each row to compare; the first by default. reverse Reverses the ordering. This task should be considered to include both positional and named optional parameters, as well as overloading on argument count as in Java or selector name as in Smalltalk, or, in the extreme, using different function names. Provide these variations of sorting in whatever way is most natural to your language. If the language supports both methods naturally, you are encouraged to describe both. Do not implement a sorting algorithm; this task is about the interface. If you can't use a built-in sort routine, just omit the implementation (with a comment). See also: Named Arguments
#VBA
VBA
Private Sub optional_parameters(theRange As String, _ Optional ordering As Integer = 0, _ Optional column As Integer = 1, _ Optional reverse As Integer = 1) ActiveSheet.Sort.SortFields.Clear ActiveSheet.Sort.SortFields.Add _ Key:=Range(theRange).Columns(column), _ SortOn:=SortOnValues, _ Order:=reverse, _ DataOption:=ordering 'the optional parameter ordering and above reverse With ActiveSheet.Sort .SetRange Range(theRange) .Header = xlGuess .MatchCase = False .Orientation = xlTopToBottom .SortMethod = xlPinYin .Apply End With End Sub Public Sub main() 'Sort the strings in the active sheet in Excel 'Supply the range of cells to be sorted 'Optionally specify ordering, default is 0, 'which is normal sort, text and data separately; 'ordering:=1 treats text as numeric data. 'Optionally specify column number, default is 1 'Optionally specify reverse, default is 1 'which sorts in ascending order. 'Specifying reverse:=2 will sort in descending order. optional_parameters theRange:="A1:C4", ordering:=1, column:=2, reverse:=1 End Sub
http://rosettacode.org/wiki/Order_two_numerical_lists
Order two numerical lists
sorting Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Write a function that orders two lists or arrays filled with numbers. The function should accept two lists as arguments and return true if the first list should be ordered before the second, and false otherwise. The order is determined by lexicographic order: Comparing the first element of each list. If the first elements are equal, then the second elements should be compared, and so on, until one of the list has no more elements. If the first list runs out of elements the result is true. If the second list or both run out of elements the result is false. Note: further clarification of lexicographical ordering is expounded on the talk page here and here.
#Python
Python
>>> [1,2,1,3,2] < [1,2,0,4,4,0,0,0] False
http://rosettacode.org/wiki/Order_two_numerical_lists
Order two numerical lists
sorting Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Write a function that orders two lists or arrays filled with numbers. The function should accept two lists as arguments and return true if the first list should be ordered before the second, and false otherwise. The order is determined by lexicographic order: Comparing the first element of each list. If the first elements are equal, then the second elements should be compared, and so on, until one of the list has no more elements. If the first list runs out of elements the result is true. If the second list or both run out of elements the result is false. Note: further clarification of lexicographical ordering is expounded on the talk page here and here.
#Quackery
Quackery
[ [ over [] = iff false done dup [] = iff true done behead rot behead rot 2dup = iff [ 2drop swap ] again > ] unrot 2drop ] is []< ( [ [ --> b )   ' [ [ ] [ 1 ] [ 1 1 1 ] [ 1 2 ] [ 1 2 1 ] [ 2 ] [ 2 1 ] [ 2 1 1 ] ]   shuffle sortwith []< echo
http://rosettacode.org/wiki/Ordered_words
Ordered words
An   ordered word   is a word in which the letters appear in alphabetic order. Examples include   abbey   and   dirt. Task[edit] Find and display all the ordered words in the dictionary   unixdict.txt   that have the longest word length. (Examples that access the dictionary file locally assume that you have downloaded this file yourself.) The display needs to be shown on this page. Related tasks Word plays Ordered words Palindrome detection Semordnilap Anagrams Anagrams/Deranged anagrams Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Perl
Perl
#!/usr/bin/perl use strict; use warnings;   open(FH, "<", "unixdict.txt") or die "Can't open file!\n"; my @words; while (<FH>) { chomp; push @{$words[length]}, $_ if $_ eq join("", sort split(//)); } close FH; print "@{$words[-1]}\n";  
http://rosettacode.org/wiki/Palindrome_detection
Palindrome detection
A palindrome is a phrase which reads the same backward and forward. Task[edit] Write a function or program that checks whether a given sequence of characters (or, if you prefer, bytes) is a palindrome. For extra credit: Support Unicode characters. Write a second function (possibly as a wrapper to the first) which detects inexact palindromes, i.e. phrases that are palindromes if white-space and punctuation is ignored and case-insensitive comparison is used. Hints It might be useful for this task to know how to reverse a string. This task's entries might also form the subjects of the task Test a function. Related tasks Word plays Ordered words Palindrome detection Semordnilap Anagrams Anagrams/Deranged anagrams Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#REBOL
REBOL
rebol [ Title: "Palindrome Recognizer" URL: http://rosettacode.org/wiki/Palindrome ]   ; In order to compete with all the one-liners, the operation is ; compressed: parens force left hand side to evaluate first, where I ; copy the phrase, then uppercase it and assign it to 'p'. Now the ; right hand side is evaluated: p is copied, then reversed in place; ; the comparison is made and implicitely returned.   palindrome?: func [ phrase [string!] "Potentially palindromatic prose." /local p ][(p: uppercase copy phrase) = reverse copy p]   ; Teeny Tiny Test Suite   assert: func [code][print [either do code [" ok"]["FAIL"] mold code]]   print "Simple palindromes, with an exception for variety:" repeat phrase ["z" "aha" "sees" "oofoe" "Deified"][ assert compose [palindrome? (phrase)]]   print [crlf "According to the problem statement, these should fail:"] assert [palindrome? "A man, a plan, a canal, Panama."] ; Punctuation not ignored. assert [palindrome? "In girum imus nocte et consumimur igni"] ; Spaces not removed.   ; I know we're doing palindromes, not alliteration, but who could resist...?
http://rosettacode.org/wiki/Numeric_error_propagation
Numeric error propagation
If   f,   a,   and   b   are values with uncertainties   σf,   σa,   and   σb,   and   c   is a constant; then if   f   is derived from   a,   b,   and   c   in the following ways, then   σf   can be calculated as follows: Addition/Subtraction If   f = a ± c,   or   f = c ± a   then   σf = σa If   f = a ± b   then   σf2 = σa2 + σb2 Multiplication/Division If   f = ca   or   f = ac       then   σf = |cσa| If   f = ab   or   f = a / b   then   σf2 = f2( (σa / a)2 + (σb / b)2) Exponentiation If   f = ac   then   σf = |fc(σa / a)| Caution: This implementation of error propagation does not address issues of dependent and independent values.   It is assumed that   a   and   b   are independent and so the formula for multiplication should not be applied to   a*a   for example.   See   the talk page   for some of the implications of this issue. Task details Add an uncertain number type to your language that can support addition, subtraction, multiplication, division, and exponentiation between numbers with an associated error term together with 'normal' floating point numbers without an associated error term. Implement enough functionality to perform the following calculations. Given coordinates and their errors: x1 = 100 ± 1.1 y1 = 50 ± 1.2 x2 = 200 ± 2.2 y2 = 100 ± 2.3 if point p1 is located at (x1, y1) and p2 is at (x2, y2); calculate the distance between the two points using the classic Pythagorean formula: d = √   (x1 - x2)²   +   (y1 - y2)²   Print and display both   d   and its error. References A Guide to Error Propagation B. Keeney, 2005. Propagation of uncertainty Wikipedia. Related task   Quaternion type
#Scala
Scala
import java.lang.Math._   class Approx(val ν: Double, val σ: Double = 0.0) { def this(a: Approx) = this(a.ν, a.σ) def this(n: Number) = this(n.doubleValue(), 0.0)   override def toString = s"$ν ±$σ"   def +(a: Approx) = Approx(ν + a.ν, sqrt(σ * σ + a.σ * a.σ)) def +(d: Double) = Approx(ν + d, σ) def -(a: Approx) = Approx(ν - a.ν, sqrt(σ * σ + a.σ * a.σ)) def -(d: Double) = Approx(ν - d, σ)   def *(a: Approx) = { val v = ν * a.ν Approx(v, sqrt(v * v * σ * σ / (ν * ν) + a.σ * a.σ / (a.ν * a.ν))) }   def *(d: Double) = Approx(ν * d, abs(d * σ))   def /(a: Approx) = { val t = ν / a.ν Approx(t, sqrt(t * t * σ * σ / (ν * ν) + a.σ * a.σ / (a.ν * a.ν))) }   def /(d: Double) = Approx(ν / d, abs(d * σ))   def ^(d: Double) = { val t = pow(ν, d) Approx(t, abs(t * d * σ / ν)) } }   object Approx { def apply(ν: Double, σ: Double = 0.0) = new Approx(ν, σ) }   object NumericError extends App { def √(a: Approx) = a^0.5 val x1 = Approx(100.0, 1.1) val x2 = Approx(50.0, 1.2) val y1 = Approx(200.0, 2.2) val y2 = Approx(100.0, 2.3) println(√(((x1 - x2)^2.0) + ((y1 - y2)^2.0))) // => 111.80339887498948 ±2.938366893361004 }
http://rosettacode.org/wiki/Odd_word_problem
Odd word problem
Task Write a program that solves the odd word problem with the restrictions given below. Description You are promised an input stream consisting of English letters and punctuations. It is guaranteed that: the words (sequence of consecutive letters) are delimited by one and only one punctuation, the stream will begin with a word, the words will be at least one letter long,   and a full stop (a period, [.]) appears after, and only after, the last word. Example A stream with six words: what,is,the;meaning,of:life. The task is to reverse the letters in every other word while leaving punctuations intact, producing: what,si,the;gninaem,of:efil. while observing the following restrictions: Only I/O allowed is reading or writing one character at a time, which means: no reading in a string, no peeking ahead, no pushing characters back into the stream, and no storing characters in a global variable for later use; You are not to explicitly save characters in a collection data structure, such as arrays, strings, hash tables, etc, for later reversal; You are allowed to use recursions, closures, continuations, threads, co-routines, etc., even if their use implies the storage of multiple characters. Test cases Work on both the   "life"   example given above, and also the text: we,are;not,in,kansas;any,more.
#Prolog
Prolog
odd_word_problem :- read_line_to_codes(user_input, L), even_word(L, Out, []), string_to_list(Str, Out), writeln(Str).   even_word(".") --> ".".   even_word([H | T]) --> {char_type(H,alnum)}, [H], even_word(T).   even_word([H | T]) --> [H], odd_word(T, []).   odd_word(".", R) --> R, ".".   odd_word([H|T], R) --> {char_type(H,alnum)}, odd_word(T, [H | R]).   odd_word([H|T], R) --> R, [H], even_word(T).  
http://rosettacode.org/wiki/Number_names
Number names
Task Show how to spell out a number in English. You can use a preexisting implementation or roll your own, but you should support inputs up to at least one million (or the maximum value of your language's default bounded integer type, if that's less). Support for inputs other than positive integers (like zero, negative integers, and floating-point numbers) is optional. Related task   Spelling of ordinal numbers.
#BlitzMax
BlitzMax
SuperStrict   Framework BRL.StandardIO   spellIt( 99) spellIt( 300) spellIt( 310) spellIt( 1501) spellIt( 12609) spellIt( 512609) spellIt( 43112609) spellIt(1234567890)     Type TSpell   Field smallNumbers:String[] = ["zero", "one", "two", "three", "four", "five", .. "six", "seven", "eight", "nine", "ten", .. "eleven", "twelve", "thirteen", "fourteen", "fifteen", .. "sixteen", "seventeen", "eighteen", "nineteen" ]   Field decades:String[] = [ "", "", "twenty", "thirty", "forty", .. "fifty", "sixty", "seventy", "eighty", "ninety" ]   Field thousandPowers:String[] = [ " billion", " million", " thousand", "" ]   Method spellHundreds:String(number:Int) Local result:String If number > 99 Then result = smallNumbers[number / 100] result :+ " hundred" number = number Mod 100 If number Then result :+ " and " End If End If   If number >= 20 Then result :+ decades[number / 10] number = number Mod 10 If number Then result :+ "-" End If End If If number > 0 And number < 20 Then result :+ smallNumbers[number] End If   Return result End Method   Method spell:String(number:Long) If number < 20 Then Return smallNumbers[number] End If Local result:String   Local scaleIndex:Int = 0 Local scaleFactor:Long = 1000000000:Long ' 1 billion While scaleFactor > 0 If number >= scaleFactor Local h:Long = number / scaleFactor result :+ spellHundreds(h) + thousandPowers[scaleIndex] number = number Mod scaleFactor If number Then result :+ ", " End If End If scaleFactor :/ 1000 scaleIndex :+ 1 Wend   Return result End Method   End Type   Function spellIt(number:Long) Local numberSpell:TSpell = New TSpell Print number + " " + numberSpell.spell(number) End Function
http://rosettacode.org/wiki/Number_reversal_game
Number reversal game
Task Given a jumbled list of the numbers   1   to   9   that are definitely   not   in ascending order. Show the list,   and then ask the player how many digits from the left to reverse. Reverse those digits,   then ask again,   until all the digits end up in ascending order. The score is the count of the reversals needed to attain the ascending order. Note: Assume the player's input does not need extra validation. Related tasks   Sorting algorithms/Pancake sort   Pancake sorting.   Topswops
#Clojure
Clojure
(defn flip-at [n coll] (let [[x y] (split-at n coll)] (concat (reverse x) y )))   (def sorted '(1 2 3 4 5 6 7 8 9)) ; i.e. (range 1 10) (def unsorted? #(not= % sorted))   (loop [unsorted (first (filter unsorted? (iterate shuffle sorted))), steps 0] (if (= unsorted sorted) (printf "Done! That took you %d steps%n" steps) (do (println unsorted) (printf "Reverse how many? ") (flush) (let [flipcount (read)] (recur (flip-at flipcount unsorted), (inc steps))))))
http://rosettacode.org/wiki/Null_object
Null object
Null (or nil) is the computer science concept of an undefined or unbound object. Some languages have an explicit way to access the null object, and some don't. Some languages distinguish the null object from undefined values, and some don't. Task Show how to access null in your language by checking to see if an object is equivalent to the null object. This task is not about whether a variable is defined. The task is about "null"-like values in various languages, which may or may not be related to the defined-ness of variables in your language.
#Dyalect
Dyalect
var x = nil if x == nil { //Do something }
http://rosettacode.org/wiki/Null_object
Null object
Null (or nil) is the computer science concept of an undefined or unbound object. Some languages have an explicit way to access the null object, and some don't. Some languages distinguish the null object from undefined values, and some don't. Task Show how to access null in your language by checking to see if an object is equivalent to the null object. This task is not about whether a variable is defined. The task is about "null"-like values in various languages, which may or may not be related to the defined-ness of variables in your language.
#D.C3.A9j.C3.A0_Vu
Déjà Vu
if not obj: pass #obj is seen as null   if = :nil obj: pass #obj is seen as null
http://rosettacode.org/wiki/One-dimensional_cellular_automata
One-dimensional cellular automata
Assume an array of cells with an initial distribution of live and dead cells, and imaginary cells off the end of the array having fixed values. Cells in the next generation of the array are calculated based on the value of the cell and its left and right nearest neighbours in the current generation. If, in the following table, a live cell is represented by 1 and a dead cell by 0 then to generate the value of the cell at a particular index in the array of cellular values you use the following table: 000 -> 0 # 001 -> 0 # 010 -> 0 # Dies without enough neighbours 011 -> 1 # Needs one neighbour to survive 100 -> 0 # 101 -> 1 # Two neighbours giving birth 110 -> 1 # Needs one neighbour to survive 111 -> 0 # Starved to death.
#Elixir
Elixir
defmodule RC do def run(list, gen \\ 0) do print(list, gen) next = evolve(list) if next == list, do: print(next, gen+1), else: run(next, gen+1) end   defp evolve(list), do: evolve(Enum.concat([[0], list, [0]]), [])   defp evolve([a,b,c], next), do: Enum.reverse([life(a,b,c) | next]) defp evolve([a,b,c|rest], next), do: evolve([b,c|rest], [life(a,b,c) | next])   defp life(a,b,c), do: (if a+b+c == 2, do: 1, else: 0)   defp print(list, gen) do str = "Generation #{gen}: " IO.puts Enum.reduce(list, str, fn x,s -> s <> if x==0, do: ".", else: "#" end) end end   RC.run([0,1,1,1,0,1,1,0,1,0,1,0,1,0,1,0,0,1,0,0])
http://rosettacode.org/wiki/One-dimensional_cellular_automata
One-dimensional cellular automata
Assume an array of cells with an initial distribution of live and dead cells, and imaginary cells off the end of the array having fixed values. Cells in the next generation of the array are calculated based on the value of the cell and its left and right nearest neighbours in the current generation. If, in the following table, a live cell is represented by 1 and a dead cell by 0 then to generate the value of the cell at a particular index in the array of cellular values you use the following table: 000 -> 0 # 001 -> 0 # 010 -> 0 # Dies without enough neighbours 011 -> 1 # Needs one neighbour to survive 100 -> 0 # 101 -> 1 # Two neighbours giving birth 110 -> 1 # Needs one neighbour to survive 111 -> 0 # Starved to death.
#Elm
Elm
import Maybe exposing (withDefault) import List exposing (length, tail, reverse, concat, head, append, map3) import Html exposing (Html, div, h1, text) import String exposing (join) import Svg exposing (svg) import Svg.Attributes exposing (version, width, height, viewBox,cx,cy, fill, r) import Html.App exposing (program) import Random exposing (step, initialSeed, bool, list) import Matrix exposing (fromList, mapWithLocation, flatten) -- chendrix/elm-matrix import Time exposing (Time, second, every)   type alias Model = { history : List (List Bool) , cols : Int , rows : Int }   view : Model -> Html Msg view model = let circleInBox (row,col) value = if value then [ Svg.circle [ r "0.3" , fill ("purple") , cx (toString (toFloat col + 0.5)) , cy (toString (toFloat row + 0.5)) ] [] ] else []   showHistory model = model.history |> reverse |> fromList |> mapWithLocation circleInBox |> flatten |> concat in div [] [ h1 [] [text "One Dimensional Cellular Automata"] , svg [ version "1.1" , width "700" , height "700" , viewBox (join " " [ 0 |> toString , 0 |> toString , model.cols |> toString , model.rows |> toString ] ) ] (showHistory model) ]   update : Msg -> Model -> (Model, Cmd Msg) update msg model = if length model.history == model.rows then (model, Cmd.none) else let s1 = model.history |> head |> withDefault [] s0 = False :: s1 s2 = append (tail s1 |> withDefault []) [False]   gen d0 d1 d2 = case (d0,d1,d2) of (False, True, True) -> True ( True, False, True) -> True ( True, True, False) -> True _ -> False   updatedHistory = map3 gen s0 s1 s2 :: model.history updatedModel = {model | history = updatedHistory} in (updatedModel, Cmd.none)     init : Int -> (Model, Cmd Msg) init n = let gen1 = fst (step (list n bool) (initialSeed 34)) in ({ history = [gen1], rows = n, cols= n }, Cmd.none)   type Msg = Tick Time   subscriptions model = every (0.2 * second) Tick   main = program { init = init 40 , view = view , update = update , subscriptions = subscriptions }
http://rosettacode.org/wiki/Numerical_integration
Numerical integration
Write functions to calculate the definite integral of a function ƒ(x) using all five of the following methods: rectangular left right midpoint trapezium Simpson's composite Your functions should take in the upper and lower bounds (a and b), and the number of approximations to make in that range (n). Assume that your example already has a function that gives values for ƒ(x) . Simpson's method is defined by the following pseudo-code: Pseudocode: Simpson's method, composite procedure quad_simpson_composite(f, a, b, n) h := (b - a) / n sum1 := f(a + h/2) sum2 := 0 loop on i from 1 to (n - 1) sum1 := sum1 + f(a + h * i + h/2) sum2 := sum2 + f(a + h * i)   answer := (h / 6) * (f(a) + f(b) + 4*sum1 + 2*sum2) Demonstrate your function by showing the results for:   ƒ(x) = x3,       where   x   is     [0,1],       with           100 approximations.   The exact result is     0.25               (or 1/4)   ƒ(x) = 1/x,     where   x   is   [1,100],     with        1,000 approximations.   The exact result is     4.605170+     (natural log of 100)   ƒ(x) = x,         where   x   is   [0,5000],   with 5,000,000 approximations.   The exact result is   12,500,000   ƒ(x) = x,         where   x   is   [0,6000],   with 6,000,000 approximations.   The exact result is   18,000,000 See also   Active object for integrating a function of real time.   Special:PrefixIndex/Numerical integration for other integration methods.
#Factor
Factor
  USE: math.functions IN: scratchpad 0 1 [ 3 ^ ] integrate-simpson . 1/4 IN: scratchpad 1000 num-steps set-global IN: scratchpad 1.0 100 [ -1 ^ ] integrate-simpson . 4.605173316272971 IN: scratchpad 5000000 num-steps set-global IN: scratchpad 0 5000 [ ] integrate-simpson . 12500000 IN: scratchpad 6000000 num-steps set-global IN: scratchpad 0 6000 [ ] integrate-simpson . 18000000
http://rosettacode.org/wiki/Numerical_integration/Gauss-Legendre_Quadrature
Numerical integration/Gauss-Legendre Quadrature
In a general Gaussian quadrature rule, an definite integral of f ( x ) {\displaystyle f(x)} is first approximated over the interval [ − 1 , 1 ] {\displaystyle [-1,1]} by a polynomial approximable function g ( x ) {\displaystyle g(x)} and a known weighting function W ( x ) {\displaystyle W(x)} . ∫ − 1 1 f ( x ) d x = ∫ − 1 1 W ( x ) g ( x ) d x {\displaystyle \int _{-1}^{1}f(x)\,dx=\int _{-1}^{1}W(x)g(x)\,dx} Those are then approximated by a sum of function values at specified points x i {\displaystyle x_{i}} multiplied by some weights w i {\displaystyle w_{i}} : ∫ − 1 1 W ( x ) g ( x ) d x ≈ ∑ i = 1 n w i g ( x i ) {\displaystyle \int _{-1}^{1}W(x)g(x)\,dx\approx \sum _{i=1}^{n}w_{i}g(x_{i})} In the case of Gauss-Legendre quadrature, the weighting function W ( x ) = 1 {\displaystyle W(x)=1} , so we can approximate an integral of f ( x ) {\displaystyle f(x)} with: ∫ − 1 1 f ( x ) d x ≈ ∑ i = 1 n w i f ( x i ) {\displaystyle \int _{-1}^{1}f(x)\,dx\approx \sum _{i=1}^{n}w_{i}f(x_{i})} For this, we first need to calculate the nodes and the weights, but after we have them, we can reuse them for numerious integral evaluations, which greatly speeds up the calculation compared to more simple numerical integration methods. The n {\displaystyle n} evaluation points x i {\displaystyle x_{i}} for a n-point rule, also called "nodes", are roots of n-th order Legendre Polynomials P n ( x ) {\displaystyle P_{n}(x)} . Legendre polynomials are defined by the following recursive rule: P 0 ( x ) = 1 {\displaystyle P_{0}(x)=1} P 1 ( x ) = x {\displaystyle P_{1}(x)=x} n P n ( x ) = ( 2 n − 1 ) x P n − 1 ( x ) − ( n − 1 ) P n − 2 ( x ) {\displaystyle nP_{n}(x)=(2n-1)xP_{n-1}(x)-(n-1)P_{n-2}(x)} There is also a recursive equation for their derivative: P n ′ ( x ) = n x 2 − 1 ( x P n ( x ) − P n − 1 ( x ) ) {\displaystyle P_{n}'(x)={\frac {n}{x^{2}-1}}\left(xP_{n}(x)-P_{n-1}(x)\right)} The roots of those polynomials are in general not analytically solvable, so they have to be approximated numerically, for example by Newton-Raphson iteration: x n + 1 = x n − f ( x n ) f ′ ( x n ) {\displaystyle x_{n+1}=x_{n}-{\frac {f(x_{n})}{f'(x_{n})}}} The first guess x 0 {\displaystyle x_{0}} for the i {\displaystyle i} -th root of a n {\displaystyle n} -order polynomial P n {\displaystyle P_{n}} can be given by x 0 = cos ⁡ ( π i − 1 4 n + 1 2 ) {\displaystyle x_{0}=\cos \left(\pi \,{\frac {i-{\frac {1}{4}}}{n+{\frac {1}{2}}}}\right)} After we get the nodes x i {\displaystyle x_{i}} , we compute the appropriate weights by: w i = 2 ( 1 − x i 2 ) [ P n ′ ( x i ) ] 2 {\displaystyle w_{i}={\frac {2}{\left(1-x_{i}^{2}\right)[P'_{n}(x_{i})]^{2}}}} After we have the nodes and the weights for a n-point quadrature rule, we can approximate an integral over any interval [ a , b ] {\displaystyle [a,b]} by ∫ a b f ( x ) d x ≈ b − a 2 ∑ i = 1 n w i f ( b − a 2 x i + a + b 2 ) {\displaystyle \int _{a}^{b}f(x)\,dx\approx {\frac {b-a}{2}}\sum _{i=1}^{n}w_{i}f\left({\frac {b-a}{2}}x_{i}+{\frac {a+b}{2}}\right)} Task description Similar to the task Numerical Integration, the task here is to calculate the definite integral of a function f ( x ) {\displaystyle f(x)} , but by applying an n-point Gauss-Legendre quadrature rule, as described here, for example. The input values should be an function f to integrate, the bounds of the integration interval a and b, and the number of gaussian evaluation points n. An reference implementation in Common Lisp is provided for comparison. To demonstrate the calculation, compute the weights and nodes for an 5-point quadrature rule and then use them to compute: ∫ − 3 3 exp ⁡ ( x ) d x ≈ ∑ i = 1 5 w i exp ⁡ ( x i ) ≈ 20.036 {\displaystyle \int _{-3}^{3}\exp(x)\,dx\approx \sum _{i=1}^{5}w_{i}\;\exp(x_{i})\approx 20.036}
#Pascal
Pascal
program Legendre(output);   const Order = 5; Order1 = Order - 1; Epsilon = 1E-12; Pi = 3.1415926;   var Roots : array[0..Order1] of real; Weight : array[0..Order1] of real; LegCoef : array [0..Order,0..Order] of real; I : integer;     function F(X:real) : real; begin F := Exp(X); end;   procedure PrepCoef; var I, N : integer; begin for I:=0 to Order do for N := 0 to Order do LegCoef[I,N] := 0; LegCoef[0,0] := 1; LegCoef[1,1] := 1; For N:=2 to Order do begin LegCoef[N,0] := -(N-1) * LegCoef[N-2,0] / N; For I := 1 to Order do LegCoef[N,I] := ((2*N-1) * LegCoef[N-1,I-1] - (N-1)*LegCoef[N-2,I]) / N; end; end;   function LegEval(N:integer; X:real) : real; var I : integer; Result : real; begin Result := LegCoef[n][n]; for I := N-1 downto 0 do Result := Result * X + LegCoef[N][I]; LegEval := Result; end;   function LegDiff(N:integer; X:real) : real; begin LegDiff := N * (X * LegEval(N,X) - LegEval(N-1,X)) / (X*X-1); end;   procedure LegRoots; var I : integer; X, X1 : real; begin for I := 1 to Order do begin X := Cos(Pi * (I-0.25) / (Order+0.5)); repeat X1 := X; X := X - LegEval(Order,X) / LegDiff(Order, X); until Abs (X-X1) < Epsilon; Roots[I-1] := X; X1 := LegDiff(Order,X); Weight[I-1] := 2 / ((1-X*X) * X1*X1); end; end;   function LegInt(A,B:real) : real; var I : integer; C1, C2, Result : real; begin C1 := (B-A)/2; C2 := (B+A)/2; Result := 0; For I := 0 to Order-1 do Result := Result + Weight[I] * F(C1*Roots[I] + C2); Result := C1 * Result; LegInt := Result; end;   begin PrepCoef; LegRoots;   Write('Roots: '); for I := 0 to Order-1 do Write (' ',Roots[I]:13:10); Writeln;   Write('Weight: '); for I := 0 to Order-1 do Write (' ', Weight[I]:13:10); writeln;   Writeln('Integrating Exp(x) over [-3, 3]: ',LegInt(-3,3):13:10); Writeln('Actual value: ',Exp(3)-Exp(-3):13:10); end.
http://rosettacode.org/wiki/Old_lady_swallowed_a_fly
Old lady swallowed a fly
Task Present a program which emits the lyrics to the song   I Knew an Old Lady Who Swallowed a Fly,   taking advantage of the repetitive structure of the song's lyrics. This song has multiple versions with slightly different lyrics, so all these programs might not emit identical output. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Liberty_BASIC
Liberty BASIC
  '[RC] Old lady swallowed a fly 'http://rosettacode.org/wiki/Old_lady_swallowed_a_fly 'lyrics 'http://www.timmyabell.com/music/lyrics/ol/oldlady.htm   animalList$="fly spider bird cat dog goat cow horse" reason$(1)="I don't know why she swallowed the fly," reason$(2)="That wriggled and jiggled and tickled inside her." reason$(3)="How absurd to swallow a bird!" reason$(4)="Imagine that, to swallow a cat!" reason$(5)="My, what a hog, to swallow a dog!" reason$(6)="Just opened her throat and swallowed a goat!" reason$(7)="I wonder how she swallowed a cow?!" reason$(8)="She's dead, of course!!"   i=0 while 1 i=i+1 animal$ = word$(animalList$, i) if animal$ ="" then exit while verse$ = "I know an old lady who " verse2$ = "swallowed a " +animal$ print verse$ +verse2$+"," print reason$(i) if i = 8 then end '-------------- animals$=animal$+" "+animals$ animal2$="*" j=1 while 1 j=j+1 animal2$ = word$(animals$, j) if animal2$ ="" then exit while reason$="She swallowed the "+animal$+" to catch the "+animal2$+"," animal$ = animal2$ print reason$ if animal2$ = "fly" then print reason$(1) if animal2$ = "spider" then print reason$(2) wend '-------------- print "I guess she'll die." print wend   end  
http://rosettacode.org/wiki/OpenGL
OpenGL
Task Display a smooth shaded triangle with OpenGL. Triangle created using C example compiled with GCC 4.1.2 and freeglut3.
#Scala
Scala
import org.lwjgl.opengl.{ Display, DisplayMode } import org.lwjgl.opengl.GL11._   object OpenGlExample extends App {   def render() {   glClearColor(0.3f, 0.3f, 0.3f, 0.0f) glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT)   glShadeModel(GL_SMOOTH)   glLoadIdentity() glTranslatef(-15.0f, -15.0f, 0.0f)   glBegin(GL_TRIANGLES) glColor3f(1.0f, 0.0f, 0.0f) glVertex2f(0.0f, 0.0f) glColor3f(0.0f, 1.0f, 0.0f) glVertex2f(30f, 0.0f) glColor3f(0.0f, 0.0f, 1.0f) glVertex2f(0.0f, 30.0f) glEnd() }   Display.setDisplayMode(new DisplayMode(640, 480)) Display.create()   glMatrixMode(GL_PROJECTION) glLoadIdentity() glOrtho(-30, 30, -30, 30, -30, 30) glMatrixMode(GL_MODELVIEW)   while (!Display.isCloseRequested()) { render() Display.update() Thread.sleep(1000) } }
http://rosettacode.org/wiki/One_of_n_lines_in_a_file
One of n lines in a file
A method of choosing a line randomly from a file: Without reading the file more than once When substantial parts of the file cannot be held in memory Without knowing how many lines are in the file Is to: keep the first line of the file as a possible choice, then Read the second line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/2. Read the third line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/3. ... Read the Nth line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/N Return the computed possible choice when no further lines exist in the file. Task Create a function/method/routine called one_of_n that given n, the number of actual lines in a file, follows the algorithm above to return an integer - the line number of the line chosen from the file. The number returned can vary, randomly, in each run. Use one_of_n in a simulation to find what woud be the chosen line of a 10 line file simulated 1,000,000 times. Print and show how many times each of the 10 lines is chosen as a rough measure of how well the algorithm works. Note: You may choose a smaller number of repetitions if necessary, but mention this up-front. Note: This is a specific version of a Reservoir Sampling algorithm: https://en.wikipedia.org/wiki/Reservoir_sampling
#Racket
Racket
  #lang racket   (define (one-of-n n) (for/fold ([n 0]) ([i (in-range 1 n)]) (if (zero? (random (add1 i))) i n)))   (define (try n times) (define rs (make-vector n 0)) (for ([i (in-range times)]) (define r (one-of-n n)) (vector-set! rs r (add1 (vector-ref rs r)))) (vector->list rs))   (define TIMES 1000000) (for ([n (in-range 1 21)]) (define rs (try n TIMES)) (printf "~a: ~a\n ~a\n" (~a #:width 2 n) rs (map (lambda (r) (~a (round (/ r TIMES 1/100)) "%")) rs)))   #| Sample Run:   1 : (1000000) (100%) 2 : (499702 500298) (50% 50%) 3 : (332426 333314 334260) (33% 33% 33%) 4 : (249925 250083 249695 250297) (25% 25% 25% 25%) 5 : (200304 199798 199920 199983 199995) (20% 20% 20% 20% 20%) 6 : (166276 167085 165955 166792 167143 166749) (17% 17% 17% 17% 17% 17%) 7 : (142067 143242 142749 142997 143248 142746 142951) (14% 14% 14% 14% 14% 14% 14%) 8 : (125026 125187 125214 124770 124785 125141 125039 124838) (13% 13% 13% 12% 12% 13% 13% 12%) 9 : (111551 111013 110741 111292 111105 110627 110570 111685 111416) (11% 11% 11% 11% 11% 11% 11% 11% 11%) 10: (100322 100031 100176 100590 99799 99892 100305 99955 99493 99437) (10% 10% 10% 10% 10% 10% 10% 10% 10% 10%) 11: (91237 90706 90962 90901 90872 91002 91164 90967 90092 90706 91391) (9% 9% 9% 9% 9% 9% 9% 9% 9% 9% 9%) 12: (83046 83556 83003 84128 83264 83305 83093 83202 83430 83605 83276 83092) (8% 8% 8% 8% 8% 8% 8% 8% 8% 8% 8% 8%) 13: (77282 76936 76667 76659 76771 76736 77165 77190 77341 76469 76985 76942 76857) (8% 8% 8% 8% 8% 8% 8% 8% 8% 8% 8% 8% 8%) 14: (71389 71496 71141 71314 71670 72062 71979 71361 71198 71457 70854 71686 71300 71093) (7% 7% 7% 7% 7% 7% 7% 7% 7% 7% 7% 7% 7% 7%) 15: (66534 66571 66072 66977 66803 66894 67076 66409 66306 67222 66590 66780 66341 66680 66745) (7% 7% 7% 7% 7% 7% 7% 7% 7% 7% 7% 7% 7% 7% 7%) 16: (62155 62496 62846 62136 62447 62714 62228 62454 62527 62577 62775 62692 62491 62231 62460 62771) (6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6%) 17: (58852 59046 58726 58782 58979 58725 59051 58935 58910 59082 58567 58863 58625 58922 58648 58456 58831) (6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6%) 18: (55204 55683 55547 55492 55671 55467 55801 55704 55235 55411 55482 55387 55679 55557 55398 55649 55815 55818) (6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6% 6%) 19: (52564 52283 52918 52363 52316 52511 52500 53042 52594 52720 52577 52623 52762 53047 52798 52832 52267 52550 52733) (5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5%) 20: (50107 50008 49786 50128 50431 49905 50109 49781 50099 50117 49772 50128 49721 49937 49735 50067 49865 50155 50231 49918) (5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5% 5%)   |#  
http://rosettacode.org/wiki/One_of_n_lines_in_a_file
One of n lines in a file
A method of choosing a line randomly from a file: Without reading the file more than once When substantial parts of the file cannot be held in memory Without knowing how many lines are in the file Is to: keep the first line of the file as a possible choice, then Read the second line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/2. Read the third line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/3. ... Read the Nth line of the file if possible and make it the possible choice if a uniform random value between zero and one is less than 1/N Return the computed possible choice when no further lines exist in the file. Task Create a function/method/routine called one_of_n that given n, the number of actual lines in a file, follows the algorithm above to return an integer - the line number of the line chosen from the file. The number returned can vary, randomly, in each run. Use one_of_n in a simulation to find what woud be the chosen line of a 10 line file simulated 1,000,000 times. Print and show how many times each of the 10 lines is chosen as a rough measure of how well the algorithm works. Note: You may choose a smaller number of repetitions if necessary, but mention this up-front. Note: This is a specific version of a Reservoir Sampling algorithm: https://en.wikipedia.org/wiki/Reservoir_sampling
#Raku
Raku
sub one_of_n($n) { my $choice; $choice = $_ if .rand < 1 for 1 .. $n; $choice - 1; }   sub one_of_n_test($n = 10, $trials = 1_000_000) { my @bins; @bins[one_of_n($n)]++ for ^$trials; @bins; }   say one_of_n_test();
http://rosettacode.org/wiki/Optional_parameters
Optional parameters
Task Define a function/method/subroutine which sorts a sequence ("table") of sequences ("rows") of strings ("cells"), by one of the strings. Besides the input to be sorted, it shall have the following optional parameters: ordering A function specifying the ordering of strings; lexicographic by default. column An integer specifying which string of each row to compare; the first by default. reverse Reverses the ordering. This task should be considered to include both positional and named optional parameters, as well as overloading on argument count as in Java or selector name as in Smalltalk, or, in the extreme, using different function names. Provide these variations of sorting in whatever way is most natural to your language. If the language supports both methods naturally, you are encouraged to describe both. Do not implement a sorting algorithm; this task is about the interface. If you can't use a built-in sort routine, just omit the implementation (with a comment). See also: Named Arguments
#Wren
Wren
import "./sort" for Cmp, Sort import "./seq" for Lst   class TableSorter { // uses 'merge' sort to avoid mutating original table // column is zero based static sort(table, ordering, column, reverse) { if (ordering == null) ordering = Fn.new { |r1, r2| Cmp.string.call(r1[column], r2[column]) } var sorted = Sort.merge(table, ordering) if (reverse) Lst.reverse(sorted) return sorted }   // overloads to simulate optional parameters static sort(table) { sort(table, null, 0, false) } static sort(table, ordering) { sort(table, ordering, 0, false) } static sort(table, ordering, column) { sort(table, ordering, column, false) } }   var table = [ ["first", "1"], ["second", "2"], ["fourth", "4"], ["fifth", "5"], ["third", "3"] ]   System.print("Original table:") System.print(table.join("\n"))   System.print("\nAfter lexicographic sort by first column:") var table2 = TableSorter.sort(table) System.print(table2.join("\n"))   System.print("\nAfter sorting in length order of first column:") var ordering = Fn.new { |r1, r2| (r1[0].count - r2[0].count).sign } table2 = TableSorter.sort(table, ordering) System.print(table2.join("\n"))   System.print("\nAfter lexicographic sort by second column:") table2 = TableSorter.sort(table, null, 1) System.print(table2.join("\n"))   System.print("\nAfter reverse lexicographic sort by second column:") table2 = TableSorter.sort(table, null, 1, true) System.print(table2.join("\n"))
http://rosettacode.org/wiki/Order_two_numerical_lists
Order two numerical lists
sorting Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Write a function that orders two lists or arrays filled with numbers. The function should accept two lists as arguments and return true if the first list should be ordered before the second, and false otherwise. The order is determined by lexicographic order: Comparing the first element of each list. If the first elements are equal, then the second elements should be compared, and so on, until one of the list has no more elements. If the first list runs out of elements the result is true. If the second list or both run out of elements the result is false. Note: further clarification of lexicographical ordering is expounded on the talk page here and here.
#Racket
Racket
#lang racket   (define (lex<? a b) (cond ((null? b) #f) ((null? a) #t) ((= (car a) (car b)) (lex<? (cdr a) (cdr b))) (else (< (car a) (car b)))))   (lex<? '(1 2 3 4 5) '(1 2 3 4 4)) ; -> #f  
http://rosettacode.org/wiki/Order_two_numerical_lists
Order two numerical lists
sorting Sorting Algorithm This is a sorting algorithm.   It may be applied to a set of data in order to sort it.     For comparing various sorts, see compare sorts.   For other sorting algorithms,   see sorting algorithms,   or: O(n logn) sorts Heap sort | Merge sort | Patience sort | Quick sort O(n log2n) sorts Shell Sort O(n2) sorts Bubble sort | Cocktail sort | Cocktail sort with shifting bounds | Comb sort | Cycle sort | Gnome sort | Insertion sort | Selection sort | Strand sort other sorts Bead sort | Bogo sort | Common sorted list | Composite structures sort | Custom comparator sort | Counting sort | Disjoint sublist sort | External sort | Jort sort | Lexicographical sort | Natural sorting | Order by pair comparisons | Order disjoint list items | Order two numerical lists | Object identifier (OID) sort | Pancake sort | Quickselect | Permutation sort | Radix sort | Ranking methods | Remove duplicate elements | Sleep sort | Stooge sort | [Sort letters of a string] | Three variable sort | Topological sort | Tree sort Write a function that orders two lists or arrays filled with numbers. The function should accept two lists as arguments and return true if the first list should be ordered before the second, and false otherwise. The order is determined by lexicographic order: Comparing the first element of each list. If the first elements are equal, then the second elements should be compared, and so on, until one of the list has no more elements. If the first list runs out of elements the result is true. If the second list or both run out of elements the result is false. Note: further clarification of lexicographical ordering is expounded on the talk page here and here.
#Raku
Raku
my @a = <1 2 4>; my @b = <1 2 4>; say @a," before ",@b," = ", @a before @b;   @a = <1 2 4>; @b = <1 2>; say @a," before ",@b," = ", @a before @b;   @a = <1 2>; @b = <1 2 4>; say @a," before ",@b," = ", @a before @b;   for 1..10 { my @a = flat (^100).roll((2..3).pick); my @b = flat @a.map: { Bool.pick ?? $_ !! (^100).roll((0..2).pick) } say @a," before ",@b," = ", @a before @b; }
http://rosettacode.org/wiki/Ordered_words
Ordered words
An   ordered word   is a word in which the letters appear in alphabetic order. Examples include   abbey   and   dirt. Task[edit] Find and display all the ordered words in the dictionary   unixdict.txt   that have the longest word length. (Examples that access the dictionary file locally assume that you have downloaded this file yourself.) The display needs to be shown on this page. Related tasks Word plays Ordered words Palindrome detection Semordnilap Anagrams Anagrams/Deranged anagrams Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Phix
Phix
with javascript_semantics sequence words = unix_dict() integer maxlen = -1, found = 0 for i=1 to length(words) do string word = words[i] integer l = length(word) if l>=maxlen and word=sort(word) then if l>maxlen then {found,maxlen} = {0,l} end if found += 1 words[found] = word end if end for printf(1,"The %d longest ordered words:\n %s\n",{found,join_by(words[1..found],1,4," ","\n ")})
http://rosettacode.org/wiki/Palindrome_detection
Palindrome detection
A palindrome is a phrase which reads the same backward and forward. Task[edit] Write a function or program that checks whether a given sequence of characters (or, if you prefer, bytes) is a palindrome. For extra credit: Support Unicode characters. Write a second function (possibly as a wrapper to the first) which detects inexact palindromes, i.e. phrases that are palindromes if white-space and punctuation is ignored and case-insensitive comparison is used. Hints It might be useful for this task to know how to reverse a string. This task's entries might also form the subjects of the task Test a function. Related tasks Word plays Ordered words Palindrome detection Semordnilap Anagrams Anagrams/Deranged anagrams Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Retro
Retro
  :palindrome? (s-f) dup s:hash [ s:reverse s:hash ] dip eq? ;   'ingirumimusnocteetconsumimurigni palindrome? n:put  
http://rosettacode.org/wiki/Numeric_error_propagation
Numeric error propagation
If   f,   a,   and   b   are values with uncertainties   σf,   σa,   and   σb,   and   c   is a constant; then if   f   is derived from   a,   b,   and   c   in the following ways, then   σf   can be calculated as follows: Addition/Subtraction If   f = a ± c,   or   f = c ± a   then   σf = σa If   f = a ± b   then   σf2 = σa2 + σb2 Multiplication/Division If   f = ca   or   f = ac       then   σf = |cσa| If   f = ab   or   f = a / b   then   σf2 = f2( (σa / a)2 + (σb / b)2) Exponentiation If   f = ac   then   σf = |fc(σa / a)| Caution: This implementation of error propagation does not address issues of dependent and independent values.   It is assumed that   a   and   b   are independent and so the formula for multiplication should not be applied to   a*a   for example.   See   the talk page   for some of the implications of this issue. Task details Add an uncertain number type to your language that can support addition, subtraction, multiplication, division, and exponentiation between numbers with an associated error term together with 'normal' floating point numbers without an associated error term. Implement enough functionality to perform the following calculations. Given coordinates and their errors: x1 = 100 ± 1.1 y1 = 50 ± 1.2 x2 = 200 ± 2.2 y2 = 100 ± 2.3 if point p1 is located at (x1, y1) and p2 is at (x2, y2); calculate the distance between the two points using the classic Pythagorean formula: d = √   (x1 - x2)²   +   (y1 - y2)²   Print and display both   d   and its error. References A Guide to Error Propagation B. Keeney, 2005. Propagation of uncertainty Wikipedia. Related task   Quaternion type
#Swift
Swift
import Foundation   precedencegroup ExponentiationGroup { higherThan: MultiplicationPrecedence }   infix operator ** : ExponentiationGroup infix operator ±   func ±(_ lhs: Double, _ rhs: Double) -> UncertainDouble { UncertainDouble(value: lhs, error: rhs) }   struct UncertainDouble { var value: Double var error: Double   static func +(_ lhs: UncertainDouble, _ rhs: UncertainDouble) -> UncertainDouble { return UncertainDouble(value: lhs.value + rhs.value, error: pow(pow(lhs.error, 2) + pow(rhs.error, 2), 0.5)) }   static func +(_ lhs: UncertainDouble, _ rhs: Double) -> UncertainDouble { return UncertainDouble(value: lhs.value + rhs, error: lhs.error) }   static func -(_ lhs: UncertainDouble, _ rhs: UncertainDouble) -> UncertainDouble { return UncertainDouble(value: lhs.value - rhs.value, error: pow(pow(lhs.error, 2) + pow(rhs.error, 2), 0.5)) }   static func -(_ lhs: UncertainDouble, _ rhs: Double) -> UncertainDouble { return UncertainDouble(value: lhs.value - rhs, error: lhs.error) }   static func *(_ lhs: UncertainDouble, _ rhs: UncertainDouble) -> UncertainDouble { let val = lhs.value * rhs.value   return UncertainDouble( value: val, error: pow(pow(val, 2) * (pow(lhs.error / lhs.value, 2) + pow(rhs.error / rhs.value, 2)), 0.5) ) }   static func *(_ lhs: UncertainDouble, _ rhs: Double) -> UncertainDouble { return UncertainDouble(value: lhs.value * rhs, error: abs(lhs.error * rhs)) }   static func /(_ lhs: UncertainDouble, _ rhs: UncertainDouble) -> UncertainDouble { let val = lhs.value / rhs.value   return UncertainDouble( value: val, error: pow(val, 2) * (pow(lhs.error / lhs.value, 2) + pow(rhs.error / rhs.value, 2)) ) }   static func /(_ lhs: UncertainDouble, _ rhs: Double) -> UncertainDouble { return UncertainDouble(value: lhs.value / rhs, error: abs(lhs.error * rhs)) }   static func **(_ lhs: UncertainDouble, _ power: Double) -> UncertainDouble { let val = pow(lhs.value, power)   return UncertainDouble(value: val, error: abs((val * power) * (lhs.error / lhs.value))) } }   extension UncertainDouble: CustomStringConvertible { public var description: String { "\(value) ± \(error)" } }   let (x1, y1) = (100 ± 1.1, 50 ± 1.2) let (x2, y2) = (200 ± 2.2, 100 ± 2.3)   let d = ((x2 - x1) ** 2 + (y2 - y1) ** 2) ** 0.5   print(d)
http://rosettacode.org/wiki/Numeric_error_propagation
Numeric error propagation
If   f,   a,   and   b   are values with uncertainties   σf,   σa,   and   σb,   and   c   is a constant; then if   f   is derived from   a,   b,   and   c   in the following ways, then   σf   can be calculated as follows: Addition/Subtraction If   f = a ± c,   or   f = c ± a   then   σf = σa If   f = a ± b   then   σf2 = σa2 + σb2 Multiplication/Division If   f = ca   or   f = ac       then   σf = |cσa| If   f = ab   or   f = a / b   then   σf2 = f2( (σa / a)2 + (σb / b)2) Exponentiation If   f = ac   then   σf = |fc(σa / a)| Caution: This implementation of error propagation does not address issues of dependent and independent values.   It is assumed that   a   and   b   are independent and so the formula for multiplication should not be applied to   a*a   for example.   See   the talk page   for some of the implications of this issue. Task details Add an uncertain number type to your language that can support addition, subtraction, multiplication, division, and exponentiation between numbers with an associated error term together with 'normal' floating point numbers without an associated error term. Implement enough functionality to perform the following calculations. Given coordinates and their errors: x1 = 100 ± 1.1 y1 = 50 ± 1.2 x2 = 200 ± 2.2 y2 = 100 ± 2.3 if point p1 is located at (x1, y1) and p2 is at (x2, y2); calculate the distance between the two points using the classic Pythagorean formula: d = √   (x1 - x2)²   +   (y1 - y2)²   Print and display both   d   and its error. References A Guide to Error Propagation B. Keeney, 2005. Propagation of uncertainty Wikipedia. Related task   Quaternion type
#Tcl
Tcl
package require Tcl 8.6 oo::class create RAII-support { constructor {} { upvar 1 { end } end lappend end [self] trace add variable end unset [namespace code {my DieNicely}] } destructor { catch { upvar 1 { end } end trace remove variable end unset [namespace code {my DieNicely}] } } method return {{level 1}} { incr level upvar 1 { end } end upvar $level { end } parent trace remove variable end unset [namespace code {my DieNicely}] lappend parent [self] trace add variable parent unset [namespace code {my DieNicely}] return -level $level [self] } # Swallows arguments method DieNicely args {tailcall my destroy} } oo::class create RAII-class { superclass oo::class method return args { [my new {*}$args] return 2 } method unknown {m args} { if {[string is double -strict $m]} { return [tailcall my new $m {*}$args] } next $m {*}$args } unexport create unknown self method create args { set c [next {*}$args] oo::define $c superclass {*}[info class superclass $c] RAII-support return $c } } # Makes a convenient scope for limiting RAII lifetimes proc scope {script} { foreach v [info global] { if {[array exists ::$v] || [string match { * } $v]} continue lappend vars $v lappend vals [set ::$v] } tailcall apply [list $vars [list \ try $script on ok msg {$msg return} ] [uplevel 1 {namespace current}]] {*}$vals }
http://rosettacode.org/wiki/Odd_word_problem
Odd word problem
Task Write a program that solves the odd word problem with the restrictions given below. Description You are promised an input stream consisting of English letters and punctuations. It is guaranteed that: the words (sequence of consecutive letters) are delimited by one and only one punctuation, the stream will begin with a word, the words will be at least one letter long,   and a full stop (a period, [.]) appears after, and only after, the last word. Example A stream with six words: what,is,the;meaning,of:life. The task is to reverse the letters in every other word while leaving punctuations intact, producing: what,si,the;gninaem,of:efil. while observing the following restrictions: Only I/O allowed is reading or writing one character at a time, which means: no reading in a string, no peeking ahead, no pushing characters back into the stream, and no storing characters in a global variable for later use; You are not to explicitly save characters in a collection data structure, such as arrays, strings, hash tables, etc, for later reversal; You are allowed to use recursions, closures, continuations, threads, co-routines, etc., even if their use implies the storage of multiple characters. Test cases Work on both the   "life"   example given above, and also the text: we,are;not,in,kansas;any,more.
#PureBasic
PureBasic
#False = 0 #True = 1   Global *inputPtr.Character   Macro nextChar() *inputPtr + SizeOf(Character) EndMacro   Procedure isPunctuation(c.s) If FindString("!?()[]{},.;:-'" + #DQUOTE$, c) ProcedureReturn #True EndIf ProcedureReturn #False EndProcedure   Procedure oddWord() Protected c.c c = *inputPtr\c If isPunctuation(Chr(*inputPtr\c)) ProcedureReturn Else nextChar() oddWord() EndIf Print(Chr(c)) EndProcedure   Procedure oddWordProblem(inputStream.s) *inputPtr = @inputStream Define isOdd = #False While *inputPtr\c If isOdd oddWord() Else Repeat Print(Chr(*inputPtr\c)) nextChar() Until isPunctuation(Chr(*inputPtr\c)) EndIf Print(Chr(*inputPtr\c)) isOdd ! 1 ;toggle word indicator nextChar() Wend EndProcedure   Define inputStream.s If OpenConsole() Repeat PrintN(#CRLF$ + #CRLF$ + "Enter a series of words consisting only of English letters (i.e. a-z, A-Z)") PrintN("and that are separated by a punctuation mark (i.e. !?()[]{},.;:-' or " + #DQUOTE$ + ").") inputStream = Input() oddWordProblem(inputStream) ;assume input is correct Until inputStream = ""   Print(#CRLF$ + #CRLF$ + "Press ENTER to exit"): Input() CloseConsole() EndIf
http://rosettacode.org/wiki/Number_names
Number names
Task Show how to spell out a number in English. You can use a preexisting implementation or roll your own, but you should support inputs up to at least one million (or the maximum value of your language's default bounded integer type, if that's less). Support for inputs other than positive integers (like zero, negative integers, and floating-point numbers) is optional. Related task   Spelling of ordinal numbers.
#C
C
#include <stdio.h> #include <string.h>   const char *ones[] = { 0, "one", "two", "three", "four", "five", "six", "seven", "eight", "nine", "ten", "eleven", "twelve", "thirteen", "fourteen", "fifteen", "sixteen", "seventeen", "eighteen", "nineteen" }; const char *tens[] = { 0, "ten", "twenty", "thirty", "forty", "fifty", "sixty", "seventy", "eighty", "ninety" }; const char *llions[] = { 0, "thousand", "million", "billion", "trillion", // "quadrillion", "quintillion", "sextillion", "septillion", // "octillion", "nonillion", "decillion" }; const int maxillion = sizeof(llions) / sizeof(llions[0]) * 3 - 3;   int say_hundred(const char *s, int len, int depth, int has_lead) { int c[3], i; for (i = -3; i < 0; i++) { if (len + i >= 0) c[i + 3] = s[len + i] - '0'; else c[i + 3] = 0; } if (!(c[0] + c[1] + c[2])) return 0;   if (c[0]) { printf("%s hundred", ones[c[0]]); has_lead = 1; }   if (has_lead && (c[1] || c[2])) printf((!depth || c[0]) && (!c[0] || !c[1]) ? "and " : c[0] ? " " : "");   if (c[1] < 2) { if (c[1] || c[2]) printf("%s", ones[c[1] * 10 + c[2]]); } else { if (c[1]) { printf("%s", tens[c[1]]); if (c[2]) putchar('-'); } if (c[2]) printf("%s", ones[c[2]]); }   return 1; }   int say_maxillion(const char *s, int len, int depth, int has_lead) { int n = len / 3, r = len % 3; if (!r) { n--; r = 3; } const char *e = s + r; do { if (say_hundred(s, r, n, has_lead) && n) { has_lead = 1; printf(" %s", llions[n]); if (!depth) printf(", "); else printf(" "); } s = e; e += 3; } while (r = 3, n--);   return 1; }   void say_number(const char *s) { int len, i, got_sign = 0;   while (*s == ' ') s++; if (*s < '0' || *s > '9') { if (*s == '-') got_sign = -1; else if (*s == '+') got_sign = 1; else goto nan; s++; } else got_sign = 1;   while (*s == '0') { s++; if (*s == '\0') { printf("zero\n"); return; } }   len = strlen(s); if (!len) goto nan;   for (i = 0; i < len; i++) { if (s[i] < '0' || s[i] > '9') { printf("(not a number)"); return; } } if (got_sign == -1) printf("minus ");   int n = len / maxillion; int r = len % maxillion; if (!r) { r = maxillion; n--; }   const char *end = s + len - n * maxillion; int has_lead = 0; do { if ((has_lead = say_maxillion(s, r, n, has_lead))) { for (i = 0; i < n; i++) printf(" %s", llions[maxillion / 3]); if (n) printf(", "); } n--; r = maxillion; s = end; end += r; } while (n >= 0);   printf("\n"); return;   nan: printf("not a number\n"); return; }   int main() { say_number("-42"); say_number("1984"); say_number("10000"); say_number("1024"); say_number("1001001001001"); say_number("123456789012345678901234567890123456789012345678900000001"); return 0; }
http://rosettacode.org/wiki/Number_reversal_game
Number reversal game
Task Given a jumbled list of the numbers   1   to   9   that are definitely   not   in ascending order. Show the list,   and then ask the player how many digits from the left to reverse. Reverse those digits,   then ask again,   until all the digits end up in ascending order. The score is the count of the reversals needed to attain the ascending order. Note: Assume the player's input does not need extra validation. Related tasks   Sorting algorithms/Pancake sort   Pancake sorting.   Topswops
#CLU
CLU
% This program uses the random number generator from PCLU's % 'misc.lib'   % Shuffle the given array. Every item ends up in a different place, % so if given the numbers in ascending order, it is guaranteed that % they will not still be in ascending order at the end. jumble = proc [T: type] (a: array[T]) for i: int in int$from_to_by(array[T]$high(a), array[T]$low(a)+1, -1) do j: int := array[T]$low(a) + random$next(i - array[T]$low(a)) x: T := a[i] a[i] := a[j] a[j] := x end end jumble   % Is the array sorted? win = proc (a: array[int]) returns (bool) for i: int in array[int]$indexes(a) do if i ~= a[i] then return(false) end end return(true) end win   % Reverse the first N items of the array reverse = proc (n: int, a: array[int]) for i: int in int$from_to(1, n/2) do j: int := n-i+1 x: int := a[j] a[j] := a[i] a[i] := x end end reverse   % Play the game start_up = proc () po: stream := stream$primary_output() pi: stream := stream$primary_input() d: date := now() random$seed(d.second + 60*(d.minute + 60*d.hour)) score: int := 0 nums: array[int] := array[int]$[1,2,3,4,5,6,7,8,9] jumble[int](nums) while ~win(nums) do for i: int in array[int]$elements(nums) do stream$puts(po, int$unparse(i)) end stream$puts(po, ": reverse how many? ") n: int := int$parse(stream$getl(pi)) reverse(n, nums) score := score + 1 end for i: int in array[int]$elements(nums) do stream$puts(po, int$unparse(i)) end stream$putl(po, "\nScore = " || int$unparse(score)) end start_up
http://rosettacode.org/wiki/Null_object
Null object
Null (or nil) is the computer science concept of an undefined or unbound object. Some languages have an explicit way to access the null object, and some don't. Some languages distinguish the null object from undefined values, and some don't. Task Show how to access null in your language by checking to see if an object is equivalent to the null object. This task is not about whether a variable is defined. The task is about "null"-like values in various languages, which may or may not be related to the defined-ness of variables in your language.
#E
E
object == null
http://rosettacode.org/wiki/Null_object
Null object
Null (or nil) is the computer science concept of an undefined or unbound object. Some languages have an explicit way to access the null object, and some don't. Some languages distinguish the null object from undefined values, and some don't. Task Show how to access null in your language by checking to see if an object is equivalent to the null object. This task is not about whether a variable is defined. The task is about "null"-like values in various languages, which may or may not be related to the defined-ness of variables in your language.
#EchoLisp
EchoLisp
  null → null () → null (null? 3) → #f (!null? 4) → #t (null? null) → #t   ;; careful - null is not false : (if null 'OUI 'NON) → OUI   ;; usual usage : recursion on lists until (null? list) (define (f list) (when (!null? list) (write (first list)) (f (rest list))))   (f '( a b c)) → a b c  
http://rosettacode.org/wiki/One-dimensional_cellular_automata
One-dimensional cellular automata
Assume an array of cells with an initial distribution of live and dead cells, and imaginary cells off the end of the array having fixed values. Cells in the next generation of the array are calculated based on the value of the cell and its left and right nearest neighbours in the current generation. If, in the following table, a live cell is represented by 1 and a dead cell by 0 then to generate the value of the cell at a particular index in the array of cellular values you use the following table: 000 -> 0 # 001 -> 0 # 010 -> 0 # Dies without enough neighbours 011 -> 1 # Needs one neighbour to survive 100 -> 0 # 101 -> 1 # Two neighbours giving birth 110 -> 1 # Needs one neighbour to survive 111 -> 0 # Starved to death.
#Erlang
Erlang
  -module(ca). -compile(export_all).   run(N,G) -> run(N,G,0).   run(GN,G,GN) -> io:fwrite("~B: ",[GN]), print(G); run(N,G,GN) -> io:fwrite("~B: ",[GN]), print(G), run(N,next(G),GN+1).   print([]) -> io:fwrite("~n"); print([0|T]) -> io:fwrite("_"), print(T); print([1|T]) -> io:fwrite("#"), print(T).   next([]) -> []; next([_]) -> [0]; next([H,1|_]=G) -> next(G,[H]); next([_|_]=G) -> next(G,[0]).   next([],Acc) -> lists:reverse(Acc); next([0,_],Acc) -> next([],[0|Acc]); next([1,X],Acc) -> next([],[X|Acc]); next([0,X,0|T],Acc) -> next([X,0|T],[0|Acc]); next([1,X,0|T],Acc) -> next([X,0|T],[X|Acc]); next([0,X,1|T],Acc) -> next([X,1|T],[X|Acc]); next([1,0,1|T],Acc) -> next([0,1|T],[1|Acc]); next([1,1,1|T],Acc) -> next([1,1|T],[0|Acc]).  
http://rosettacode.org/wiki/Numerical_integration
Numerical integration
Write functions to calculate the definite integral of a function ƒ(x) using all five of the following methods: rectangular left right midpoint trapezium Simpson's composite Your functions should take in the upper and lower bounds (a and b), and the number of approximations to make in that range (n). Assume that your example already has a function that gives values for ƒ(x) . Simpson's method is defined by the following pseudo-code: Pseudocode: Simpson's method, composite procedure quad_simpson_composite(f, a, b, n) h := (b - a) / n sum1 := f(a + h/2) sum2 := 0 loop on i from 1 to (n - 1) sum1 := sum1 + f(a + h * i + h/2) sum2 := sum2 + f(a + h * i)   answer := (h / 6) * (f(a) + f(b) + 4*sum1 + 2*sum2) Demonstrate your function by showing the results for:   ƒ(x) = x3,       where   x   is     [0,1],       with           100 approximations.   The exact result is     0.25               (or 1/4)   ƒ(x) = 1/x,     where   x   is   [1,100],     with        1,000 approximations.   The exact result is     4.605170+     (natural log of 100)   ƒ(x) = x,         where   x   is   [0,5000],   with 5,000,000 approximations.   The exact result is   12,500,000   ƒ(x) = x,         where   x   is   [0,6000],   with 6,000,000 approximations.   The exact result is   18,000,000 See also   Active object for integrating a function of real time.   Special:PrefixIndex/Numerical integration for other integration methods.
#Forth
Forth
fvariable step   defer method ( fn F: x -- fn[x] )   : left execute ; : right step f@ f+ execute ; : mid step f@ 2e f/ f+ execute ; : trap dup fdup left fswap right f+ 2e f/ ; : simpson dup fdup left dup fover mid 4e f* f+ fswap right f+ 6e f/ ;   : set-step ( n F: a b -- n F: a ) fover f- dup 0 d>f f/ step f! ;   : integrate ( xt n F: a b -- F: sigma ) set-step 0e 0 do dup fover method f+ fswap step f@ f+ fswap loop drop fnip step f@ f* ; \ testing similar to the D example : test ' is method ' 4 -1e 2e integrate f. ;   : fn1 fsincos f+ ; : fn2 fdup f* 4e f* 1e f+ 2e fswap f/ ;   7 set-precision test left fn2 \ 2.456897 test right fn2 \ 2.245132 test mid fn2 \ 2.496091 test trap fn2 \ 2.351014 test simpson fn2 \ 2.447732