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/Set
Set
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A   set  is a collection of elements, without duplicates and without order. Task Show each of these set operations: Set creation Test m ∈ S -- "m is an element in set S" A ∪ B -- union; a set of all elements either in set A or in set B. A ∩ B -- intersection; a set of all elements in both set A and set B. A ∖ B -- difference; a set of all elements in set A, except those in set B. A ⊆ B -- subset; true if every element in set A is also in set B. A = B -- equality; true if every element of set A is in set B and vice versa. As an option, show some other set operations. (If A ⊆ B, but A ≠ B, then A is called a true or proper subset of B, written A ⊂ B or A ⊊ B.) As another option, show how to modify a mutable set. One might implement a set using an associative array (with set elements as array keys and some dummy value as the values). One might also implement a set with a binary search tree, or with a hash table, or with an ordered array of binary bits (operated on with bit-wise binary operators). The basic test, m ∈ S, is O(n) with a sequential list of elements, O(log n) with a balanced binary search tree, or (O(1) average-case, O(n) worst case) with a hash table. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Julia
Julia
julia> S1 = Set(1:4) ; S2 = Set(3:6) ; println(S1,"\n",S2) Set{Int64}({4,2,3,1}) Set{Int64}({5,4,6,3}) julia> 5 in S1 , 5 in S2 (false,true) julia> intersect(S1,S2) Set{Int64}({4,3}) julia> union(S1,S2) Set{Int64}({5,4,6,2,3,1}) julia> setdiff(S1,S2) Set{Int64}({2,1}) julia> issubset(S1,S2) false julia> isequal(S1,S2) false julia> symdiff(S1,S2) Set{Int64}({5,6,2,1})
http://rosettacode.org/wiki/Sieve_of_Eratosthenes
Sieve of Eratosthenes
This task has been clarified. Its programming examples are in need of review to ensure that they still fit the requirements of the task. The Sieve of Eratosthenes is a simple algorithm that finds the prime numbers up to a given integer. Task Implement the   Sieve of Eratosthenes   algorithm, with the only allowed optimization that the outer loop can stop at the square root of the limit, and the inner loop may start at the square of the prime just found. That means especially that you shouldn't optimize by using pre-computed wheels, i.e. don't assume you need only to cross out odd numbers (wheel based on 2), numbers equal to 1 or 5 modulo 6 (wheel based on 2 and 3), or similar wheels based on low primes. If there's an easy way to add such a wheel based optimization, implement it as an alternative version. Note It is important that the sieve algorithm be the actual algorithm used to find prime numbers for the task. Related tasks   Emirp primes   count in factors   prime decomposition   factors of an integer   extensible prime generator   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes   sequence of primes by Trial Division
#D
D
import std.stdio, std.algorithm, std.range, std.functional;   uint[] sieve(in uint limit) nothrow @safe { if (limit < 2) return []; auto composite = new bool[limit];   foreach (immutable uint n; 2 .. cast(uint)(limit ^^ 0.5) + 1) if (!composite[n]) for (uint k = n * n; k < limit; k += n) composite[k] = true;   //return iota(2, limit).filter!(not!composite).array; return iota(2, limit).filter!(i => !composite[i]).array; }   void main() { 50.sieve.writeln; }
http://rosettacode.org/wiki/Show_ASCII_table
Show ASCII table
Task Show  the ASCII character set  from values   32   to   127   (decimal)   in a table format. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#zkl
zkl
const width=9; println(" ",[0..width].pump(String,"%4d".fmt)); [30..127].pump("".println,T(Void.Read,width,False), // don't fail on short lines fcn(a,b,c){ String("%3d: ".fmt(a), vm.arglist.pump(String,"toChar", // parameters (ints) to list to text T("replace","\x1e",""),T("replace","\x1f",""), // 30,31 T("replace"," ","spc"),T("replace","\x7f","del"), "%-4s".fmt) ) })
http://rosettacode.org/wiki/Sierpinski_carpet
Sierpinski carpet
Task Produce a graphical or ASCII-art representation of a Sierpinski carpet of order   N. For example, the Sierpinski carpet of order   3   should look like this: ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### ######### ######### # ## ## # # ## ## # ######### ######### ### ### ### ### # # # # # # # # ### ### ### ### ######### ######### # ## ## # # ## ## # ######### ######### ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### The use of the   #   character is not rigidly required for ASCII art. The important requirement is the placement of whitespace and non-whitespace characters. Related task   Sierpinski triangle
#uBasic.2F4tH
uBasic/4tH
Input "Carpet order: ";n   l = (3^n) - 1 For i = 0 To l For j = 0 To l Push i,j Gosub 100 If Pop() Then Print "#"; Else Print " "; EndIf Next Print Next End   100 y = Pop(): x = Pop() : Push 1   Do While (x > 0) * (y > 0) If (x % 3 = 1) * (y % 3 = 1) Then Push (Pop() - 1) Break EndIf y = y / 3 x = x / 3 Loop   Return
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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
: semordnilap | w wr wrds | ListBuffer new ->wrds ListBuffer new File new("unixdict.txt") forEach: w [ wrds include(w reverse dup ->wr) ifTrue: [ [wr, w] over add ] w wr < ifTrue: [ wrds add(w) ] ] ;
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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
while (<>) { chomp; my $r = reverse; $seen{$r}++ and $c++ < 5 and print "$_ $r\n" or $seen{$_}++; }   print "$c\n"
http://rosettacode.org/wiki/Semiprime
Semiprime
Semiprime numbers are natural numbers that are products of exactly two (possibly equal) prime numbers. Semiprimes   are also known as:   semi-primes   biprimes   bi-primes   2-almost   primes   or simply:   P2 Example 1679 = 23 × 73 (This particular number was chosen as the length of the Arecibo message). Task Write a function determining whether a given number is semiprime. See also The Wikipedia article:  semiprime. The Wikipedia article:  almost prime. The OEIS sequence:  A001358: semiprimes  which has a shorter definition: the product of two primes.
#Seed7
Seed7
$ include "seed7_05.s7i";   const func boolean: semiPrime (in var integer: n) is func result var boolean: isSemiPrime is TRUE; local var integer: p is 2; var integer: f is 0; begin while f < 2 and p**2 <= n do while n rem p = 0 do n := n div p; incr(f); end while; incr(p); end while; isSemiPrime := f + ord(n > 1) = 2; end func;   const proc: main is func local var integer: v is 0; begin for v range 1675 to 1680 do writeln(v <& " -> " <& semiPrime(v)); end for; end func;
http://rosettacode.org/wiki/Semiprime
Semiprime
Semiprime numbers are natural numbers that are products of exactly two (possibly equal) prime numbers. Semiprimes   are also known as:   semi-primes   biprimes   bi-primes   2-almost   primes   or simply:   P2 Example 1679 = 23 × 73 (This particular number was chosen as the length of the Arecibo message). Task Write a function determining whether a given number is semiprime. See also The Wikipedia article:  semiprime. The Wikipedia article:  almost prime. The OEIS sequence:  A001358: semiprimes  which has a shorter definition: the product of two primes.
#Sidef
Sidef
say is_semiprime(2**128 + 1) #=> true say is_semiprime(2**256 - 1) #=> false
http://rosettacode.org/wiki/SEDOLs
SEDOLs
Task For each number list of 6-digit SEDOLs, calculate and append the checksum digit. That is, given this input: 710889 B0YBKJ 406566 B0YBLH 228276 B0YBKL 557910 B0YBKR 585284 B0YBKT B00030 Produce this output: 7108899 B0YBKJ7 4065663 B0YBLH2 2282765 B0YBKL9 5579107 B0YBKR5 5852842 B0YBKT7 B000300 Extra credit Check each input is correctly formed, especially with respect to valid characters allowed in a SEDOL string. Related tasks   Luhn test   ISIN
#Icon_and_Unicon
Icon and Unicon
procedure main() every write(sedol("710889"|"B0YBKJ"|"406566"|"B0YBLH"|"228276"| "B0YBKL"|"557910"|"B0YBKR"|"585284"|"B0YBKT"|"B00030")) end   procedure sedol(x) #: return the completed sedol with check digit static w,c initial { every (i := -1, c := table())[!(&digits||&ucase)] := i +:= 1 # map chars every c[!"AEIOU"] := &null # delete vowels w := [1,3,1,7,3,9] # weights }   if *(x := map(x,&lcase,&ucase)) = *w then { # match lengths every (t :=0, i := 1 to *x) do t +:= \c[x[i]]*w[i] | fail # accumulate weighted chars return x || (10 - (t%10)) % 10 # complete } end
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#Red
Red
Red []   ;;------------------------------------- count-dig: func ["count occurence of digit in number" ;;------------------------------------- s [string!] "number as string" sdig [char!] "search number as char" ][ cnt: #"0" ;; counter as char for performance optimization   while [s: find/tail s sdig][cnt: cnt + 1] return cnt ]   ;;------------------------------------- isSDN?: func ["test if number is self describing number" s [string!] "number to test as string " ][ ;;-------------------------------------   ind: #"0" ;; use digit as char for performance optimization   foreach ele s [ if ele <> count-dig s ind [return false] ind: ind + 1 ] return true ]   repeat i 4000000 [ if isSDN? to-string i [print i] ]  
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#REXX
REXX
/*REXX program determines if a number (in base 10) is a self─describing, */ /*────────────────────────────────────────────────────── self─descriptive, */ /*────────────────────────────────────────────────────── autobiographical, or a */ /*────────────────────────────────────────────────────── curious number. */ parse arg x y . /*obtain optional arguments from the CL*/ if x=='' | x=="," then exit /*Not specified? Then get out of Dodge*/ if y=='' | y=="," then y=x /* " " Then use the X value.*/ w=length(y) /*use Y's width for aligned output. */ numeric digits max(9, w) /*ensure we can handle larger numbers. */ if x==y then do /*handle the case of a single number. */ noYes=test_SDN(y) /*is it or ain't it? */ say y word("is isn't", noYes+1) 'a self-describing number.' exit end   do n=x to y if test_SDN(n) then iterate /*if not self─describing, try again. */ say right(n,w) 'is a self-describing number.' /*is it? */ end /*n*/ exit /*stick a fork in it, we're all done. */ /*──────────────────────────────────────────────────────────────────────────────────────*/ test_SDN: procedure; parse arg ?; L=length(?) /*obtain the argument and its length.*/ do j=L to 1 by -1 /*parsing backwards is slightly faster.*/ if substr(?,j,1)\==L-length(space(translate(?,,j-1),0)) then return 1 end /*j*/ return 0 /*faster if used inverted truth table. */
http://rosettacode.org/wiki/Sequence_of_primes_by_trial_division
Sequence of primes by trial division
Sequence of primes by trial division You are encouraged to solve this task according to the task description, using any language you may know. Task Generate a sequence of primes by means of trial division. Trial division is an algorithm where a candidate number is tested for being a prime by trying to divide it by other numbers. You may use primes, or any numbers of your choosing, as long as the result is indeed a sequence of primes. The sequence may be bounded (i.e. up to some limit), unbounded, starting from the start (i.e. 2) or above some given value. Organize your function as you wish, in particular, it might resemble a filtering operation, or a sieving operation. If you want to use a ready-made is_prime function, use one from the Primality by trial division page (i.e., add yours there if it isn't there already). Related tasks   count in factors   prime decomposition   factors of an integer   Sieve of Eratosthenes   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes
#Tcl
Tcl
set primes {} proc havePrime n { global primes foreach p $primes { # Do the test-by-trial-division if {$n/$p*$p == $n} {return false} } return true } for {set n 2} {$n < 100} {incr n} { if {[havePrime $n]} { lappend primes $n puts -nonewline "$n " } } puts ""
http://rosettacode.org/wiki/Sequence_of_primes_by_trial_division
Sequence of primes by trial division
Sequence of primes by trial division You are encouraged to solve this task according to the task description, using any language you may know. Task Generate a sequence of primes by means of trial division. Trial division is an algorithm where a candidate number is tested for being a prime by trying to divide it by other numbers. You may use primes, or any numbers of your choosing, as long as the result is indeed a sequence of primes. The sequence may be bounded (i.e. up to some limit), unbounded, starting from the start (i.e. 2) or above some given value. Organize your function as you wish, in particular, it might resemble a filtering operation, or a sieving operation. If you want to use a ready-made is_prime function, use one from the Primality by trial division page (i.e., add yours there if it isn't there already). Related tasks   count in factors   prime decomposition   factors of an integer   Sieve of Eratosthenes   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes
#Wren
Wren
import "/fmt" for Fmt   var primeSeq = Fiber.new { Fiber.yield(2) var n = 3 while (true) { var isPrime = true var p = 3 while (p * p <= n) { if (n%p == 0) { isPrime = false break } p = p + 2 } if (isPrime) Fiber.yield(n) n = n + 2 } }   var limit = 315 var count = 0 while (true) { var p = primeSeq.call() System.write("%(Fmt.d(4, p)) ") count = count + 1 if (count%15 == 0) System.print() if (count == limit) break }
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#min
min
(dup sqrt 0.5 + int +) :non-sq (sqrt dup floor - 0 ==) :sq? (:n =q 1 'dup q concat 'succ concat n times pop) :upto   (non-sq print! " " print!) 22 upto newline "Squares for n below one million:" puts! (non-sq 'sq? 'puts when pop) 999999 upto
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#.D0.9C.D0.9A-61.2F52
МК-61/52
1 П4 ИП4 0 , 5 ИП4 КвКор + [x] + С/П КИП4 БП 02
http://rosettacode.org/wiki/Set
Set
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A   set  is a collection of elements, without duplicates and without order. Task Show each of these set operations: Set creation Test m ∈ S -- "m is an element in set S" A ∪ B -- union; a set of all elements either in set A or in set B. A ∩ B -- intersection; a set of all elements in both set A and set B. A ∖ B -- difference; a set of all elements in set A, except those in set B. A ⊆ B -- subset; true if every element in set A is also in set B. A = B -- equality; true if every element of set A is in set B and vice versa. As an option, show some other set operations. (If A ⊆ B, but A ≠ B, then A is called a true or proper subset of B, written A ⊂ B or A ⊊ B.) As another option, show how to modify a mutable set. One might implement a set using an associative array (with set elements as array keys and some dummy value as the values). One might also implement a set with a binary search tree, or with a hash table, or with an ordered array of binary bits (operated on with bit-wise binary operators). The basic test, m ∈ S, is O(n) with a sequential list of elements, O(log n) with a balanced binary search tree, or (O(1) average-case, O(n) worst case) with a hash table. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Kotlin
Kotlin
// version 1.0.6   fun main(args: Array<String>) { val fruits = setOf("apple", "pear", "orange", "banana") println("fruits  : $fruits") val fruits2 = setOf("melon", "orange", "lemon", "gooseberry") println("fruits2 : $fruits2\n")   println("fruits contains 'banana'  : ${"banana" in fruits}") println("fruits2 contains 'elderberry' : ${"elderbury" in fruits2}\n")   println("Union  : ${fruits.union(fruits2)}") println("Intersection : ${fruits.intersect(fruits2)}") println("Difference  : ${fruits.minus(fruits2)}\n")   println("fruits2 is a subset of fruits : ${fruits.containsAll(fruits2)}\n") val fruits3 = fruits println("fruits3 : $fruits3\n") var areEqual = fruits.containsAll(fruits2) && fruits3.containsAll(fruits) println("fruits2 and fruits are equal  : $areEqual") areEqual = fruits.containsAll(fruits3) && fruits3.containsAll(fruits) println("fruits3 and fruits are equal  : $areEqual\n")   val fruits4 = setOf("apple", "orange") println("fruits4 : $fruits4\n") var isProperSubset = fruits.containsAll(fruits3) && !fruits3.containsAll(fruits) println("fruits3 is a proper subset of fruits : $isProperSubset") isProperSubset = fruits.containsAll(fruits4) && !fruits4.containsAll(fruits) println("fruits4 is a proper subset of fruits : $isProperSubset\n")   val fruits5 = mutableSetOf("cherry", "blueberry", "raspberry") println("fruits5 : $fruits5\n") fruits5 += "guava" println("fruits5 + 'guava'  : $fruits5") println("fruits5 - 'cherry' : ${fruits5 - "cherry"}") }
http://rosettacode.org/wiki/Sieve_of_Eratosthenes
Sieve of Eratosthenes
This task has been clarified. Its programming examples are in need of review to ensure that they still fit the requirements of the task. The Sieve of Eratosthenes is a simple algorithm that finds the prime numbers up to a given integer. Task Implement the   Sieve of Eratosthenes   algorithm, with the only allowed optimization that the outer loop can stop at the square root of the limit, and the inner loop may start at the square of the prime just found. That means especially that you shouldn't optimize by using pre-computed wheels, i.e. don't assume you need only to cross out odd numbers (wheel based on 2), numbers equal to 1 or 5 modulo 6 (wheel based on 2 and 3), or similar wheels based on low primes. If there's an easy way to add such a wheel based optimization, implement it as an alternative version. Note It is important that the sieve algorithm be the actual algorithm used to find prime numbers for the task. Related tasks   Emirp primes   count in factors   prime decomposition   factors of an integer   extensible prime generator   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes   sequence of primes by Trial Division
#Dart
Dart
// helper function to pretty print an Iterable String iterableToString(Iterable seq) { String str = "["; Iterator i = seq.iterator; if (i.moveNext()) str += i.current.toString(); while(i.moveNext()) { str += ", " + i.current.toString(); } return str + "]"; }   main() { int limit = 1000; int strt = new DateTime.now().millisecondsSinceEpoch; Set<int> sieve = new Set<int>();   for(int i = 2; i <= limit; i++) { sieve.add(i); } for(int i = 2; i * i <= limit; i++) { if(sieve.contains(i)) { for(int j = i * i; j <= limit; j += i) { sieve.remove(j); } } } var sortedValues = new List<int>.from(sieve); int elpsd = new DateTime.now().millisecondsSinceEpoch - strt; print("Found " + sieve.length.toString() + " primes up to " + limit.toString() + " in " + elpsd.toString() + " milliseconds."); print(iterableToString(sortedValues)); // expect sieve.length to be 168 up to 1000... // Expect.equals(168, sieve.length); }
http://rosettacode.org/wiki/Show_ASCII_table
Show ASCII table
Task Show  the ASCII character set  from values   32   to   127   (decimal)   in a table format. 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
#ZX_Spectrum_Basic
ZX Spectrum Basic
10 FOR x=0 TO 9 20 PRINT AT 0,4+2*x;x 30 PRINT AT x+1,0;10*(3+x) 40 NEXT x 50 FOR x=32 TO 127 60 LET d=x-10*INT (x/10) 70 LET t=(x-d)/10 80 PRINT AT t-2,4+2*d;CHR$ x 90 NEXT x
http://rosettacode.org/wiki/Sierpinski_carpet
Sierpinski carpet
Task Produce a graphical or ASCII-art representation of a Sierpinski carpet of order   N. For example, the Sierpinski carpet of order   3   should look like this: ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### ######### ######### # ## ## # # ## ## # ######### ######### ### ### ### ### # # # # # # # # ### ### ### ### ######### ######### # ## ## # # ## ## # ######### ######### ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### The use of the   #   character is not rigidly required for ASCII art. The important requirement is the placement of whitespace and non-whitespace characters. Related task   Sierpinski triangle
#UNIX_Shell
UNIX Shell
#!/bin/bash   sierpinski_carpet() { local -i n="${1:-3}" local carpet="${2:-#}" while (( n-- )); do local center="${carpet//#/ }" carpet="$(paste -d ' ' <(echo "$carpet"$'\n'"$carpet"$'\n'"$carpet") <(echo "$carpet"$'\n'"$center"$'\n'"$carpet") <(echo "$carpet"$'\n'"$carpet"$'\n'"$carpet"))" done echo "$carpet" }
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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(), semordnilap={} for i=1 to length(words) do string word = words[i] if rfind(reverse(word),words,i-1) then semordnilap = append(semordnilap,word) end if end for printf(1,"%d semordnilap found, the first five are:\n",length(semordnilap)) for i=1 to 5 do printf(1,"%s - %s\n",{semordnilap[i],reverse(semordnilap[i])}) end for
http://rosettacode.org/wiki/Semiprime
Semiprime
Semiprime numbers are natural numbers that are products of exactly two (possibly equal) prime numbers. Semiprimes   are also known as:   semi-primes   biprimes   bi-primes   2-almost   primes   or simply:   P2 Example 1679 = 23 × 73 (This particular number was chosen as the length of the Arecibo message). Task Write a function determining whether a given number is semiprime. See also The Wikipedia article:  semiprime. The Wikipedia article:  almost prime. The OEIS sequence:  A001358: semiprimes  which has a shorter definition: the product of two primes.
#Swift
Swift
import Foundation   func primes(n: Int) -> AnyGenerator<Int> {   var (seive, i) = ([Int](0..<n), 1) let lim = Int(sqrt(Double(n)))   return anyGenerator { while ++i < n { if seive[i] != 0 { if i <= lim { for notPrime in stride(from: i*i, to: n, by: i) { seive[notPrime] = 0 } } return i } } return nil } }   func isSemiPrime(n: Int) -> Bool { let g = primes(n) while let first = g.next() { if n % first == 0 { if first * first == n { return true } else { while let second = g.next() { if first * second == n { return true } } } } } return false }
http://rosettacode.org/wiki/Semiprime
Semiprime
Semiprime numbers are natural numbers that are products of exactly two (possibly equal) prime numbers. Semiprimes   are also known as:   semi-primes   biprimes   bi-primes   2-almost   primes   or simply:   P2 Example 1679 = 23 × 73 (This particular number was chosen as the length of the Arecibo message). Task Write a function determining whether a given number is semiprime. See also The Wikipedia article:  semiprime. The Wikipedia article:  almost prime. The OEIS sequence:  A001358: semiprimes  which has a shorter definition: the product of two primes.
#Tcl
Tcl
package require math::numtheory   proc isSemiprime n { if {!($n & 1)} { return [::math::numtheory::isprime [expr {$n >> 1}]] } for {set i 3} {$i*$i < $n} {incr i 2} { if {$n / $i * $i != $n && [::math::numtheory::isprime $i]} { if {[::math::numtheory::isprime [expr {$n/$i}]]} { return 1 } } } return 0 }   for {set n 1675} {$n <= 1680} {incr n} { puts -nonewline "$n is ... " if {[isSemiprime $n]} { puts "a semiprime" } else { puts "NOT a semiprime" } }
http://rosettacode.org/wiki/SEDOLs
SEDOLs
Task For each number list of 6-digit SEDOLs, calculate and append the checksum digit. That is, given this input: 710889 B0YBKJ 406566 B0YBLH 228276 B0YBKL 557910 B0YBKR 585284 B0YBKT B00030 Produce this output: 7108899 B0YBKJ7 4065663 B0YBLH2 2282765 B0YBKL9 5579107 B0YBKR5 5852842 B0YBKT7 B000300 Extra credit Check each input is correctly formed, especially with respect to valid characters allowed in a SEDOL string. Related tasks   Luhn test   ISIN
#J
J
sn =. '0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ' ac0 =: (, 10 | 1 3 1 7 3 9 +/@:* -)&.(sn i. |:)
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#Ring
Ring
  # Project : Self-describing numbers   for num = 1 to 45000000 res = 0 for n=1 to len(string(num)) temp = string(num) pos = number(temp[n]) cnt = count(temp,string(n-1)) if cnt = pos res = res + 1 ok next if res = len(string(num)) see num + nl ok next   func count(cString,dString) sum = 0 while substr(cString,dString) > 0 sum = sum + 1 cString = substr(cString,substr(cString,dString)+len(string(sum))) end return sum  
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#Ruby
Ruby
def self_describing?(n) digits = n.digits.reverse digits.each_with_index.all?{|digit, idx| digits.count(idx) == digit} end   3_300_000.times {|n| puts n if self_describing?(n)}
http://rosettacode.org/wiki/Sequence_of_primes_by_trial_division
Sequence of primes by trial division
Sequence of primes by trial division You are encouraged to solve this task according to the task description, using any language you may know. Task Generate a sequence of primes by means of trial division. Trial division is an algorithm where a candidate number is tested for being a prime by trying to divide it by other numbers. You may use primes, or any numbers of your choosing, as long as the result is indeed a sequence of primes. The sequence may be bounded (i.e. up to some limit), unbounded, starting from the start (i.e. 2) or above some given value. Organize your function as you wish, in particular, it might resemble a filtering operation, or a sieving operation. If you want to use a ready-made is_prime function, use one from the Primality by trial division page (i.e., add yours there if it isn't there already). Related tasks   count in factors   prime decomposition   factors of an integer   Sieve of Eratosthenes   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes
#XPL0
XPL0
func IsPrime(N); \Return 'true' if N is prime int N, I; [if N <= 2 then return N = 2; if (N&1) = 0 then \even >2\ return false; for I:= 3 to sqrt(N) do [if rem(N/I) = 0 then return false; I:= I+1; ]; return true; ];   int N; for N:= 2 to 100 do if IsPrime(N) then [IntOut(0, N); ChOut(0, ^ )]
http://rosettacode.org/wiki/Sequence_of_primes_by_trial_division
Sequence of primes by trial division
Sequence of primes by trial division You are encouraged to solve this task according to the task description, using any language you may know. Task Generate a sequence of primes by means of trial division. Trial division is an algorithm where a candidate number is tested for being a prime by trying to divide it by other numbers. You may use primes, or any numbers of your choosing, as long as the result is indeed a sequence of primes. The sequence may be bounded (i.e. up to some limit), unbounded, starting from the start (i.e. 2) or above some given value. Organize your function as you wish, in particular, it might resemble a filtering operation, or a sieving operation. If you want to use a ready-made is_prime function, use one from the Primality by trial division page (i.e., add yours there if it isn't there already). Related tasks   count in factors   prime decomposition   factors of an integer   Sieve of Eratosthenes   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes
#Yabasic
Yabasic
sub isPrime(v) if v < 2 then return False : fi if mod(v, 2) = 0 then return v = 2 : fi if mod(v, 3) = 0 then return v = 3 : fi d = 5 while d * d <= v if mod(v, d) = 0 then return False else d = d + 2 : fi wend return True end sub   for i = 101 to 999 if isPrime(i) print str$(i), " "; next i end
http://rosettacode.org/wiki/Sequence_of_primes_by_trial_division
Sequence of primes by trial division
Sequence of primes by trial division You are encouraged to solve this task according to the task description, using any language you may know. Task Generate a sequence of primes by means of trial division. Trial division is an algorithm where a candidate number is tested for being a prime by trying to divide it by other numbers. You may use primes, or any numbers of your choosing, as long as the result is indeed a sequence of primes. The sequence may be bounded (i.e. up to some limit), unbounded, starting from the start (i.e. 2) or above some given value. Organize your function as you wish, in particular, it might resemble a filtering operation, or a sieving operation. If you want to use a ready-made is_prime function, use one from the Primality by trial division page (i.e., add yours there if it isn't there already). Related tasks   count in factors   prime decomposition   factors of an integer   Sieve of Eratosthenes   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes
#zkl
zkl
fcn isPrime(p){ (p>=2) and (not [2 .. p.toFloat().sqrt()].filter1('wrap(n){ p%n==0 })) } fcn primesBelow(n){ [0..n].filter(isPrime) }
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#MMIX
MMIX
LOC Data_Segment GREG @ buf OCTA 0,0   GREG @ NL BYTE #a,0 errh BYTE "Sorry, number ",0 errt BYTE "is a quare.",0 prtOk BYTE "No squares found below 1000000.",0   i IS $1 % loop var. x IS $2 % computations y IS $3 % .. z IS $4 % .. t IS $5 % temp Ja IS $127 % return address   LOC #100 % locate program GREG @ // print integer of max. 7 digits to StdOut // primarily used to show the first 22 non squares // in advance the end of the buffer is filled with ' 0 ' // reg x contains int to be printed bp IS $71 0H GREG #0000000000203020 prtInt STO 0B,buf % initialize buffer LDA bp,buf+7 % points after LSD % REPEAT 1H SUB bp,bp,1 % move buffer pointer DIV x,x,10 % divmod (x,10) GET t,rR % get remainder INCL t,'0' % make char digit STB t,bp % store digit PBNZ x,1B % UNTIL no more digits LDA $255,bp TRAP 0,Fputs,StdOut % print integer GO Ja,Ja,0 % 'return' // function calculates non square // x = RF ( i ) RF FLOT x,i % convert i to float FSQRT x,0,x % x = floor ( 0.5 + sqrt i ) FIX x,x % convert float to int ADD x,x,i % x = i + floor ( 0.5 + sqrt i ) GO Ja,Ja,0 % 'return' % main (argc, argv) { // generate the first 22 non squares Main SET i,1 % for ( i=1; i<=22; i++){ 1H GO Ja,RF % x = RF (i) GO Ja,prtInt % print non square INCL i,1 % i++ CMP t,i,22 % i<=22 ? PBNP t,1B % } LDA $255,NL TRAP 0,Fputs,StdOut // check if RF (i) is a square for 0 < i < 1000000 SET i,1000 MUL i,i,i SUB i,i,1 % for ( i = 999999; i>0; i--) 3H GO Ja,RF % x = RF ( i ) // square test FLOT y,x % convert int x to float FSQRT z,3,y % z = floor ( sqrt ( int (x) ) ) FIX z,z % z = cint z MUL z,z,z % z = z^2 CMP t,x,z % x != (int sqrt x)^2 ? PBNZ t,2F % if yes then continue // it should not happen, but if a square is found LDA $255,errh % else print err-message TRAP 0,Fputs,StdOut GO Ja,prtInt % show trespasser LDA $255,errt TRAP 0,Fputs,StdOut LDA $255,NL TRAP 0,Fputs,StdOut TRAP 0,Halt,0   2H SUB i,i,1 % i-- PBNZ i,3B % i>0? } LDA $255,prtOk % TRAP 0,Fputs,StdOut LDA $255,NL TRAP 0,Fputs,StdOut TRAP 0,Halt,0 % }
http://rosettacode.org/wiki/Set
Set
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A   set  is a collection of elements, without duplicates and without order. Task Show each of these set operations: Set creation Test m ∈ S -- "m is an element in set S" A ∪ B -- union; a set of all elements either in set A or in set B. A ∩ B -- intersection; a set of all elements in both set A and set B. A ∖ B -- difference; a set of all elements in set A, except those in set B. A ⊆ B -- subset; true if every element in set A is also in set B. A = B -- equality; true if every element of set A is in set B and vice versa. As an option, show some other set operations. (If A ⊆ B, but A ≠ B, then A is called a true or proper subset of B, written A ⊂ B or A ⊊ B.) As another option, show how to modify a mutable set. One might implement a set using an associative array (with set elements as array keys and some dummy value as the values). One might also implement a set with a binary search tree, or with a hash table, or with an ordered array of binary bits (operated on with bit-wise binary operators). The basic test, m ∈ S, is O(n) with a sequential list of elements, O(log n) with a balanced binary search tree, or (O(1) average-case, O(n) worst case) with a hash table. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Lasso
Lasso
// Extend set type define set->issubsetof(p::set) => .intersection(#p)->size == .size define set->oncompare(p::set) => .intersection(#p)->size - .size   // Set creation local(set1) = set('j','k','l','m','n') local(set2) = set('m','n','o','p','q')   //Test m ∈ S -- "m is an element in set S" #set1 >> 'm'   // A ∪ B -- union; a set of all elements either in set A or in set B. #set1->union(#set2)   //A ∩ B -- intersection; a set of all elements in both set A and set B. #set1->intersection(#set2)   //A ∖ B -- difference; a set of all elements in set A, except those in set B. #set1->difference(#set2)   //A ⊆ B -- subset; true if every element in set A is also in set B. #set1->issubsetof(#set2)   //A = B -- equality; true if every element of set A is in set B and vice-versa. #set1 == #set2
http://rosettacode.org/wiki/Sieve_of_Eratosthenes
Sieve of Eratosthenes
This task has been clarified. Its programming examples are in need of review to ensure that they still fit the requirements of the task. The Sieve of Eratosthenes is a simple algorithm that finds the prime numbers up to a given integer. Task Implement the   Sieve of Eratosthenes   algorithm, with the only allowed optimization that the outer loop can stop at the square root of the limit, and the inner loop may start at the square of the prime just found. That means especially that you shouldn't optimize by using pre-computed wheels, i.e. don't assume you need only to cross out odd numbers (wheel based on 2), numbers equal to 1 or 5 modulo 6 (wheel based on 2 and 3), or similar wheels based on low primes. If there's an easy way to add such a wheel based optimization, implement it as an alternative version. Note It is important that the sieve algorithm be the actual algorithm used to find prime numbers for the task. Related tasks   Emirp primes   count in factors   prime decomposition   factors of an integer   extensible prime generator   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes   sequence of primes by Trial Division
#Delphi
Delphi
program erathostenes;   {$APPTYPE CONSOLE}   type TSieve = class private fPrimes: TArray<boolean>; procedure InitArray; procedure Sieve; function getNextPrime(aStart: integer): integer; function getPrimeArray: TArray<integer>; public function getPrimes(aMax: integer): TArray<integer>; end;   { TSieve }   function TSieve.getNextPrime(aStart: integer): integer; begin result := aStart; while not fPrimes[result] do inc(result); end;   function TSieve.getPrimeArray: TArray<integer>; var i, n: integer; begin n := 0; setlength(result, length(fPrimes)); // init array with maximum elements for i := 2 to high(fPrimes) do begin if fPrimes[i] then begin result[n] := i; inc(n); end; end; setlength(result, n); // reduce array to actual elements end;   function TSieve.getPrimes(aMax: integer): TArray<integer>; begin setlength(fPrimes, aMax); InitArray; Sieve; result := getPrimeArray; end;   procedure TSieve.InitArray; begin for i := 2 to high(fPrimes) do fPrimes[i] := true; end;   procedure TSieve.Sieve; var i, n, max: integer; begin max := length(fPrimes); i := 2; while i < sqrt(max) do begin n := sqr(i); while n < max do begin fPrimes[n] := false; inc(n, i); end; i := getNextPrime(i + 1); end; end;   var i: integer; Sieve: TSieve;   begin Sieve := TSieve.Create; for i in Sieve.getPrimes(100) do write(i, ' '); Sieve.Free; readln; end.
http://rosettacode.org/wiki/Sierpinski_carpet
Sierpinski carpet
Task Produce a graphical or ASCII-art representation of a Sierpinski carpet of order   N. For example, the Sierpinski carpet of order   3   should look like this: ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### ######### ######### # ## ## # # ## ## # ######### ######### ### ### ### ### # # # # # # # # ### ### ### ### ######### ######### # ## ## # # ## ## # ######### ######### ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### The use of the   #   character is not rigidly required for ASCII art. The important requirement is the placement of whitespace and non-whitespace characters. Related task   Sierpinski triangle
#Ursala
Ursala
#import std #import nat   carpet = ~&a^?\<<&>>! (-*<7,5,7>; *=DS ~&K7+ ~&B**DS*=rlDS)^|R/~& predecessor   #show+   test = mat0 ~&?(`#!,` !)*** carpet* <0,1,2,3>
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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
#PHP
PHP
<?php // Read dictionary into array $dictionary = array_fill_keys(file( 'http://www.puzzlers.org/pub/wordlists/unixdict.txt', FILE_IGNORE_NEW_LINES | FILE_SKIP_EMPTY_LINES ), true); foreach (array_keys($dictionary) as $word) { $reversed_word = strrev($word); if (isset($dictionary[$reversed_word]) && $word > $reversed_word) $words[$word] = $reversed_word; } echo count($words), "\n"; // array_rand() returns keys, not values foreach (array_rand($words, 5) as $word) echo "$word $words[$word]\n";
http://rosettacode.org/wiki/Semiprime
Semiprime
Semiprime numbers are natural numbers that are products of exactly two (possibly equal) prime numbers. Semiprimes   are also known as:   semi-primes   biprimes   bi-primes   2-almost   primes   or simply:   P2 Example 1679 = 23 × 73 (This particular number was chosen as the length of the Arecibo message). Task Write a function determining whether a given number is semiprime. See also The Wikipedia article:  semiprime. The Wikipedia article:  almost prime. The OEIS sequence:  A001358: semiprimes  which has a shorter definition: the product of two primes.
#TypeScript
TypeScript
  // Semiprime   function primeFactorsCount(n: number): number { n = Math.abs(n); var count = 0; // Result if (n >= 2) for (factor = 2; factor <= n; factor++) while n % factor == 0) { count++; n /= factor; } return count; }   const readline = require('readline').createInterface({ input: process.stdin, output: process.stdout });   readline.question('Enter an integer: ', sn => { var n = parseInt(sn); console.log(primeFactorsCount(n) == 2 ? "It is a semiprime." : "It is not a semiprime."); readline.close(); });  
http://rosettacode.org/wiki/Semiprime
Semiprime
Semiprime numbers are natural numbers that are products of exactly two (possibly equal) prime numbers. Semiprimes   are also known as:   semi-primes   biprimes   bi-primes   2-almost   primes   or simply:   P2 Example 1679 = 23 × 73 (This particular number was chosen as the length of the Arecibo message). Task Write a function determining whether a given number is semiprime. See also The Wikipedia article:  semiprime. The Wikipedia article:  almost prime. The OEIS sequence:  A001358: semiprimes  which has a shorter definition: the product of two primes.
#Wren
Wren
var semiprime = Fn.new { |n| if (n < 3) return false var nf = 0 for (i in 2..n) { while (n%i == 0) { if (nf == 2) return false nf = nf + 1 n = (n/i).floor } } return nf == 2 }   for (v in 1675..1680) { System.print("%(v) -> %(semiprime.call(v) ? "is" : "is not") semi-prime") }
http://rosettacode.org/wiki/SEDOLs
SEDOLs
Task For each number list of 6-digit SEDOLs, calculate and append the checksum digit. That is, given this input: 710889 B0YBKJ 406566 B0YBLH 228276 B0YBKL 557910 B0YBKR 585284 B0YBKT B00030 Produce this output: 7108899 B0YBKJ7 4065663 B0YBLH2 2282765 B0YBKL9 5579107 B0YBKR5 5852842 B0YBKT7 B000300 Extra credit Check each input is correctly formed, especially with respect to valid characters allowed in a SEDOL string. Related tasks   Luhn test   ISIN
#Java
Java
import java.util.Scanner;   public class SEDOL{ public static void main(String[] args){ Scanner sc = new Scanner(System.in); while(sc.hasNext()){ String sedol = sc.next(); System.out.println(sedol + getSedolCheckDigit(sedol)); } }   private static final int[] mult = {1, 3, 1, 7, 3, 9};   public static int getSedolCheckDigit(String str){ if(!validateSedol(str)){ System.err.println("SEDOL strings must contain six characters with no vowels."); return -1; } str = str.toUpperCase(); int total = 0; for(int i = 0;i < 6; i++){ char s = str.charAt(i); total += Character.digit(s, 36) * mult[i]; } return (10 - (total % 10)) % 10; }   public static boolean validateSedol(String str){ return (str.length() == 6) && !str.toUpperCase().matches(".*?[AEIOU].*?"); } }
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#Run_BASIC
Run BASIC
for i = 0 to 50000000 step 10 a$ = str$(i) for c = 1 TO len(a$) d = val(mid$(a$, c, 1)) j(d) = j(d) + 1 k(c-1) = d next c r = 0 for n = 0 to 10 r = r + (j(n) = k(n)) j(n) = 0 k(n) = 0 next n if r = 11 then print i next i print "== End ==" end
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#Rust
Rust
  fn is_self_desc(xx: u64) -> bool { let s: String = xx.to_string(); let mut count_vec = vec![0; 10]; for c in s.chars() { count_vec[c.to_digit(10).unwrap() as usize] += 1; } for (i, c) in s.chars().enumerate() { if count_vec[i] != c.to_digit(10).unwrap() as usize { return false; } } return true; }   fn main() { for i in 1..100000000 { if is_self_desc(i) { println!("{}", i) } } }  
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#Modula-3
Modula-3
MODULE NonSquare EXPORTS Main;   IMPORT IO, Fmt, Math;   VAR i: INTEGER;   PROCEDURE NonSquare(n: INTEGER): INTEGER = BEGIN RETURN n + FLOOR(0.5D0 + Math.sqrt(FLOAT(n, LONGREAL))); END NonSquare;   BEGIN FOR n := 1 TO 22 DO IO.Put(Fmt.Int(NonSquare(n)) & " "); END; IO.Put("\n"); FOR n := 1 TO 1000000 DO i := NonSquare(n); IF i = FLOOR(Math.sqrt(FLOAT(i, LONGREAL))) THEN IO.Put("Found square: " & Fmt.Int(n) & "\n"); END; END; END NonSquare.
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#Nim
Nim
import math, strutils   func nosqr(n: int): seq[int] = result = newSeq[int](n) for i in 1..n: result[i - 1] = i + i.float.sqrt.toInt   func issqr(n: int): bool = sqrt(float(n)).splitDecimal().floatpart < 1e-7     echo "Sequence for n = 22:" echo nosqr(22).join(" ")   for i in nosqr(1_000_000 - 1): assert not issqr(i) echo "\nNo squares were found for n less than 1_000_000."
http://rosettacode.org/wiki/Set
Set
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A   set  is a collection of elements, without duplicates and without order. Task Show each of these set operations: Set creation Test m ∈ S -- "m is an element in set S" A ∪ B -- union; a set of all elements either in set A or in set B. A ∩ B -- intersection; a set of all elements in both set A and set B. A ∖ B -- difference; a set of all elements in set A, except those in set B. A ⊆ B -- subset; true if every element in set A is also in set B. A = B -- equality; true if every element of set A is in set B and vice versa. As an option, show some other set operations. (If A ⊆ B, but A ≠ B, then A is called a true or proper subset of B, written A ⊂ B or A ⊊ B.) As another option, show how to modify a mutable set. One might implement a set using an associative array (with set elements as array keys and some dummy value as the values). One might also implement a set with a binary search tree, or with a hash table, or with an ordered array of binary bits (operated on with bit-wise binary operators). The basic test, m ∈ S, is O(n) with a sequential list of elements, O(log n) with a balanced binary search tree, or (O(1) average-case, O(n) worst case) with a hash table. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#LFE
LFE
  > (set set-1 (sets:new)) #(set 0 16 16 8 80 48 ...) > (set set-2 (sets:add_element 'a set-1)) #(set 1 16 16 8 80 48 ...) > (set set-3 (sets:from_list '(a b))) #(set 2 16 16 8 80 48 ...) > (sets:is_element 'a set-2) true > (set union (sets:union set-2 set-3)) #(set 2 16 16 8 80 48 ...) > (sets:to_list union) (a b) > (set intersect (sets:intersection set-2 set-3)) #(set 1 16 16 8 80 48 ...) > (sets:to_list intersect) (a) > (set subtr (sets:subtract set-3 set-2)) #(set 1 16 16 8 80 48 ...) > (sets:to_list subtr) (b) > (sets:is_subset set-2 set-3) true > (=:= set-2 set-3) false > (set set-4 (sets:add_element 'b set-2)) #(set 2 16 16 8 80 48 ...) > (=:= set-3 set-4) true  
http://rosettacode.org/wiki/Sieve_of_Eratosthenes
Sieve of Eratosthenes
This task has been clarified. Its programming examples are in need of review to ensure that they still fit the requirements of the task. The Sieve of Eratosthenes is a simple algorithm that finds the prime numbers up to a given integer. Task Implement the   Sieve of Eratosthenes   algorithm, with the only allowed optimization that the outer loop can stop at the square root of the limit, and the inner loop may start at the square of the prime just found. That means especially that you shouldn't optimize by using pre-computed wheels, i.e. don't assume you need only to cross out odd numbers (wheel based on 2), numbers equal to 1 or 5 modulo 6 (wheel based on 2 and 3), or similar wheels based on low primes. If there's an easy way to add such a wheel based optimization, implement it as an alternative version. Note It is important that the sieve algorithm be the actual algorithm used to find prime numbers for the task. Related tasks   Emirp primes   count in factors   prime decomposition   factors of an integer   extensible prime generator   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes   sequence of primes by Trial Division
#Draco
Draco
/* Sieve of Eratosthenes - fill a given boolean array */ proc nonrec sieve([*] bool prime) void: word p, c, max; max := dim(prime,1)-1; prime[0] := false; prime[1] := false; for p from 2 upto max do prime[p] := true od; for p from 2 upto max>>1 do if prime[p] then for c from p*2 by p upto max do prime[c] := false od fi od corp   /* Print primes up to 1000 using the sieve */ proc nonrec main() void: word MAX = 1000; unsigned MAX i; byte c; [MAX+1] bool prime; sieve(prime);   c := 0; for i from 0 upto MAX do if prime[i] then write(i:4); c := c + 1; if c=10 then c:=0; writeln() fi fi od corp
http://rosettacode.org/wiki/Sierpinski_carpet
Sierpinski carpet
Task Produce a graphical or ASCII-art representation of a Sierpinski carpet of order   N. For example, the Sierpinski carpet of order   3   should look like this: ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### ######### ######### # ## ## # # ## ## # ######### ######### ### ### ### ### # # # # # # # # ### ### ### ### ######### ######### # ## ## # # ## ## # ######### ######### ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### The use of the   #   character is not rigidly required for ASCII art. The important requirement is the placement of whitespace and non-whitespace characters. Related task   Sierpinski triangle
#VBA
VBA
Const Order = 4   Function InCarpet(ByVal x As Integer, ByVal y As Integer) Do While x <> 0 And y <> 0 If x Mod 3 = 1 And y Mod 3 = 1 Then InCarpet = " " Exit Function End If x = x \ 3 y = y \ 3 Loop InCarpet = "#" End Function   Public Sub sierpinski_carpet() Dim i As Integer, j As Integer For i = 0 To 3 ^ Order - 1 For j = 0 To 3 ^ Order - 1 Debug.Print InCarpet(i, j); Next j Debug.Print Next i End Sub
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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
#PicoLisp
PicoLisp
(let Semordnilap (mapcon '((Lst) (when (member (reverse (car Lst)) (cdr Lst)) (cons (pack (car Lst))) ) ) (make (in "unixdict.txt" (while (line) (link @)))) ) (println (length Semordnilap) (head 5 Semordnilap)) )
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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
#PL.2FI
PL/I
  find: procedure options (main); /* 20/1/2013 */ declare word character (20) varying controlled; declare dict(*) character (20) varying controlled; declare 1 pair controlled, 2 a character (20) varying, 2 b character (20) varying; declare (i, j) fixed binary; declare in file;   open file(in) title ('/UNIXDICT.TXT,type(LF),recsize(100)'); on endfile (in) go to completed_read; do forever; allocate word; get file (in) edit (word) (L); end;   completed_read: free word; /* because at the final allocation, no word was stored. */ allocate dict(allocation(word)); do i = 1 to hbound(dict,1); dict(i) = word; free word; end;   /* Search dictionary for pairs: */ do i = 1 to hbound(dict,1)-1; do j = i+1 to hbound(dict,1); if length(dict(i)) = length(dict(j)) then do; if dict(i) = reverse(dict(j)) then do; allocate pair; pair.a = dict(i); pair.b = dict(j); end; end; end; end;   put skip list ('There are ' || trim(allocation(pair)) || ' pairs.');   do while (allocation(pair) > 0); put skip edit (pair) (a, col(20), a); free pair; end; end find;  
http://rosettacode.org/wiki/Semiprime
Semiprime
Semiprime numbers are natural numbers that are products of exactly two (possibly equal) prime numbers. Semiprimes   are also known as:   semi-primes   biprimes   bi-primes   2-almost   primes   or simply:   P2 Example 1679 = 23 × 73 (This particular number was chosen as the length of the Arecibo message). Task Write a function determining whether a given number is semiprime. See also The Wikipedia article:  semiprime. The Wikipedia article:  almost prime. The OEIS sequence:  A001358: semiprimes  which has a shorter definition: the product of two primes.
#XPL0
XPL0
func Semiprime(N); \Return 'true' if N is semiprime int N, F, C; [C:= 0; F:= 2; repeat if rem(N/F) = 0 then [C:= C+1; N:= N/F; ] else F:= F+1; until F > N; return C = 2; ];   int N; [for N:= 1 to 100 do if Semiprime(N) then [IntOut(0, N); ChOut(0, ^ )]; ]
http://rosettacode.org/wiki/Semiprime
Semiprime
Semiprime numbers are natural numbers that are products of exactly two (possibly equal) prime numbers. Semiprimes   are also known as:   semi-primes   biprimes   bi-primes   2-almost   primes   or simply:   P2 Example 1679 = 23 × 73 (This particular number was chosen as the length of the Arecibo message). Task Write a function determining whether a given number is semiprime. See also The Wikipedia article:  semiprime. The Wikipedia article:  almost prime. The OEIS sequence:  A001358: semiprimes  which has a shorter definition: the product of two primes.
#zkl
zkl
fcn semiprime(n){ reg f = 0; p:=2; while(f < 2 and p*p <= n){ while(0 == n % p){ n /= p; f+=1; } p+=1; } return(f + (n > 1) == 2); }
http://rosettacode.org/wiki/SEDOLs
SEDOLs
Task For each number list of 6-digit SEDOLs, calculate and append the checksum digit. That is, given this input: 710889 B0YBKJ 406566 B0YBLH 228276 B0YBKL 557910 B0YBKR 585284 B0YBKT B00030 Produce this output: 7108899 B0YBKJ7 4065663 B0YBLH2 2282765 B0YBKL9 5579107 B0YBKR5 5852842 B0YBKT7 B000300 Extra credit Check each input is correctly formed, especially with respect to valid characters allowed in a SEDOL string. Related tasks   Luhn test   ISIN
#JavaScript
JavaScript
function sedol(input) { return input + sedol_check_digit(input); }   var weight = [1, 3, 1, 7, 3, 9, 1]; function sedol_check_digit(char6) { if (char6.search(/^[0-9BCDFGHJKLMNPQRSTVWXYZ]{6}$/) == -1) throw "Invalid SEDOL number '" + char6 + "'"; var sum = 0; for (var i = 0; i < char6.length; i++) sum += weight[i] * parseInt(char6.charAt(i), 36); var check = (10 - sum%10) % 10; return check.toString(); }   var input = [ '710889', 'B0YBKJ', '406566', 'B0YBLH', '228276', 'B0YBKL', '557910', 'B0YBKR', '585284', 'B0YBKT', "BOATER" , "12345", "123456", "1234567" ];   var expected = [ '7108899', 'B0YBKJ7', '4065663', 'B0YBLH2', '2282765', 'B0YBKL9', '5579107', 'B0YBKR5', '5852842', 'B0YBKT7', null, null, '1234563', null ];   for (var i in input) { try { var sedolized = sedol(input[i]); if (sedolized == expected[i]) print(sedolized); else print("error: calculated sedol for input " + input[i] + " is " + sedolized + ", but it should be " + expected[i] ); } catch (e) { print("error: " + e); } }
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#Scala
Scala
object SelfDescribingNumbers extends App { def isSelfDescribing(a: Int): Boolean = { val s = Integer.toString(a)   (0 until s.length).forall(i => s.count(_.toString.toInt == i) == s(i).toString.toInt) }   println("Curious numbers n = x0 x1 x2...x9 such that xi is the number of digits equal to i in n.")   for (i <- 0 to 42101000 by 10 if isSelfDescribing(i)) println(i)   println("Successfully completed without errors.") }
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#Seed7
Seed7
$ include "seed7_05.s7i";   const func boolean: selfDescr (in string: stri) is func result var boolean: check is TRUE; local var integer: idx is 0; var array integer: count is [0 .. 9] times 0; begin for idx range 1 to length(stri) do incr(count[ord(stri[idx]) - ord('0')]); end for; idx := 1; while check and idx <= length(stri) do check := count[pred(idx)] = ord(stri[idx]) - ord('0'); incr(idx); end while; end func;   const proc: gen (in integer: n) is func local var array integer : digits is 0 times 0; var string: stri is ""; var integer: numberOfOneDigits is 0; var integer: idx is 0; begin while numberOfOneDigits <= 2 and numberOfOneDigits < n - 2 do digits := n times 0; digits[1] := n - 2 - numberOfOneDigits; if digits[1] <> 2 then digits[digits[1] + 1] := 1; digits[2] := 2; digits[3] := 1; else digits[2] := ord(numberOfOneDigits <> 0); digits[3] := 2; end if; stri := ""; for idx range 1 to n do stri &:= chr(ord(digits[idx]) + ord('0')); end for; if selfDescr(stri) then writeln(stri); end if; incr(numberOfOneDigits); end while; end func;   const proc: main is func local const array integer: nums is [] (1210, 1337, 2020, 21200, 3211000, 42101000); var integer: number is 0; begin for number range nums do write(number <& " is "); if not selfDescr(str(number)) then write("not "); end if; writeln("self describing"); end for; writeln; writeln("All autobiograph numbers:"); for number range 1 to 10 do gen(number); end for; end func;
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#OCaml
OCaml
# let nonsqr n = n + truncate (0.5 +. sqrt (float n));; val nonsqr : int -> int = <fun> # (* first 22 values (as a list) has no squares: *) for i = 1 to 22 do Printf.printf "%d " (nonsqr i) done; print_newline ();; 2 3 5 6 7 8 10 11 12 13 14 15 17 18 19 20 21 22 23 24 26 27 - : unit = () # (* The following check shows no squares up to one million: *) for i = 1 to 1_000_000 do let j = sqrt (float (nonsqr i)) in assert (j <> floor j) done;; - : unit = ()
http://rosettacode.org/wiki/Set
Set
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A   set  is a collection of elements, without duplicates and without order. Task Show each of these set operations: Set creation Test m ∈ S -- "m is an element in set S" A ∪ B -- union; a set of all elements either in set A or in set B. A ∩ B -- intersection; a set of all elements in both set A and set B. A ∖ B -- difference; a set of all elements in set A, except those in set B. A ⊆ B -- subset; true if every element in set A is also in set B. A = B -- equality; true if every element of set A is in set B and vice versa. As an option, show some other set operations. (If A ⊆ B, but A ≠ B, then A is called a true or proper subset of B, written A ⊂ B or A ⊊ B.) As another option, show how to modify a mutable set. One might implement a set using an associative array (with set elements as array keys and some dummy value as the values). One might also implement a set with a binary search tree, or with a hash table, or with an ordered array of binary bits (operated on with bit-wise binary operators). The basic test, m ∈ S, is O(n) with a sequential list of elements, O(log n) with a balanced binary search tree, or (O(1) average-case, O(n) worst case) with a hash table. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Liberty_BASIC
Liberty BASIC
  A$ ="red hot chili peppers rule OK" B$ ="lady in red"   print " New set, in space-separated form. Extra spaces and duplicates will be removed. " input newSet$ newSet$ =trim$( newSet$) newSet$ =stripBigSpaces$( newSet$) newSet$ =removeDupes$( newSet$) print " Set stored as the string '"; newSet$; "'"   print print " 'red' is an element of '"; A$; "' is "; isAnElementOf$( "red", A$) print " 'blue' is an element of '"; A$; "' is "; isAnElementOf$( "blue", A$) print " 'red' is an element of '"; B$; "' is "; isAnElementOf$( "red", B$) print print " Union of '"; A$; "' & '"; B$; "' is '"; unionOf$( A$, B$); "'." print print " Intersection of '"; A$; "' & '"; B$; "' is '"; intersectionOf$( A$, B$); "'." print print " Difference of '"; A$; "' & '"; B$; "' is '"; differenceOf$( A$, B$); "'." print print " '"; A$; "' equals '"; A$; "' is "; equalSets$( A$, A$) print " '"; A$; "' equals '"; B$; "' is "; equalSets$( A$, B$) print print " '"; A$; "' is a subset of '"; B$; "' is "; isSubsetOf$( A$, B$) print " 'red peppers' is a subset of 'red hot chili peppers rule OK' is "; isSubsetOf$( "red peppers", "red hot chili peppers rule OK")   end   function removeDupes$( a$) numElements =countElements( a$) redim elArray$( numElements) ' ie 4 elements are array entries 1 to 4 and 0 is spare ="" for m =0 to numElements el$ =word$( a$, m, " ") elArray$( m) =el$ next m sort elArray$(), 0, numElements b$ ="" penultimate$ ="999" for jk =0 to numElements ' do not use "" ( nuls) or elementsalready seen if elArray$( jk) ="" then [on] if elArray$( jk) <>penultimate$ then b$ =b$ +elArray$( jk) +" ": penultimate$ =elArray$( jk) [on] next jk b$ =trim$( b$) removeDupes$ =b$ end function   function stripBigSpaces$( a$) ' copy byte by byte, but id=f a space had a preceding space, ignore it. lenA =len( a$) penul$ ="" for i =1 to len( a$) c$ =mid$( a$, i, 1) if c$ <>" " then if penul$ <>" " then b$ =b$ +c$ else b$ =b$ +" " +c$ end if end if penul$ =c$ next i stripBigSpaces$ =b$ end function   function countElements( a$) ' count elements repr'd by space-separated words in string rep'n. if isNul$( a$) ="True" then countElements =0: exit function i =0 do el$ =word$( a$, i +1, " ") i =i +1 loop until el$ ="" countElements =i -1 end function   function isNul$( a$) ' a nul set implies its string rep'n is length zero. if a$ ="" then isNul$ ="True" else isNul$ ="False" end function   function isAnElementOf$( a$, b$) ' check element a$ exists in set b$. isAnElementOf$ ="False" i =0 do el$ =word$( b$, i +1, " ") if a$ =el$ then isAnElementOf$ ="True" i =i +1 loop until el$ ="" end function   function unionOf$( a$, b$) i =1 o$ =a$ do w$ =word$( b$, i, " ") if w$ ="" then exit do if isAnElementOf$( w$, a$) ="False" then o$ =o$ +" " +w$ i =i +1 loop until w$ ="" unionOf$ =o$ end function   function intersectionOf$( a$, b$) i =1 o$ ="" do el$ =word$( a$, i, " ") if el$ ="" then exit do if ( isAnElementOf$( el$, b$) ="True") and ( o$ ="") then o$ =el$ if ( isAnElementOf$( el$, b$) ="True") and ( o$ <>el$) then o$ =o$ +" " +el$ i =i +1 loop until el$ ="" intersectionOf$ =o$ end function   function equalSets$( a$, b$) if len( a$) <>len( b$) then equalSets$ ="False": exit function i =1 do el$ =word$( a$, i, " ") if isAnElementOf$( el$, b$) ="False" then equalSets$ ="False": exit function i =i +1 loop until w$ ="" equalSets$ ="True" end function   function differenceOf$( a$, b$) i =1 o$ ="" do el$ =word$( a$, i, " ") if el$ ="" then exit do if ( isAnElementOf$( el$, b$) ="False") and ( o$ ="") then o$ =el$ if ( isAnElementOf$( el$, b$) ="False") and ( o$ <>el$) then o$ =o$ +" " +el$ i =i +1 loop until el$ ="" differenceOf$ =o$ end function   function isSubsetOf$( a$, b$) isSubsetOf$ ="True" i =1 do el$ =word$( a$, i, " ") if el$ ="" then exit do if ( isAnElementOf$( el$, b$) ="False") then isSubsetOf$ ="False": exit function i =i +1 loop until el$ ="" end function    
http://rosettacode.org/wiki/Sieve_of_Eratosthenes
Sieve of Eratosthenes
This task has been clarified. Its programming examples are in need of review to ensure that they still fit the requirements of the task. The Sieve of Eratosthenes is a simple algorithm that finds the prime numbers up to a given integer. Task Implement the   Sieve of Eratosthenes   algorithm, with the only allowed optimization that the outer loop can stop at the square root of the limit, and the inner loop may start at the square of the prime just found. That means especially that you shouldn't optimize by using pre-computed wheels, i.e. don't assume you need only to cross out odd numbers (wheel based on 2), numbers equal to 1 or 5 modulo 6 (wheel based on 2 and 3), or similar wheels based on low primes. If there's an easy way to add such a wheel based optimization, implement it as an alternative version. Note It is important that the sieve algorithm be the actual algorithm used to find prime numbers for the task. Related tasks   Emirp primes   count in factors   prime decomposition   factors of an integer   extensible prime generator   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes   sequence of primes by Trial Division
#DWScript
DWScript
function Primes(limit : Integer) : array of Integer; var n, k : Integer; sieve := new Boolean[limit+1]; begin for n := 2 to Round(Sqrt(limit)) do begin if not sieve[n] then begin for k := n*n to limit step n do sieve[k] := True; end; end;   for k:=2 to limit do if not sieve[k] then Result.Add(k); end;   var r := Primes(50); var i : Integer; for i:=0 to r.High do PrintLn(r[i]);
http://rosettacode.org/wiki/Sierpinski_carpet
Sierpinski carpet
Task Produce a graphical or ASCII-art representation of a Sierpinski carpet of order   N. For example, the Sierpinski carpet of order   3   should look like this: ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### ######### ######### # ## ## # # ## ## # ######### ######### ### ### ### ### # # # # # # # # ### ### ### ### ######### ######### # ## ## # # ## ## # ######### ######### ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### The use of the   #   character is not rigidly required for ASCII art. The important requirement is the placement of whitespace and non-whitespace characters. Related task   Sierpinski triangle
#VBScript
VBScript
Function InCarpet(i,j) If i > 0 And j > 0 Then Do While i > 0 And j > 0 If i Mod 3 = 1 And j Mod 3 = 1 Then InCarpet = " " Exit Do Else InCarpet = "#" End If i = Int(i / 3) j = Int(j / 3) Loop Else InCarpet = "#" End If End Function   Function Carpet(n) k = 3^n - 1 x2 = 0 y2 = 0 For y = 0 To k For x = 0 To k x2 = x y2 = y WScript.StdOut.Write InCarpet(x2,y2) Next WScript.StdOut.WriteBlankLines(1) Next End Function   Carpet(WScript.Arguments(0))
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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
#PowerShell
PowerShell
  function Reverse-String ([string]$String) { [char[]]$output = $String.ToCharArray() [Array]::Reverse($output) $output -join "" }   [string]$url = "http://www.puzzlers.org/pub/wordlists/unixdict.txt" [string]$out = ".\unixdict.txt"   (New-Object System.Net.WebClient).DownloadFile($url, $out)   [string[]]$file = Get-Content -Path $out   [hashtable]$unixDict = @{} [hashtable]$semordnilap = @{}   foreach ($line in $file) { if ($line.Length -gt 1) { $unixDict.Add($line,"") }   [string]$reverseLine = Reverse-String $line   if ($reverseLine -notmatch $line -and $unixDict.ContainsKey($reverseLine)) { $semordnilap.Add($line,$reverseLine) } }   $semordnilap   "`nSemordnilap count: {0}" -f ($semordnilap.GetEnumerator() | Measure-Object).Count  
http://rosettacode.org/wiki/SEDOLs
SEDOLs
Task For each number list of 6-digit SEDOLs, calculate and append the checksum digit. That is, given this input: 710889 B0YBKJ 406566 B0YBLH 228276 B0YBKL 557910 B0YBKR 585284 B0YBKT B00030 Produce this output: 7108899 B0YBKJ7 4065663 B0YBLH2 2282765 B0YBKL9 5579107 B0YBKR5 5852842 B0YBKT7 B000300 Extra credit Check each input is correctly formed, especially with respect to valid characters allowed in a SEDOL string. Related tasks   Luhn test   ISIN
#jq
jq
def ascii_upcase: explode | map( if 97 <= . and . <= 122 then . - 32 else . end) | implode;   def sedol_checksum: def encode(a): 10 + (a|explode[0]) - ("A"|explode[0]); . as $sed | [1,3,1,7,3,9] as $sw | reduce range(0;6) as $i (0; $sed[$i:$i+1] as $c | if ( "0123456789" | index($c) ) then . + ($c|tonumber) * $sw[$i] else . + encode($c) * $sw[$i] end ) | (10 - (. % 10)) % 10 ;   # error on error, else pass input to output def check_valid_sedol: def has_vowel: ("AEIOU"|explode) as $vowels | reduce explode[] as $c (false; if . then . else $vowels|index($c) end);   if has_vowel then error( "\(.) is not a valid SEDOL code" ) else . end | if length > 7 or length < 6 then error( "\(.) is too long or too short to be valid SEDOL") else . end;   def sedolize: ascii_upcase as $in | $in | check_valid_sedol | .[0:6] as $sedol | ($sedol | sedol_checksum | tostring) as $sedolcheck | ($sedol + $sedolcheck) as $ans | if length == 7 and $ans != $in then $ans + " (original \($in) has wrong checksum digit" else $ans end ; sedolize
http://rosettacode.org/wiki/SEDOLs
SEDOLs
Task For each number list of 6-digit SEDOLs, calculate and append the checksum digit. That is, given this input: 710889 B0YBKJ 406566 B0YBLH 228276 B0YBKL 557910 B0YBKR 585284 B0YBKT B00030 Produce this output: 7108899 B0YBKJ7 4065663 B0YBLH2 2282765 B0YBKL9 5579107 B0YBKR5 5852842 B0YBKT7 B000300 Extra credit Check each input is correctly formed, especially with respect to valid characters allowed in a SEDOL string. Related tasks   Luhn test   ISIN
#Julia
Julia
using Base.Test   function appendchecksum(chars::AbstractString) if !all(isalnum, chars) throw(ArgumentError("invalid SEDOL number '$chars'")) end weights = [1, 3, 1, 7, 3, 9, 1]   s = 0 for (w, c) in zip(weights, chars) s += w * parse(Int, c, 36) end return string(chars, (10 - s % 10) % 10) end   tests = ["710889", "B0YBKJ", "406566", "B0YBLH", "228276", "B0YBKL", "557910", "B0YBKR", "585284", "B0YBKT", "B00030"] csums = ["7108899", "B0YBKJ7", "4065663", "B0YBLH2", "2282765", "B0YBKL9", "5579107", "B0YBKR5", "5852842", "B0YBKT7", "B000300"]   @testset "Checksums" begin for (t, c) in zip(tests, csums) @test appendchecksum(t) == c end end
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#Sidef
Sidef
func sdn(Number n) { var b = [0]*n.len var a = n.digits.flip a.each { |i| b[i] := 0 ++ } a == b }   var values = [1210, 2020, 21200, 3211000, 42101000, 521001000, 6210001000, 27, 115508]   values.each { |test| say "#{test} is #{sdn(test) ? '' : 'NOT ' }a self describing number." }   say "\nSelf-descriptive numbers less than 1e5 (in base 10):" ^1e5 -> each { |i| say i if sdn(i) }
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#Swift
Swift
import Foundation   extension BinaryInteger { @inlinable public var isSelfDescribing: Bool { let stringChars = String(self).map({ String($0) }) let counts = stringChars.reduce(into: [Int: Int](), {res, char in res[Int(char), default: 0] += 1})   for (i, n) in stringChars.enumerated() where counts[i, default: 0] != Int(n) { return false }   return true } }   print("Self-describing numbers less than 100,000,000:")   DispatchQueue.concurrentPerform(iterations: 100_000_000) {i in defer { if i == 100_000_000 - 1 { exit(0) } }   guard i.isSelfDescribing else { return }   print(i) }   dispatchMain()
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#Oforth
Oforth
22 seq map(#[ dup sqrt 0.5 + floor + ]) println   1000000 seq map(#[ dup sqrt 0.5 + floor + ]) conform(#[ sqrt dup floor <>]) println
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#Ol
Ol
  (import (lib math))   (print ; sequence for 1 .. 22 (map (lambda (n) (+ n (floor (+ 1/2 (exact (sqrt n)))))) (iota 22 1))) ; ==> (2 3 5 6 7 8 10 11 12 13 14 15 17 18 19 20 21 22 23 24 26 27)   (print ; filter out non squares (filter (lambda (x) (let ((s (floor (exact (sqrt x))))) (= (* s s) x))) (map (lambda (n) (+ n (floor (+ 1/2 (exact (sqrt n)))))) (iota 1000000 1)))) ; ==> ()    
http://rosettacode.org/wiki/Set
Set
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A   set  is a collection of elements, without duplicates and without order. Task Show each of these set operations: Set creation Test m ∈ S -- "m is an element in set S" A ∪ B -- union; a set of all elements either in set A or in set B. A ∩ B -- intersection; a set of all elements in both set A and set B. A ∖ B -- difference; a set of all elements in set A, except those in set B. A ⊆ B -- subset; true if every element in set A is also in set B. A = B -- equality; true if every element of set A is in set B and vice versa. As an option, show some other set operations. (If A ⊆ B, but A ≠ B, then A is called a true or proper subset of B, written A ⊂ B or A ⊊ B.) As another option, show how to modify a mutable set. One might implement a set using an associative array (with set elements as array keys and some dummy value as the values). One might also implement a set with a binary search tree, or with a hash table, or with an ordered array of binary bits (operated on with bit-wise binary operators). The basic test, m ∈ S, is O(n) with a sequential list of elements, O(log n) with a balanced binary search tree, or (O(1) average-case, O(n) worst case) with a hash table. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Lua
Lua
function emptySet() return { } end function insert(set, item) set[item] = true end function remove(set, item) set[item] = nil end function member(set, item) return set[item] end function size(set) local result = 0 for _ in pairs(set) do result = result + 1 end return result end function fromTable(tbl) -- ignore the keys of tbl local result = { } for _, val in pairs(tbl) do result[val] = true end return result end function toArray(set) local result = { } for key in pairs(set) do table.insert(result, key) end return result end function printSet(set) print(table.concat(toArray(set), ", ")) end function union(setA, setB) local result = { } for key, _ in pairs(setA) do result[key] = true end for key, _ in pairs(setB) do result[key] = true end return result end function intersection(setA, setB) local result = { } for key, _ in pairs(setA) do if setB[key] then result[key] = true end end return result end function difference(setA, setB) local result = { } for key, _ in pairs(setA) do if not setB[key] then result[key] = true end end return result end function subset(setA, setB) for key, _ in pairs(setA) do if not setB[key] then return false end end return true end function properSubset(setA, setB) return subset(setA, setB) and (size(setA) ~= size(setB)) end function equals(setA, setB) return subset(setA, setB) and (size(setA) == size(setB)) end  
http://rosettacode.org/wiki/Sieve_of_Eratosthenes
Sieve of Eratosthenes
This task has been clarified. Its programming examples are in need of review to ensure that they still fit the requirements of the task. The Sieve of Eratosthenes is a simple algorithm that finds the prime numbers up to a given integer. Task Implement the   Sieve of Eratosthenes   algorithm, with the only allowed optimization that the outer loop can stop at the square root of the limit, and the inner loop may start at the square of the prime just found. That means especially that you shouldn't optimize by using pre-computed wheels, i.e. don't assume you need only to cross out odd numbers (wheel based on 2), numbers equal to 1 or 5 modulo 6 (wheel based on 2 and 3), or similar wheels based on low primes. If there's an easy way to add such a wheel based optimization, implement it as an alternative version. Note It is important that the sieve algorithm be the actual algorithm used to find prime numbers for the task. Related tasks   Emirp primes   count in factors   prime decomposition   factors of an integer   extensible prime generator   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes   sequence of primes by Trial Division
#Dylan
Dylan
define method primes(n) let limit = floor(n ^ 0.5) + 1; let sieve = make(limited(<simple-vector>, of: <boolean>), size: n + 1, fill: #t); let last-prime = 2;   while (last-prime < limit) for (x from last-prime ^ 2 to n by last-prime) sieve[x] := #f; end for; block (found-prime) for (n from last-prime + 1 below limit) if (sieve[n] = #f) last-prime := n; found-prime() end; end; last-prime := limit; end block; end while;   for (x from 2 to n) if (sieve[x]) format-out("Prime: %d\n", x); end; end; end;
http://rosettacode.org/wiki/Sierpinski_carpet
Sierpinski carpet
Task Produce a graphical or ASCII-art representation of a Sierpinski carpet of order   N. For example, the Sierpinski carpet of order   3   should look like this: ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### ######### ######### # ## ## # # ## ## # ######### ######### ### ### ### ### # # # # # # # # ### ### ### ### ######### ######### # ## ## # # ## ## # ######### ######### ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### The use of the   #   character is not rigidly required for ASCII art. The important requirement is the placement of whitespace and non-whitespace characters. Related task   Sierpinski triangle
#Wren
Wren
var inCarpet = Fn.new { |x, y| while (true) { if (x == 0 || y == 0) return true if (x%3 == 1 && y%3 == 1) return false x = (x/3).floor y = (y/3).floor } }   var carpet = Fn.new { |n| var power = 3.pow(n) for (i in 0...power) { for (j in 0...power) { System.write(inCarpet.call(i, j) ? "#" : " ") } System.print() } }   carpet.call(3)
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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
#PureBasic
PureBasic
If OpenConsole("")=0 : End 1 : EndIf If ReadFile(0,"./Data/unixdict.txt")=0 : End 2 : EndIf NewList dict$()   While Eof(0)=0 : AddElement(dict$()) : dict$()=Trim(ReadString(0)) : Wend : CloseFile(0)   While FirstElement(dict$()) buf$=dict$() : DeleteElement(dict$()) If buf$="" : Continue : EndIf xbuf$=ReverseString(buf$) ForEach dict$() If xbuf$=dict$() res$+buf$+" / "+xbuf$+#LF$ Break EndIf Next Wend   PrintN("Semordnilap pairs found: "+Str(CountString(res$,#LF$))) For k=1 To 5 If k=1 : PrintN(~"\nFirst 5 pairs: "+StringField(res$,k,#LF$)) : Continue : EndIf PrintN(Space(15)+StringField(res$,k,#LF$)) Next Input()
http://rosettacode.org/wiki/SEDOLs
SEDOLs
Task For each number list of 6-digit SEDOLs, calculate and append the checksum digit. That is, given this input: 710889 B0YBKJ 406566 B0YBLH 228276 B0YBKL 557910 B0YBKR 585284 B0YBKT B00030 Produce this output: 7108899 B0YBKJ7 4065663 B0YBLH2 2282765 B0YBKL9 5579107 B0YBKR5 5852842 B0YBKT7 B000300 Extra credit Check each input is correctly formed, especially with respect to valid characters allowed in a SEDOL string. Related tasks   Luhn test   ISIN
#Kotlin
Kotlin
// version 1.1.0   val weights = listOf(1, 3, 1, 7, 3, 9, 1)   fun sedol7(sedol6: String): String { if (sedol6.length != 6) throw IllegalArgumentException("Length of argument string must be 6") var sum = 0 for (i in 0..5) { val c = sedol6[i] val v = when (c) { in '0'..'9' -> c.toInt() - 48 in 'A'..'Z' -> c.toInt() - 55 else -> throw IllegalArgumentException("Argument string contains an invalid character") } sum += v * weights[i] } val check = (10 - (sum % 10)) % 10 return sedol6 + (check + 48).toChar() }   fun main(args: Array<String>) { val sedol6s = listOf("710889", "B0YBKJ", "406566", "B0YBLH", "228276", "B0YBKL", "557910", "B0YBKR", "585284", "B0YBKT", "B00030") for (sedol6 in sedol6s) println("$sedol6 -> ${sedol7(sedol6)}") }
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#Tcl
Tcl
package require Tcl 8.5 proc isSelfDescribing num { set digits [split $num ""] set len [llength $digits] set count [lrepeat $len 0] foreach d $digits { if {$d >= $len} {return false} lset count $d [expr {[lindex $count $d] + 1}] } foreach d $digits c $count {if {$c != $d} {return false}} return true }   for {set i 0} {$i < 100000000} {incr i} { if {[isSelfDescribing $i]} {puts $i} }
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#UNIX_Shell
UNIX Shell
selfdescribing() { local n=$1 local count=() local i for ((i=0; i<${#n}; i++)); do ((count[${n:i:1}]++)) done for ((i=0; i<${#n}; i++)); do (( ${n:i:1} == ${count[i]:-0} )) || return 1 done return 0 }   for n in 0 1 10 11 1210 2020 21200 3211000 42101000; do if selfdescribing $n; then printf "%d\t%s\n" $n yes else printf "%d\t%s\n" $n no fi done
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#Oz
Oz
declare fun {NonSqr N} N + {Float.toInt {Floor 0.5 + {Sqrt {Int.toFloat N}}}} end   fun {SqrtInt N} {Float.toInt {Sqrt {Int.toFloat N}}} end   fun {IsSquare N} {Pow {SqrtInt N} 2} == N end   Ns = {Map {List.number 1 999999 1} NonSqr} in {Show {List.take Ns 22}} {Show {Some Ns IsSquare}}
http://rosettacode.org/wiki/Set
Set
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A   set  is a collection of elements, without duplicates and without order. Task Show each of these set operations: Set creation Test m ∈ S -- "m is an element in set S" A ∪ B -- union; a set of all elements either in set A or in set B. A ∩ B -- intersection; a set of all elements in both set A and set B. A ∖ B -- difference; a set of all elements in set A, except those in set B. A ⊆ B -- subset; true if every element in set A is also in set B. A = B -- equality; true if every element of set A is in set B and vice versa. As an option, show some other set operations. (If A ⊆ B, but A ≠ B, then A is called a true or proper subset of B, written A ⊂ B or A ⊊ B.) As another option, show how to modify a mutable set. One might implement a set using an associative array (with set elements as array keys and some dummy value as the values). One might also implement a set with a binary search tree, or with a hash table, or with an ordered array of binary bits (operated on with bit-wise binary operators). The basic test, m ∈ S, is O(n) with a sequential list of elements, O(log n) with a balanced binary search tree, or (O(1) average-case, O(n) worst case) with a hash table. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#M2000_Interpreter
M2000 Interpreter
  Module Sets { setA=("apple", "cherry", "grape") setB=("banana","cherry", "date")   Print Len(setA)=3 'true Print setA#pos("apple")>=0=true ' exist Print setA#pos("banana")>=0=False ' not exist   intersection=lambda SetB (x$)-> SetB#pos(x$)>=0 SetC=SetA#filter(intersection,(,)) Print SetC   Difference= lambda (aSet)->{ =lambda aSet (x$)-> aSet#pos(x$)<0 } IsetC=SetB#filter(Difference(setA),(,)) Print SetC SetC=SetA#filter(Difference(setB),(,)) Print SetC   k=each(setB) SetC=cons(setA) while k if setA#pos(SetB#val$(k^))<0 then Append SetC, (SetB#val$(k^),) end while Print SetC \\ subset if items exists in same order Print SetA#pos("cherry","grape")>=0 ' true ' is a subset of SetA Print SetA#pos(("apple", "cherry"))>=0 ' true ' is a subset of SetA Print SetA#pos(("apple","grape"))>=0 ' false ' is not a subset of SetA in that order \\ subset in any position fold1=lambda (aSet)-> { =lambda aSet (x$, cond) ->{ push cond and aSet#pos(x$)>=0 } } SetC=("banana", "date") print SetC#Fold(fold1(SetA), True) ' False print SetC#Fold(fold1(SetB), True) ' True SetC=("cherry",) print SetC#Fold(fold1(SetA), True) ' True print SetC#Fold(fold1(SetB), True) ' True \\ Mutation \\ change value at position 0 return SetC, 0:="banana" print SetC#Fold(fold1(SetA), True) ' False print SetC#Fold(fold1(SetB), True) ' True   \\ equality SetC=Cons(SetA) ' we get a copy of one or more tuple \\ SetC is subset of SetA and SetA is subset of SetC Print SetC#Fold(fold1(SetA), True)=SetA#Fold(fold1(SetC), True) ' True \\ another way Print Len(SetC#filter(Difference(setA),(,)))=0 ' true \\ difference is an empty tuple append SetC, SetB Print Len(SetC)=6 ' true print SetC#pos(0 ->"cherry")=1 ' true print SetC#pos(2 -> "cherry")=4 ' true print SetC#pos(5 -> "cherry")=-1 ' true print SetC#pos(0 -> "banana","cherry")=3 ' true print SetC#pos( "banana","cherry")=3 ' true mapU=lambda ->{ push ucase$(letter$) } fold2=lambda (x$, k$)->{ push replace$(")(", ", ",k$+"("+quote$(x$)+")") } Print SetC#map(mapU)#fold$(fold2, "") ' ("APPLE", "CHERRY", "GRAPE", "BANANA", "CHERRY", "DATE") Print SetC#map(mapU) ' APPLE CHERRY GRAPE BANANA CHERRY DATE Print SetC#fold$(fold2, "") ' ("apple", "cherry", "grape", "banana", "cherry", "date")   } Sets  
http://rosettacode.org/wiki/Sieve_of_Eratosthenes
Sieve of Eratosthenes
This task has been clarified. Its programming examples are in need of review to ensure that they still fit the requirements of the task. The Sieve of Eratosthenes is a simple algorithm that finds the prime numbers up to a given integer. Task Implement the   Sieve of Eratosthenes   algorithm, with the only allowed optimization that the outer loop can stop at the square root of the limit, and the inner loop may start at the square of the prime just found. That means especially that you shouldn't optimize by using pre-computed wheels, i.e. don't assume you need only to cross out odd numbers (wheel based on 2), numbers equal to 1 or 5 modulo 6 (wheel based on 2 and 3), or similar wheels based on low primes. If there's an easy way to add such a wheel based optimization, implement it as an alternative version. Note It is important that the sieve algorithm be the actual algorithm used to find prime numbers for the task. Related tasks   Emirp primes   count in factors   prime decomposition   factors of an integer   extensible prime generator   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes   sequence of primes by Trial Division
#E
E
def rangeFromBelowBy(start, limit, step) { return def stepper { to iterate(f) { var i := start while (i < limit) { f(null, i) i += step } } } }
http://rosettacode.org/wiki/Sierpinski_carpet
Sierpinski carpet
Task Produce a graphical or ASCII-art representation of a Sierpinski carpet of order   N. For example, the Sierpinski carpet of order   3   should look like this: ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### ######### ######### # ## ## # # ## ## # ######### ######### ### ### ### ### # # # # # # # # ### ### ### ### ######### ######### # ## ## # # ## ## # ######### ######### ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### The use of the   #   character is not rigidly required for ASCII art. The important requirement is the placement of whitespace and non-whitespace characters. Related task   Sierpinski triangle
#X86_Assembly
X86 Assembly
;x86-64 assembly code for Microsoft Windows ;Tested in windows 7 Enterprise Service Pack 1 64 bit ;With the AMD FX(tm)-6300 processor ;Assembled with NASM version 2.11.06 ;Linked to C library with gcc version 4.9.2 (x86_64-win32-seh-rev1, Built by MinGW-W64 project)   ;Assembled and linked with the following commands: ;nasm -f win64 <filename>.asm -o <filename>.obj ;gcc <filename>.obj -o <filename>   ;Takes magnitude of Sierpinski Carpet as command line argument.   extern atoi,puts,putchar,exit   section .data errmsg_noarg: db "Magnitude of Sierpinski Carpet was not specified.",0 errmsg_argnumber: db "There should be no more than one argument.",0   section .bss   section .text global main   main:   ;check for argument cmp rcx,1 jle err_noarg   ;ensure that only one argument was entered cmp rcx,2 jg err_argnumber   ;column in rsi ;row in rdi ;x in r8 ;y in r9 ;width in r13 ;magic number in r14   mov r14,2863311531   ;get magnitude in rbx from first arg mov rcx,[rdx + 8] call atoi mov rbx,rax   cmp rbx,0 jz magnitude_zero     ;determine dimensions of square mov rax,1   find_width:   lea rax,[rax * 3]   dec rbx jg find_width   sub rax,1   mov r13,rax mov rdi,rax     next_row:   mov rsi,r13   fill_row:   ;x in r8, y in r9 mov r8,rsi mov r9,rdi   is_filled:   ;if(x%3==1 && y%3==1) ;x%3 in rbx mov rax,r8 mov rbx,r8 mul r14 shr rax,33 mov r8,rax lea rax,[rax * 3] sub rbx,rax   ;y%3 in rcx mov rax,r9 mov rcx,r9 mul r14 shr rax,33 mov r9,rax lea rax,[rax * 3] sub rcx,rax   ;x%3==1 && y%3==1 xor rbx,1 xor rcx,1 or rbx,rcx mov rcx,' ' cmp rbx,0 jz dont_fill   ;x>0 || y>0 mov rax,r8 or rax,r9 cmp rax,0 jg is_filled   mov rcx,'#' dont_fill:   call putchar   dec rsi jge fill_row   ;put newline at the end of each row mov rcx,0xa call putchar   dec rdi jge next_row   xor rcx,rcx call exit   magnitude_zero:   mov rcx,'#' call putchar   mov rcx,0xa call putchar   xor rcx,rcx call exit   ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ;error message   err_noarg:   mov rcx,errmsg_noarg call puts   mov rcx,1 call exit     err_argnumber:   mov rcx,errmsg_argnumber call puts   mov rcx,1 call exit
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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
#Python
Python
>>> with open('unixdict.txt') as f: wordset = set(f.read().strip().split())   >>> revlist = (''.join(word[::-1]) for word in wordset) >>> pairs = set((word, rev) for word, rev in zip(wordset, revlist) if word < rev and rev in wordset) >>> len(pairs) 158 >>> sorted(pairs, key=lambda p: (len(p[0]), p))[-5:] [('damon', 'nomad'), ('lager', 'regal'), ('leper', 'repel'), ('lever', 'revel'), ('kramer', 'remark')] >>>
http://rosettacode.org/wiki/SEDOLs
SEDOLs
Task For each number list of 6-digit SEDOLs, calculate and append the checksum digit. That is, given this input: 710889 B0YBKJ 406566 B0YBLH 228276 B0YBKL 557910 B0YBKR 585284 B0YBKT B00030 Produce this output: 7108899 B0YBKJ7 4065663 B0YBLH2 2282765 B0YBKL9 5579107 B0YBKR5 5852842 B0YBKT7 B000300 Extra credit Check each input is correctly formed, especially with respect to valid characters allowed in a SEDOL string. Related tasks   Luhn test   ISIN
#langur
langur
val .csd = f(.code) { given len(.code) { case 0: return "nada, zip, zilch" case != 6: return "invalid length" }   if matching(re/[^B-DF-HJ-NP-TV-Z0-9]/, .code) { return "invalid character(s)" }   val .weight = [1,3,1,7,3,9]   val .nums = s2n .code val .sum = for[=0] .i of .nums { _for += .nums[.i] x .weight[.i] }   toString 9 - (.sum - 1) rem 10 }   val .h = h{ # invalid... "": 0, "123": 0, "A00030": 0, "E00030": 0, "I00030": 0, "O00030": 0, "U00030": 0, "β00030": 0,   # valid... "710889": 9, "B0YBKJ": 7, "406566": 3, "B0YBLH": 2, "228276": 5, "B0YBKL": 9, "557910": 7, "B0YBKR": 5, "585284": 2, "B0YBKT": 7, "B00030": 0, }   for .input in sort(keys .h) { val .d = .csd(.input) if len(.d) > 1 { writeln .input, ": ", .d } else { val .expect = toString .h[.input] write .input, .d writeln if .expect == .d {""} else { $" (SEDOL test failed; expected check digit \.expect;)"} } }
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#VBScript
VBScript
  Function IsSelfDescribing(n) IsSelfDescribing = False Set digit = CreateObject("Scripting.Dictionary") For i = 1 To Len(n) k = Mid(n,i,1) If digit.Exists(k) Then digit.Item(k) = digit.Item(k) + 1 Else digit.Add k,1 End If Next c = 0 For j = 0 To Len(n)-1 l = Mid(n,j+1,1) If digit.Exists(CStr(j)) Then If digit.Item(CStr(j)) = CInt(l) Then c = c + 1 End If ElseIf l = 0 Then c = c + 1 Else Exit For End If Next If c = Len(n) Then IsSelfDescribing = True End If End Function   'testing start_time = Now s = "" For m = 1 To 100000000 If IsSelfDescribing(m) Then WScript.StdOut.WriteLine m End If Next end_time = Now WScript.StdOut.WriteLine "Elapse Time: " & DateDiff("s",start_time,end_time) & " seconds"  
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#Wren
Wren
var selfDesc = Fn.new { |n| var ns = "%(n)" var nc = ns.count var count = List.filled(nc, 0) var sum = 0 while (n > 0) { var d = n % 10 if (d >= nc) return false // can't have a digit >= number of digits sum = sum + d if (sum > nc) return false count[d] = count[d] + 1 n = (n/10).floor } // to be self-describing sum of digits must equal number of digits if (sum != nc) return false return ns == count.join() // there must always be at least one zero }   var start = System.clock System.print("The self-describing numbers are:") var i = 10 // self-describing number must end in 0 var pw = 10 // power of 10 var fd = 1 // first digit var sd = 1 // second digit var dg = 2 // number of digits var mx = 11 // maximum for current batch var lim = 9.1 * 1e9 + 1 // sum of digits can't be more than 10 while (i < lim) { if (selfDesc.call(i)) { var secs = ((System.clock - start) * 10).round / 10 System.print("%(i) (in %(secs) secs)") } i = i + 10 if (i > mx) { fd = fd + 1 sd = sd - 1 if (sd >= 0) { i = fd * pw } else { pw = pw * 10 dg = dg + 1 i = pw fd = 1 sd = dg - 1 } mx = i + sd*pw/10 } } var osecs = ((System.clock - start) * 10).round / 10 System.print("\nTook %(osecs) secs overall")
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#PARI.2FGP
PARI/GP
[vector(22,n,n + floor(1/2 + sqrt(n))), sum(n=1,1e6,issquare(n + floor(1/2 + sqrt(n))))]
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#Pascal
Pascal
Program SequenceOfNonSquares(output);   uses Math;   var m, n, test: longint;   begin for n := 1 to 22 do begin test := n + floor(0.5 + sqrt(n)); write(test, ' '); end; writeln;   for n := 1 to 1000000 do begin test := n + floor(0.5 + sqrt(n)); m := round(sqrt(test)); if (m*m = test) then writeln('square found for n = ', n); end; end.
http://rosettacode.org/wiki/Set
Set
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A   set  is a collection of elements, without duplicates and without order. Task Show each of these set operations: Set creation Test m ∈ S -- "m is an element in set S" A ∪ B -- union; a set of all elements either in set A or in set B. A ∩ B -- intersection; a set of all elements in both set A and set B. A ∖ B -- difference; a set of all elements in set A, except those in set B. A ⊆ B -- subset; true if every element in set A is also in set B. A = B -- equality; true if every element of set A is in set B and vice versa. As an option, show some other set operations. (If A ⊆ B, but A ≠ B, then A is called a true or proper subset of B, written A ⊂ B or A ⊊ B.) As another option, show how to modify a mutable set. One might implement a set using an associative array (with set elements as array keys and some dummy value as the values). One might also implement a set with a binary search tree, or with a hash table, or with an ordered array of binary bits (operated on with bit-wise binary operators). The basic test, m ∈ S, is O(n) with a sequential list of elements, O(log n) with a balanced binary search tree, or (O(1) average-case, O(n) worst case) with a hash table. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Maple
Maple
  > S := { 2, 3, 5, 7, 11, Pi, "foo", { 2/3, 3/4, 4/5 } }; S := {2, 3, 5, 7, 11, "foo", Pi, {2/3, 3/4, 4/5}}   > type( S, set ); true   > Pi in S; Pi in {2, 3, 5, 7, 11, "foo", Pi, {2/3, 3/4, 4/5}}   > if Pi in S then print( yes ) else print( no ) end: yes   > member( Pi, S ); true   > if 4 in S then print( yes ) else print( no ) end: no   > evalb( { 2/3, 3/4, 4/5 } in S ); true   > { a, b, c } union { 1, 2, 3 }; {1, 2, 3, a, b, c}   > { a, b, c } intersect { b, c, d }; {b, c}   > { a, b, c } minus { b, c, d }; {a}   > { a, b } subset { a, b, c }; true   > { a, d } subset { a, b, c }; false   > evalb( { 1, 2, 3 } = { 1, 2, 3 } ); true   > evalb( { 1, 2, 3 } = { 1, 2, 4 } ); false  
http://rosettacode.org/wiki/Sieve_of_Eratosthenes
Sieve of Eratosthenes
This task has been clarified. Its programming examples are in need of review to ensure that they still fit the requirements of the task. The Sieve of Eratosthenes is a simple algorithm that finds the prime numbers up to a given integer. Task Implement the   Sieve of Eratosthenes   algorithm, with the only allowed optimization that the outer loop can stop at the square root of the limit, and the inner loop may start at the square of the prime just found. That means especially that you shouldn't optimize by using pre-computed wheels, i.e. don't assume you need only to cross out odd numbers (wheel based on 2), numbers equal to 1 or 5 modulo 6 (wheel based on 2 and 3), or similar wheels based on low primes. If there's an easy way to add such a wheel based optimization, implement it as an alternative version. Note It is important that the sieve algorithm be the actual algorithm used to find prime numbers for the task. Related tasks   Emirp primes   count in factors   prime decomposition   factors of an integer   extensible prime generator   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes   sequence of primes by Trial Division
#EasyLang
EasyLang
len prims[] 100 max = sqrt len prims[] tst = 2 while tst <= max if prims[tst] = 0 i = tst * tst while i < len prims[] prims[i] = 1 i += tst . . tst += 1 . i = 2 while i < len prims[] if prims[i] = 0 print i . i += 1 .
http://rosettacode.org/wiki/Sierpinski_carpet
Sierpinski carpet
Task Produce a graphical or ASCII-art representation of a Sierpinski carpet of order   N. For example, the Sierpinski carpet of order   3   should look like this: ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### ######### ######### # ## ## # # ## ## # ######### ######### ### ### ### ### # # # # # # # # ### ### ### ### ######### ######### # ## ## # # ## ## # ######### ######### ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### The use of the   #   character is not rigidly required for ASCII art. The important requirement is the placement of whitespace and non-whitespace characters. Related task   Sierpinski triangle
#XPL0
XPL0
include c:\cxpl\codes; \intrinsic 'code' declarations   proc DrawPat(X0, Y0, S); \Draw 3x3 pattern with hole in middle int X0, Y0, S; \coordinate of upper-left corner, size int X, Y; [for Y:= 0 to 2 do for X:= 0 to 2 do if X#1 or Y#1 then \don't draw middle pattern [if S>1 then \recurse DrawPat(X*S+X0, Y*S+Y0, S/3) else Point(X+X0, Y+Y0, 4\red\); ]; ];   [SetVid($13); \set 320x200 graphic video mode DrawPat(0, 0, 3*3*3); \draw Sierpinski carpet if ChIn(1) then []; \wait for keystroke SetVid($3); \restore normal text mode ]
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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
#Quackery
Quackery
[] $ "rosetta/unixdict.txt" sharefile drop nest$ [ behead reverse swap 2dup find over found iff [ dip [ nested join ] ] else nip dup [] = until ] drop say "Number of semordnilaps: " dup size echo cr sortwith [ size swap size > ] 5 split drop say "Five longest: " witheach [ dup echo$ say "<->" reverse echo$ sp ]
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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
  #lang racket (define seen (make-hash)) (define semordnilaps '()) (call-with-input-file "/usr/share/dict/words" (λ(i) (for ([l (in-lines i)]) (define r (list->string (reverse (string->list l)))) (unless (equal? r l) (hash-set! seen l #t) (when (hash-ref seen r #f) (set! semordnilaps (cons (list r l) semordnilaps))))))) (printf "Total semordnilaps found: ~s\n" (length semordnilaps)) (printf "The five longest ones:\n") (for ([s (take (sort semordnilaps > #:key (compose1 string-length car)) 5)]) (apply printf " ~s ~s\n" s))  
http://rosettacode.org/wiki/SEDOLs
SEDOLs
Task For each number list of 6-digit SEDOLs, calculate and append the checksum digit. That is, given this input: 710889 B0YBKJ 406566 B0YBLH 228276 B0YBKL 557910 B0YBKR 585284 B0YBKT B00030 Produce this output: 7108899 B0YBKJ7 4065663 B0YBLH2 2282765 B0YBKL9 5579107 B0YBKR5 5852842 B0YBKT7 B000300 Extra credit Check each input is correctly formed, especially with respect to valid characters allowed in a SEDOL string. Related tasks   Luhn test   ISIN
#Liberty_BASIC
Liberty BASIC
  'adapted from BASIC solution mult(1) = 1: mult(2) = 3: mult(3) = 1 mult(4) = 7: mult(5) = 3: mult(6) = 9   DO INPUT a$ PRINT a$ + STR$(getSedolCheckDigit(a$)) LOOP WHILE a$ <> ""   FUNCTION getSedolCheckDigit (str$) IF LEN(str$) <> 6 THEN PRINT "Six chars only please" EXIT FUNCTION END IF str$ = upper$(str$) total = 0 FOR i = 1 TO 6 s$ = MID$(str$, i, 1) IF (s$ = "A") OR (s$ = "E") OR (s$ = "I") OR (s$ = "O") OR (s$ = "U") THEN PRINT "No vowels" EXIT FUNCTION END IF IF (ASC(s$) >= 48) AND (ASC(s$) <= 57) THEN total = total + VAL(s$) * mult(i) ELSE total = total + (ASC(s$) - 55) * mult(i) END IF   NEXT i getSedolCheckDigit = (10 - (total MOD 10)) MOD 10 END FUNCTION  
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#XPL0
XPL0
code ChOut=8, IntOut=11;   func SelfDesc(N); \Returns 'true' if N is self-describing int N; int Len, \length = number of digits in N I, D; char Digit(10), Count(10);   proc Num2Str(N); \Convert integer N to string in Digit int N; int R; [N:= N/10; R:= rem(0); if N then Num2Str(N); Digit(Len):= R; Len:= Len+1; ];   [Len:= 0; Num2Str(N); for I:= 0 to Len-1 do Count(I):= 0; for I:= 0 to Len-1 do [D:= Digit(I); if D >= Len then return false; Count(D):= Count(D)+1; ]; for I:= 0 to Len-1 do if Count(I) # Digit(I) then return false; return true; ]; \SelfDesc     int N; for N:= 0 to 100_000_000-1 do if SelfDesc(N) then [IntOut(0, N); ChOut(0, ^ )]
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#Yabasic
Yabasic
FOR N = 1 TO 5E7 IF FNselfdescribing(N) PRINT N NEXT     sub FNselfdescribing(N) LOCAL D(9), I, L, O   O = N L = INT(LOG(N, 10)) WHILE(N) I = MOD(N, 10) D(I) = D(I) + 10^(L-I) N = INT(N / 10) WEND   L = 0 FOR I = 0 TO 8 : L = L + D(I) : NEXT RETURN O = L END SUB
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#Perl
Perl
sub nonsqr { my $n = shift; $n + int(0.5 + sqrt $n) }   print join(' ', map nonsqr($_), 1..22), "\n";   foreach my $i (1..1_000_000) { my $root = sqrt nonsqr($i); die "Oops, nonsqr($i) is a square!" if $root == int $root; }
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#Phix
Phix
with javascript_semantics sequence s = repeat(0,22) for n=1 to length(s) do s[n] = n + floor(1/2 + sqrt(n)) end for printf(1,"%V\n",{s}) integer nxt = 2, snxt = nxt*nxt, k for n=1 to 1000000 do k = n + floor(1/2 + sqrt(n)) if k>snxt then -- printf(1,"%d didn't occur\n",snxt) nxt += 1 snxt = nxt*nxt end if if k=snxt then puts(1,"error!!\n") end if end for puts(1,"none found ") ?{nxt,snxt}
http://rosettacode.org/wiki/Set
Set
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A   set  is a collection of elements, without duplicates and without order. Task Show each of these set operations: Set creation Test m ∈ S -- "m is an element in set S" A ∪ B -- union; a set of all elements either in set A or in set B. A ∩ B -- intersection; a set of all elements in both set A and set B. A ∖ B -- difference; a set of all elements in set A, except those in set B. A ⊆ B -- subset; true if every element in set A is also in set B. A = B -- equality; true if every element of set A is in set B and vice versa. As an option, show some other set operations. (If A ⊆ B, but A ≠ B, then A is called a true or proper subset of B, written A ⊂ B or A ⊊ B.) As another option, show how to modify a mutable set. One might implement a set using an associative array (with set elements as array keys and some dummy value as the values). One might also implement a set with a binary search tree, or with a hash table, or with an ordered array of binary bits (operated on with bit-wise binary operators). The basic test, m ∈ S, is O(n) with a sequential list of elements, O(log n) with a balanced binary search tree, or (O(1) average-case, O(n) worst case) with a hash table. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Mathematica.2FWolfram_Language
Mathematica/Wolfram Language
set1 = {"a", "b", "c", "d", "e"}; set2 = {"a", "b", "c", "d", "e", "f", "g"}; MemberQ[set1, "a"] Union[set1 , set2] Intersection[set1 , set2] Complement[set2, set1](*Set Difference*) MemberQ[Subsets[set2], set1](*Subset*) set1 == set2(*Equality*) set1 == set1(*Equality*)
http://rosettacode.org/wiki/Sieve_of_Eratosthenes
Sieve of Eratosthenes
This task has been clarified. Its programming examples are in need of review to ensure that they still fit the requirements of the task. The Sieve of Eratosthenes is a simple algorithm that finds the prime numbers up to a given integer. Task Implement the   Sieve of Eratosthenes   algorithm, with the only allowed optimization that the outer loop can stop at the square root of the limit, and the inner loop may start at the square of the prime just found. That means especially that you shouldn't optimize by using pre-computed wheels, i.e. don't assume you need only to cross out odd numbers (wheel based on 2), numbers equal to 1 or 5 modulo 6 (wheel based on 2 and 3), or similar wheels based on low primes. If there's an easy way to add such a wheel based optimization, implement it as an alternative version. Note It is important that the sieve algorithm be the actual algorithm used to find prime numbers for the task. Related tasks   Emirp primes   count in factors   prime decomposition   factors of an integer   extensible prime generator   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes   sequence of primes by Trial Division
#eC
eC
  public class FindPrime { Array<int> primeList { [ 2 ], minAllocSize = 64 }; int index;   index = 3;   bool HasPrimeFactor(int x) { int max = (int)floor(sqrt((double)x));   for(i : primeList) { if(i > max) break; if(x % i == 0) return true; } return false; }   public int GetPrime(int x) { if(x > primeList.count - 1) { for (; primeList.count != x; index += 2) if(!HasPrimeFactor(index)) { if(primeList.count >= primeList.minAllocSize) primeList.minAllocSize *= 2; primeList.Add(index); } } return primeList[x-1]; } }   class PrimeApp : Application { FindPrime fp { }; void Main() { int num = argc > 1 ? atoi(argv[1]) : 1; PrintLn(fp.GetPrime(num)); } }  
http://rosettacode.org/wiki/Sierpinski_carpet
Sierpinski carpet
Task Produce a graphical or ASCII-art representation of a Sierpinski carpet of order   N. For example, the Sierpinski carpet of order   3   should look like this: ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### ######### ######### # ## ## # # ## ## # ######### ######### ### ### ### ### # # # # # # # # ### ### ### ### ######### ######### # ## ## # # ## ## # ######### ######### ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### The use of the   #   character is not rigidly required for ASCII art. The important requirement is the placement of whitespace and non-whitespace characters. Related task   Sierpinski triangle
#Yabasic
Yabasic
sub sp$(n) local i, s$   for i = 1 to n s$ = s$ + " " next i return s$ end sub   sub replace$(s$, cf$, cr$) local i, p   do i = instr(s$, cf$, p) if not i break mid$(s$, i, 1) = cr$ p = i loop return s$ end sub   sub foreach$(carpet$, p$, m) local n, i, t$(1)   n = token(carpet$, t$(), ",")   for i = 1 to n switch(m) case 0: p$ = p$ + "," + t$(i) + t$(i) + t$(i) : break case 1: p$ = p$ + "," + t$(i) + sp$(len(t$(i))) + t$(i) : break default: error "Method not found!" : break end switch next i return p$ end sub   sub sierpinskiCarpet$(n) local carpet$, next$, i   carpet$ = "@" for i = 1 to n next$ = foreach$(carpet$, "") next$ = foreach$(carpet$, next$, 1) carpet$ = foreach$(carpet$, next$) next i return carpet$ end sub   print replace$(sierpinskiCarpet$(3), ",", "\n")
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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
my $words = set slurp("unixdict.txt").lines;   my @sems = gather for $words.flat -> $word { my $drow = $word.key.flip; take $drow if $drow ∈ $words and $drow lt $word; }   say $_ ~ ' ' ~ $_.flip for @sems.pick(5);
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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
#REXX
REXX
/* REXX *************************************************************** * 07.09.2012 Walter Pachl **********************************************************************/ fid='unixdict.txt' /* the test dictionary */ have.='' /* words encountered */ pi=0 /* number of palindromes */ Do li=1 By 1 While lines(fid)>0 /* as long there is input */ w=linein(fid) /* read a word */ If w>'' Then Do /* not a blank line */ r=reverse(w) /* reverse it */ If have.r>'' Then Do /* was already encountered */ pi=pi+1 /* increment number of pal's */ If pi<=5 Then /* the first 5 ale listed */ Say have.r w End have.w=w /* remember the word */ End End Say pi 'words in' fid 'have a palindrome' /* total number found */
http://rosettacode.org/wiki/SEDOLs
SEDOLs
Task For each number list of 6-digit SEDOLs, calculate and append the checksum digit. That is, given this input: 710889 B0YBKJ 406566 B0YBLH 228276 B0YBKL 557910 B0YBKR 585284 B0YBKT B00030 Produce this output: 7108899 B0YBKJ7 4065663 B0YBLH2 2282765 B0YBKL9 5579107 B0YBKR5 5852842 B0YBKT7 B000300 Extra credit Check each input is correctly formed, especially with respect to valid characters allowed in a SEDOL string. Related tasks   Luhn test   ISIN
#M4
M4
divert(-1) changequote(`[',`]') define([_bar],include(sedol.inp)) define([eachlineA], [ifelse(eval($2>0),1, [$3(substr([$1],0,$2))[]eachline(substr([$1],incr($2)),[$3])])]) define([eachline],[eachlineA([$1],index($1,[ ]),[$2])]) define([_idx], [index([0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ],substr($1,$2,1))]) define([_wsum], [eval(_idx($1,0)+_idx($1,1)*3+_idx($1,2)+_idx($1,3)*7+_idx($1,4)*3+_idx($1,5)*9)]) define([checksum], [$1[]eval((10-_wsum($1)%10)%10) ]) divert eachline(_bar,[checksum])
http://rosettacode.org/wiki/Self-describing_numbers
Self-describing numbers
Self-describing numbers You are encouraged to solve this task according to the task description, using any language you may know. There are several so-called "self-describing" or "self-descriptive" integers. An integer is said to be "self-describing" if it has the property that, when digit positions are labeled 0 to N-1, the digit in each position is equal to the number of times that that digit appears in the number. For example,   2020   is a four-digit self describing number:   position   0   has value   2   and there are two 0s in the number;   position   1   has value   0   and there are no 1s in the number;   position   2   has value   2   and there are two 2s;   position   3   has value   0   and there are zero 3s. Self-describing numbers < 100.000.000  are:     1210,   2020,   21200,   3211000,   42101000. Task Description Write a function/routine/method/... that will check whether a given positive integer is self-describing. As an optional stretch goal - generate and display the set of self-describing numbers. Related tasks   Fours is the number of letters in the ...   Look-and-say sequence   Number names   Self-referential sequence   Spelling of ordinal numbers
#zkl
zkl
fcn isSelfDescribing(n){ if (n.bitAnd(1)) return(False); // Wikipedia: last digit must be zero nu:= n.toString(); ns:=["0".."9"].pump(String,nu.inCommon,"len"); //"12233".inCommon("2")-->"22" (nu+"0000000000")[0,10] == ns; //"2020","2020000000" }
http://rosettacode.org/wiki/Sequence_of_non-squares
Sequence of non-squares
Task Show that the following remarkable formula gives the sequence of non-square natural numbers: n + floor(1/2 + sqrt(n)) Print out the values for   n   in the range   1   to   22 Show that no squares occur for   n   less than one million This is sequence   A000037   in the OEIS database.
#PHP
PHP
<?php //First Task for($i=1;$i<=22;$i++){ echo($i + floor(1/2 + sqrt($i)) . "\n"); }   //Second Task $found_square=False; for($i=1;$i<=1000000;$i++){ $non_square=$i + floor(1/2 + sqrt($i)); if(sqrt($non_square)==intval(sqrt($non_square))){ $found_square=True; } } echo("\n"); if($found_square){ echo("Found a square number, so the formula does not always work."); } else { echo("Up to 1000000, found no square number in the sequence!"); } ?>
http://rosettacode.org/wiki/Set
Set
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. A   set  is a collection of elements, without duplicates and without order. Task Show each of these set operations: Set creation Test m ∈ S -- "m is an element in set S" A ∪ B -- union; a set of all elements either in set A or in set B. A ∩ B -- intersection; a set of all elements in both set A and set B. A ∖ B -- difference; a set of all elements in set A, except those in set B. A ⊆ B -- subset; true if every element in set A is also in set B. A = B -- equality; true if every element of set A is in set B and vice versa. As an option, show some other set operations. (If A ⊆ B, but A ≠ B, then A is called a true or proper subset of B, written A ⊂ B or A ⊊ B.) As another option, show how to modify a mutable set. One might implement a set using an associative array (with set elements as array keys and some dummy value as the values). One might also implement a set with a binary search tree, or with a hash table, or with an ordered array of binary bits (operated on with bit-wise binary operators). The basic test, m ∈ S, is O(n) with a sequential list of elements, O(log n) with a balanced binary search tree, or (O(1) average-case, O(n) worst case) with a hash table. See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#MATLAB_.2F_Octave
MATLAB / Octave
  % Set creation s = [1, 2, 4]; % numeric values t = {'a','bb','ccc'}; % cell array of strings u = unique([1,2,3,3,2,3,2,4,1]); % set consists only of unique elements % Test m ∈ S -- "m is an element in set S" ismember(m, S) % A ∪ B -- union; a set of all elements either in set A or in set B. union(A, B) % A ∩ B -- intersection; a set of all elements in both set A and set B. intersect(A, B) % A ∖ B -- difference; a set of all elements in set A, except those in set B. setdiff(A, B) % A ⊆ B -- subset; true if every element in set A is also in set B. all(ismember(A, B)) % A = B -- equality; true if every element of set A is in set B and vice-versa. isempty(setxor(A, B))  
http://rosettacode.org/wiki/Sieve_of_Eratosthenes
Sieve of Eratosthenes
This task has been clarified. Its programming examples are in need of review to ensure that they still fit the requirements of the task. The Sieve of Eratosthenes is a simple algorithm that finds the prime numbers up to a given integer. Task Implement the   Sieve of Eratosthenes   algorithm, with the only allowed optimization that the outer loop can stop at the square root of the limit, and the inner loop may start at the square of the prime just found. That means especially that you shouldn't optimize by using pre-computed wheels, i.e. don't assume you need only to cross out odd numbers (wheel based on 2), numbers equal to 1 or 5 modulo 6 (wheel based on 2 and 3), or similar wheels based on low primes. If there's an easy way to add such a wheel based optimization, implement it as an alternative version. Note It is important that the sieve algorithm be the actual algorithm used to find prime numbers for the task. Related tasks   Emirp primes   count in factors   prime decomposition   factors of an integer   extensible prime generator   primality by trial division   factors of a Mersenne number   trial factoring of a Mersenne number   partition an integer X into N primes   sequence of primes by Trial Division
#EchoLisp
EchoLisp
(require 'types) ;; bit-vector   ;; converts sieve->list for integers in [nmin .. nmax[ (define (s-range sieve nmin nmax (base 0)) (for/list ([ i (in-range nmin nmax)]) #:when (bit-vector-ref sieve i) (+ i base)))   ;; next prime in sieve > p, or #f (define (s-next-prime sieve p ) ;; (bit-vector-scan-1 sieve (1+ p)))     ;; returns a bit-vector - sieve- all numbers in [0..n[ (define (eratosthenes n) (define primes (make-bit-vector-1 n )) (bit-vector-set! primes 0 #f) (bit-vector-set! primes 1 #f) (for ([p (1+ (sqrt n))]) #:when (bit-vector-ref primes p) (for ([j (in-range (* p p) n p)]) (bit-vector-set! primes j #f))) primes)   (define s-primes (eratosthenes 10_000_000))   (s-range s-primes 0 100) → (2 3 5 7 11 13 17 19 23 29 31 37 41 43 47 53 59 61 67 71 73 79 83 89 97) (s-range s-primes 1_000_000 1_000_100) → (1000003 1000033 1000037 1000039 1000081 1000099) (s-next-prime s-primes 9_000_000) → 9000011
http://rosettacode.org/wiki/Sierpinski_carpet
Sierpinski carpet
Task Produce a graphical or ASCII-art representation of a Sierpinski carpet of order   N. For example, the Sierpinski carpet of order   3   should look like this: ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### ######### ######### # ## ## # # ## ## # ######### ######### ### ### ### ### # # # # # # # # ### ### ### ### ######### ######### # ## ## # # ## ## # ######### ######### ########################### # ## ## ## ## ## ## ## ## # ########################### ### ###### ###### ### # # # ## # # ## # # # ### ###### ###### ### ########################### # ## ## ## ## ## ## ## ## # ########################### The use of the   #   character is not rigidly required for ASCII art. The important requirement is the placement of whitespace and non-whitespace characters. Related task   Sierpinski triangle
#Z80_Assembly
Z80 Assembly
; Sierpinski carpet in Z80 assembly (for CP/M OS - you can use `tnylpo` or `z88dk-ticks` on PC) OPT --syntax=abf : OUTPUT "sierpinc.com" ; asm syntax for z00m's variant of sjasmplus ORG $100 ; start for n=0, total size is 1x1 (just '#'), show five carpets for n=0,1,2,3,4 ld h,%00000001 ; 3**0 = 1 in BCT form (0t0001) carpets_loop: ; n == 4 is maximum for 8bit BCT math (3**4 = 81 = 0x100 as BCT value) call show_carpet ld a,h ; do ++n -> H = 3**n in BCT form, ie. `H <<= 2;` in binary way add a,a jp z,0 ; return to CP/M if the biggest carpet for n=4 (H==0) was already displayed add a,a ld h,a ; zero for n=4, which will correctly wrap to 0t2222 in base3_dec_a jr carpets_loop   show_carpet: ld l,h ; L = 3**n (row counter and Y coordinate) .rows: ld a,l call base3_dec_a ld l,a ; --L for this row ld b,h ; B = 3**n (char counter and X coordinate) .chars: ld a,b call base3_dec_a ld b,a ; --B and l ; check if X and Y coordinate have digit "1" at same position(s) in ternary and %01010101 ; non-zero if both coordinates have digit "1" at same position(s) ld e,'#' jr z,.fill_char ld e,' ' .fill_char: call print_char inc b djnz .chars ; loop chars until B==0 was displayed call print_crlf ld a,l or a jr nz,.rows ; loop rows until L==0 was displayed ; fallthrough into print_crlf for extra empty line after each carpet is finished print_crlf: ld e,10 call print_char ld e,13 print_char: push bc push hl ld c,2 call 5 pop hl pop bc ret   ; in: A = BCT value (Binary-coded Ternary = pair of bits for ternary digit 0,1,2 (3 not allowed)) ; out: A-1 in BCT encoding, modifies C and F (ZF signals zero result, 0t0000-1 = 0t2222 (0xAA)) base3_dec_a: dec a ; --A (%00 digits may become %11 when involved in decrement) ld c,a rra and c and %01010101 ; %11 bit-pairs to %01, anything else to %00 xor c ; fix %11 -> %10 in result to have only 0,1,2 digits ret   /* ;;; bonus routine ;;; ; in: A = BCT value (Binary-coded Ternary = pair of bits for ternary digit 0,1,2 (3 not allowed)) ; out: A+1 in BCT encoding, modifies C and F (ZF signals zero result, ie. 0t2222+1 = 0t0000) base3_inc_a: add a,%01'01'01'10  ; +1 to every digit (0,1,2 -> 1,2,3), and +1 overall to increment ld c,a rra or c and %01'01'01'01 ; 00,01,10,11 -> 00,01,01,01 neg add a,c ; revert digits 3,2,1 back to 2,1,0 (0 -> 0) ret */
http://rosettacode.org/wiki/Semordnilap
Semordnilap
A semordnilap is a word (or phrase) that spells a different word (or phrase) backward. "Semordnilap" is a word that itself is a semordnilap. Example: lager and regal Task This task does not consider semordnilap phrases, only single words. Using only words from this list, report the total number of unique semordnilap pairs, and print 5 examples. Two matching semordnilaps, such as lager and regal, should be counted as one unique pair. (Note that the word "semordnilap" is not in the above dictionary.) 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
#Ring
Ring
  # Project : Semordnilap   load "stdlib.ring" nr = 0 num = 0 aList = file2list("C:\Ring\CalmoSoft\unixdict.txt") for n = 1 to len(aList) bool = semordnilap(aList[n]) if (bool > 0 and nr > n) num = num + 1 if num % 31 = 0 see aList[n] + " " + aList[nr] + nl ok ok next see "Total number of unique pairs = " + num + nl   func semordnilap(aString) bString = "" for i=len(aString) to 1 step -1 bString = bString + aString[i] next nr = find(aList,bString) return nr