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/Taxicab_numbers
Taxicab numbers
A   taxicab number   (the definition that is being used here)   is a positive integer that can be expressed as the sum of two positive cubes in more than one way. The first taxicab number is   1729,   which is: 13   +   123       and also 93   +   103. Taxicab numbers are also known as:   taxi numbers   tax...
#AWK
AWK
  # syntax: GAWK -f TAXICAB_NUMBERS.AWK BEGIN { stop = 99 for (a=1; a<=stop; a++) { for (b=1; b<=stop; b++) { n1 = a^3 + b^3 for (c=1; c<=stop; c++) { if (a == c) { continue } for (d=1; d<=stop; d++) { n2 = c^3 + d^3 if (n1 == n2 && (a != d || b ...
http://rosettacode.org/wiki/Tau_number
Tau number
A Tau number is a positive integer divisible by the count of its positive divisors. Task Show the first   100   Tau numbers. The numbers shall be generated during run-time (i.e. the code may not contain string literals, sets/arrays of integers, or alike). Related task  Tau function
#Arturo
Arturo
tau: function [x] -> size factors x   found: 0 i:1 while [found<100][ if 0 = i % tau i [ prints pad to :string i 5 found: found + 1 if 0 = found % 10 -> print "" ] i: i + 1 ]
http://rosettacode.org/wiki/Tau_number
Tau number
A Tau number is a positive integer divisible by the count of its positive divisors. Task Show the first   100   Tau numbers. The numbers shall be generated during run-time (i.e. the code may not contain string literals, sets/arrays of integers, or alike). Related task  Tau function
#AWK
AWK
  # syntax: GAWK -f TAU_NUMBER.AWK BEGIN { print("The first 100 tau numbers:") while (count < 100) { i++ if (i % count_divisors(i) == 0) { printf("%4d ",i) if (++count % 10 == 0) { printf("\n") } } } exit(0) } function count_divisors(n, count,i) { ...
http://rosettacode.org/wiki/Tarjan
Tarjan
This page uses content from Wikipedia. The original article was at Graph. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Tarjan's algorithm is an algorithm in graph theory for finding the strongly...
#11l
11l
T Graph String name [Char = [Char]] graph Int _order [Char = Int] disc [Char = Int] low [Char] stack [[Char]] scc   F (name, connections) .name = name   DefaultDict[Char, [Char]] g L(n) connections V (n1, n2) = (n[0], n[1]) I n1 != n2 g[n1].append(...
http://rosettacode.org/wiki/Teacup_rim_text
Teacup rim text
On a set of coasters we have, there's a picture of a teacup.   On the rim of the teacup the word   TEA   appears a number of times separated by bullet characters   (•). It occurred to me that if the bullet were removed and the words run together,   you could start at any letter and still end up with a meaningful three...
#F.23
F#
  // Teacup rim text. Nigel Galloway: August 7th., 2019 let N=System.IO.File.ReadAllLines("dict.txt")|>Array.filter(fun n->String.length n=3 && Seq.length(Seq.distinct n)>1)|>Set.ofArray let fG z=Set.map(fun n->System.String(Array.ofSeq (Seq.permute(fun g->(g+z)%3)n))) N Set.intersectMany [N;fG 1;fG 2]|>Seq.distinctBy...
http://rosettacode.org/wiki/Temperature_conversion
Temperature conversion
There are quite a number of temperature scales. For this task we will concentrate on four of the perhaps best-known ones: Kelvin, Celsius, Fahrenheit, and Rankine. The Celsius and Kelvin scales have the same magnitude, but different null points. 0 degrees Celsius corresponds to 273.15 kelvin. 0 kelvin is absolute z...
#8th
8th
: KtoC \ n -- n 273.15 n:- ;   : KtoF \ n -- n 1.8 n:* 459.67 n:- ;   : KtoR \ n -- n 1.8 n:* ;   : KtoCFR \ n -- dup dup dup . " degrees Kelvin" . cr KtoC . " degrees Celcius" . cr KtoF . " degrees Fahrenheit" . cr KtoR . " degrees Rankine" . cr ;   : app:main \ argc 0...
http://rosettacode.org/wiki/Tau_function
Tau function
Given a positive integer, count the number of its positive divisors. Task Show the result for the first   100   positive integers. Related task  Tau number
#ALGOL_W
ALGOL W
begin % find the count of the divisors of the first 100 positive integers  %  % calculates the number of divisors of v  % integer procedure divisor_count( integer value v ) ; begin integer total, n, p; total := 1; n := v;  % Deal with powers of 2 first % ...
http://rosettacode.org/wiki/Terminal_control/Clear_the_screen
Terminal control/Clear the screen
Task Clear the terminal window.
#Axe
Axe
ClrHome
http://rosettacode.org/wiki/Terminal_control/Clear_the_screen
Terminal control/Clear the screen
Task Clear the terminal window.
#BaCon
BaCon
CLEAR
http://rosettacode.org/wiki/Terminal_control/Clear_the_screen
Terminal control/Clear the screen
Task Clear the terminal window.
#BASIC
BASIC
CLS
http://rosettacode.org/wiki/Ternary_logic
Ternary logic
This page uses content from Wikipedia. The original article was at Ternary logic. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) In logic, a three-valued logic (also trivalent, ternary, or trinary...
#Forth
Forth
1 constant maybe   : tnot dup maybe <> if invert then ; : tand and ; : tor or ; : tequiv 2dup and rot tnot rot tnot and or ; : timply tnot tor ; : txor tequiv tnot ;   : t. C" TF?" 2 + + c@ emit ;   : table2. ( xt -- ) cr ." T F ?" cr ." --------" 2 true DO cr I t. ." | " 2 true DO dup I J r...
http://rosettacode.org/wiki/Text_processing/1
Text processing/1
This task has been flagged for clarification. Code on this page in its current state may be flagged incorrect once this task has been clarified. See this page's Talk page for discussion. Often data is produced by one program, in the wrong format for later use by another program or person. In these situations another pr...
#Haskell
Haskell
import Data.List import Numeric import Control.Arrow import Control.Monad import Text.Printf import System.Environment import Data.Function   type Date = String type Value = Double type Flag = Bool   readFlg :: String -> Flag readFlg = (> 0).read   readNum :: String -> Value readNum = fst.head.readFloat   take2 = takeW...
http://rosettacode.org/wiki/The_ISAAC_Cipher
The ISAAC Cipher
ISAAC is a cryptographically secure pseudo-random number generator (CSPRNG) and stream cipher. It was developed by Bob Jenkins from 1993 (http://burtleburtle.net/bob/rand/isaac.html) and placed in the Public Domain. ISAAC is fast - especially when optimised - and portable to most architectures in nearly all programming...
#REXX
REXX
/* REXX --------------------------------------------------------------- * 24.07.2014 Walter Pachl translated from Pascal * extend with decryption (following Pascal) * 25.07.2014 WP changed i+=8 to I=I+8 (courtesy GS) * 26.07-2014 WP removed extraneous semicolons *---------------------------------------------...
http://rosettacode.org/wiki/Test_integerness
Test integerness
Mathematically, the integers Z are included in the rational numbers Q, which are included in the real numbers R, which can be generalized to the complex numbers C. This means that each of those larger sets, and the data types used to represent them, include some integers. Task[edit] Given a rational, real, or co...
#XPL0
XPL0
real R; [Format(20, 20); repeat R:= RlIn(0); RlOut(0, R); Text(0, if R = float(fix(R)) then " is integer" else " is not integer"); CrLf(0); until R = 0.; ]
http://rosettacode.org/wiki/Test_integerness
Test integerness
Mathematically, the integers Z are included in the rational numbers Q, which are included in the real numbers R, which can be generalized to the complex numbers C. This means that each of those larger sets, and the data types used to represent them, include some integers. Task[edit] Given a rational, real, or co...
#zkl
zkl
T(1, 2.0,4.1,"nope",self).apply((1).isType)
http://rosettacode.org/wiki/Text_processing/Max_licenses_in_use
Text processing/Max licenses in use
A company currently pays a fixed sum for the use of a particular licensed software package.   In determining if it has a good deal it decides to calculate its maximum use of the software from its license management log file. Assume the software's licensing daemon faithfully records a checkout event when a copy of the ...
#Rust
Rust
type Timestamp = String;   fn compute_usage<R, S, E>(lines: R) -> Result<(u32, Vec<Timestamp>), E> where S: AsRef<str>, R: Iterator<Item = Result<S, E>>, { let mut timestamps = Vec::new(); let mut current = 0; let mut maximum = 0;   for line in lines { let line = line?; let line ...
http://rosettacode.org/wiki/Text_processing/Max_licenses_in_use
Text processing/Max licenses in use
A company currently pays a fixed sum for the use of a particular licensed software package.   In determining if it has a good deal it decides to calculate its maximum use of the software from its license management log file. Assume the software's licensing daemon faithfully records a checkout event when a copy of the ...
#Scala
Scala
import java.io.{BufferedReader, InputStreamReader} import java.net.URL   object License0 extends App { val url = new URL("https://raw.githubusercontent.com/def-/nim-unsorted/master/mlijobs.txt") val in = new BufferedReader(new InputStreamReader(url.openStream()))   val dates = new collection.mutable.ListBuffer[St...
http://rosettacode.org/wiki/Test_a_function
Test a function
Task Using a well-known testing-specific library/module/suite for your language, write some tests for your language's entry in Palindrome. If your language does not have a testing specific library well known to the language's community then state this or omit the language.
#Python
Python
def is_palindrome(s): ''' >>> is_palindrome('') True >>> is_palindrome('a') True >>> is_palindrome('aa') True >>> is_palindrome('baa') False >>> is_palindrome('baab') True >>> is_palindrome('ba_ab') True >>> is_p...
http://rosettacode.org/wiki/Test_a_function
Test a function
Task Using a well-known testing-specific library/module/suite for your language, write some tests for your language's entry in Palindrome. If your language does not have a testing specific library well known to the language's community then state this or omit the language.
#Quackery
Quackery
checkTrue(palindroc("aba")) # TRUE checkTrue(!palindroc("ab")) # TRUE checkException(palindroc()) # TRUE checkTrue(palindroc("")) # Error. Uh-oh, there's a bug in the function
http://rosettacode.org/wiki/The_Twelve_Days_of_Christmas
The Twelve Days of Christmas
Task Write a program that outputs the lyrics of the Christmas carol The Twelve Days of Christmas. The lyrics can be found here. (You must reproduce the words in the correct order, but case, format, and punctuation are left to your discretion.) Other tasks related to string operations: Metrics Array length Stri...
#Eiffel
Eiffel
  class APPLICATION   create make   feature   make do twelve_days_of_christmas end   feature {NONE}   twelve_days_of_christmas -- Christmas carol: Twelve days of christmas. local i, j: INTEGER do create gifts.make_empty create days.make_empty gifts := <<"A partridge in a pear tree.", "Two ...
http://rosettacode.org/wiki/Terminal_control/Dimensions
Terminal control/Dimensions
Determine the height and width of the terminal, and store this information into variables for subsequent use.
#zkl
zkl
h,w:=System.popen("stty size","r").readln().split(); println(w," x ",h);
http://rosettacode.org/wiki/Terminal_control/Coloured_text
Terminal control/Coloured text
Task Display a word in various colours on the terminal. The system palette, or colours such as Red, Green, Blue, Magenta, Cyan, and Yellow can be used. Optionally demonstrate: How the system should determine if the terminal supports colour Setting of the background colour How to cause blinking or flashing (if ...
#Fortran
Fortran
! Standard Fortran, should work with any modern compiler (tested gfortran 9) ! and ANSI supporting terminal (tested Linux, various terminals). program coloured_terminal_text use, intrinsic :: iso_fortran_env, only: ERROR_UNIT implicit none   ! Some parameters for our ANSI escape codes character(*), parameter ::...
http://rosettacode.org/wiki/Terminal_control/Cursor_movement
Terminal control/Cursor movement
Task Demonstrate how to achieve movement of the terminal cursor: how to move the cursor one position to the left how to move the cursor one position to the right how to move the cursor up one line (without affecting its horizontal position) how to move the cursor down one line (without affecting its horizontal po...
#Phix
Phix
-- -- demo\rosetta\Cursor_movement.exw -- ================================ -- -- These may vary by platform/hardware... (this program is ideal for sorting such things out) -- constant HOME = 327, END = 335, UP = 328, DOWN = 336, LEFT = 331, RIGHT = 333, PGUP...
http://rosettacode.org/wiki/Terminal_control/Cursor_positioning
Terminal control/Cursor positioning
Task Move the cursor to column   3,   row   6,   and display the word   "Hello"   (without the quotes),   so that the letter   H   is in column   3   on row   6.
#XPL0
XPL0
include c:\cxpl\codes; \intrinsic 'code' declarations   [Cursor(2, 5); \3rd column, 6th row Text(0, "Hello"); \upper-left corner is coordinate 0, 0 ]
http://rosettacode.org/wiki/Terminal_control/Cursor_positioning
Terminal control/Cursor positioning
Task Move the cursor to column   3,   row   6,   and display the word   "Hello"   (without the quotes),   so that the letter   H   is in column   3   on row   6.
#Wren
Wren
System.write("\e[2J") // clear the terminal System.print("\e[6;3HHello") // move to (6, 3) and print 'Hello'
http://rosettacode.org/wiki/Terminal_control/Cursor_positioning
Terminal control/Cursor positioning
Task Move the cursor to column   3,   row   6,   and display the word   "Hello"   (without the quotes),   so that the letter   H   is in column   3   on row   6.
#Z80_Assembly
Z80 Assembly
ld hl,&0603 ;6 = ROW, 3 = COLUMN call &BB75 ;set text cursor according to HL   ld hl,Message call PrintString   ret ;return to basic   Message: byte "Hello",0   PrintString: ld a,(hl) ;read a byte from the string or a ;check equality to zero ret z ;if equal to zero, we're done call &BB5A ...
http://rosettacode.org/wiki/Terminal_control/Cursor_positioning
Terminal control/Cursor positioning
Task Move the cursor to column   3,   row   6,   and display the word   "Hello"   (without the quotes),   so that the letter   H   is in column   3   on row   6.
#zkl
zkl
print("\e[6;3H" "Hello");
http://rosettacode.org/wiki/Take_notes_on_the_command_line
Take notes on the command line
Take notes on the command line is part of Short Circuit's Console Program Basics selection. Invoking NOTES without commandline arguments displays the current contents of the local NOTES.TXT if it exists. If NOTES has arguments, the current date and time are appended to the local NOTES.TXT followed by a newline. Then al...
#11l
11l
:start: I :argv.len == 1 print(File(‘notes.txt’).read(), end' ‘’) E V f = File(‘notes.txt’, ‘a’) f.write(Time().format("YYYY-MM-DD hh:mm:ss\n")) f.write("\t"(:argv[1..].join(‘ ’))"\n")
http://rosettacode.org/wiki/Taxicab_numbers
Taxicab numbers
A   taxicab number   (the definition that is being used here)   is a positive integer that can be expressed as the sum of two positive cubes in more than one way. The first taxicab number is   1729,   which is: 13   +   123       and also 93   +   103. Taxicab numbers are also known as:   taxi numbers   tax...
#Befunge
Befunge
v+1$$<_v#!`**::+1g42$$_v#<!`**::+1g43\g43::<<v,,.g42,< >004p:0>1+24p:24g\:24g>>1+:34p::**24g::**+-|p>9,,,14v, ,,,"^3 + ^3= ^3 + ^3".\,,,9"= ".:\_v#g40g43<^v,,,,.g<^ 5+,$$$\1+:38*`#@_\::"~"1+:24p34p0\0>14p24g04^>,04g.,,5
http://rosettacode.org/wiki/Taxicab_numbers
Taxicab numbers
A   taxicab number   (the definition that is being used here)   is a positive integer that can be expressed as the sum of two positive cubes in more than one way. The first taxicab number is   1729,   which is: 13   +   123       and also 93   +   103. Taxicab numbers are also known as:   taxi numbers   tax...
#C
C
#include <stdio.h> #include <stdlib.h>   typedef unsigned long long xint; typedef unsigned uint; typedef struct { uint x, y; // x > y always xint value; } sum_t;   xint *cube; uint n_cubes;   sum_t *pq; uint pq_len, pq_cap;   void add_cube(void) { uint x = n_cubes++; cube = realloc(cube, sizeof(xint) * (n_cubes + 1...
http://rosettacode.org/wiki/Tau_number
Tau number
A Tau number is a positive integer divisible by the count of its positive divisors. Task Show the first   100   Tau numbers. The numbers shall be generated during run-time (i.e. the code may not contain string literals, sets/arrays of integers, or alike). Related task  Tau function
#BASIC
BASIC
10 DEFINT A-Z 20 S=0: N=1 30 C=1 40 IF N<>1 THEN FOR I=1 TO N/2: C=C-(N MOD I=0): NEXT 50 IF N MOD C=0 THEN PRINT N,: S=S+1 60 N=N+1 70 IF S<100 THEN 30 80 END
http://rosettacode.org/wiki/Tau_number
Tau number
A Tau number is a positive integer divisible by the count of its positive divisors. Task Show the first   100   Tau numbers. The numbers shall be generated during run-time (i.e. the code may not contain string literals, sets/arrays of integers, or alike). Related task  Tau function
#BCPL
BCPL
get "libhdr"   // Count the divisors of 1..N let divcounts(v, n) be $( // Every positive number is divisible by 1 for i=1 to n do v!i := 1; for i=2 to n do $( let j = i while j <= n do $( // J is divisible by I v!j := v!j + 1 j := j + i $) $) $)   // G...
http://rosettacode.org/wiki/Tau_number
Tau number
A Tau number is a positive integer divisible by the count of its positive divisors. Task Show the first   100   Tau numbers. The numbers shall be generated during run-time (i.e. the code may not contain string literals, sets/arrays of integers, or alike). Related task  Tau function
#C
C
#include <stdio.h>   unsigned int divisor_count(unsigned int n) { unsigned int total = 1; unsigned int p;   // Deal with powers of 2 first for (; (n & 1) == 0; n >>= 1) { ++total; } // Odd prime factors up to the square root for (p = 3; p * p <= n; p += 2) { unsigned int coun...
http://rosettacode.org/wiki/Tarjan
Tarjan
This page uses content from Wikipedia. The original article was at Graph. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Tarjan's algorithm is an algorithm in graph theory for finding the strongly...
#C
C
#include <stddef.h> #include <stdlib.h> #include <stdbool.h>   #ifndef min #define min(x, y) ((x)<(y) ? (x) : (y)) #endif   struct edge { void *from; void *to; };   struct components { int nnodes; void **nodes; struct components *next; };   struct node { int index; int lowlink; bool onStack; void *data; };   s...
http://rosettacode.org/wiki/Teacup_rim_text
Teacup rim text
On a set of coasters we have, there's a picture of a teacup.   On the rim of the teacup the word   TEA   appears a number of times separated by bullet characters   (•). It occurred to me that if the bullet were removed and the words run together,   you could start at any letter and still end up with a meaningful three...
#Factor
Factor
USING: combinators.short-circuit fry grouping hash-sets http.client kernel math prettyprint sequences sequences.extras sets sorting splitting ;   "https://www.mit.edu/~ecprice/wordlist.10000" http-get nip "\n" split [ { [ length 3 < ] [ all-equal? ] } 1|| ] reject [ [ all-rotations ] map ] [ >hash-set ] bi '[ [ _ in? ]...
http://rosettacode.org/wiki/Teacup_rim_text
Teacup rim text
On a set of coasters we have, there's a picture of a teacup.   On the rim of the teacup the word   TEA   appears a number of times separated by bullet characters   (•). It occurred to me that if the bullet were removed and the words run together,   you could start at any letter and still end up with a meaningful three...
#Go
Go
package main   import ( "bufio" "fmt" "log" "os" "sort" "strings" )   func check(err error) { if err != nil { log.Fatal(err) } }   func readWords(fileName string) []string { file, err := os.Open(fileName) check(err) defer file.Close() var words []string scanne...
http://rosettacode.org/wiki/Temperature_conversion
Temperature conversion
There are quite a number of temperature scales. For this task we will concentrate on four of the perhaps best-known ones: Kelvin, Celsius, Fahrenheit, and Rankine. The Celsius and Kelvin scales have the same magnitude, but different null points. 0 degrees Celsius corresponds to 273.15 kelvin. 0 kelvin is absolute z...
#Action.21
Action!
INCLUDE "D2:REAL.ACT" ;from the Action! Tool Kit   PROC K2C(REAL POINTER k,c) REAL tmp   ValR("273.15",tmp) RealSub(k,tmp,c) RETURN   PROC K2F(REAL POINTER k,f) REAL tmp1,tmp2,tmp3   ValR("1.8",tmp1) ValR("459.67",tmp2) RealMult(k,tmp1,tmp3) RealSub(tmp3,tmp2,f) RETURN   PROC K2R(REAL POINTER k,f) REA...
http://rosettacode.org/wiki/Tau_function
Tau function
Given a positive integer, count the number of its positive divisors. Task Show the result for the first   100   positive integers. Related task  Tau number
#APL
APL
tau ← 0+.=⍳|⊢ tau¨ 5 20⍴⍳100
http://rosettacode.org/wiki/Tau_function
Tau function
Given a positive integer, count the number of its positive divisors. Task Show the result for the first   100   positive integers. Related task  Tau number
#AppleScript
AppleScript
on factorCount(n) if (n < 1) then return 0 set counter to 2 set sqrt to n ^ 0.5 if (sqrt mod 1 = 0) then set counter to 1 repeat with i from (sqrt div 1) to 2 by -1 if (n mod i = 0) then set counter to counter + 2 end repeat   return counter end factorCount   -- Task code: local outp...
http://rosettacode.org/wiki/Terminal_control/Clear_the_screen
Terminal control/Clear the screen
Task Clear the terminal window.
#Batch_File
Batch File
CLS
http://rosettacode.org/wiki/Terminal_control/Clear_the_screen
Terminal control/Clear the screen
Task Clear the terminal window.
#beeswax
beeswax
_3F..}`[2J`
http://rosettacode.org/wiki/Terminal_control/Clear_the_screen
Terminal control/Clear the screen
Task Clear the terminal window.
#Befunge
Befunge
"J2["39*,,,,@
http://rosettacode.org/wiki/Ternary_logic
Ternary logic
This page uses content from Wikipedia. The original article was at Ternary logic. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) In logic, a three-valued logic (also trivalent, ternary, or trinary...
#Fortran
Fortran
  !-*- mode: compilation; default-directory: "/tmp/" -*- !Compilation started at Mon May 20 23:05:46 ! !a=./f && make $a && $a < unixdict.txt !gfortran -std=f2003 -Wall -ffree-form f.f03 -o f ! !ternary not ! 1.0 0.5 0.0 ! ! !ternary and ! 0.0 0.0 0.0 ! 0.0 0.5 0.5 ! 0.0 0.5 1.0 ! ! !ternary or ! 0.0 0.5 1.0 ! 0.5 0.5 ...
http://rosettacode.org/wiki/Text_processing/1
Text processing/1
This task has been flagged for clarification. Code on this page in its current state may be flagged incorrect once this task has been clarified. See this page's Talk page for discussion. Often data is produced by one program, in the wrong format for later use by another program or person. In these situations another pr...
#Icon_and_Unicon
Icon and Unicon
record badrun(count,fromdate,todate) # record to track bad runs   procedure main() return mungetask1("readings1-input.txt","readings1-output.txt") end   procedure mungetask1(fin,fout)   fin := open(fin) | stop("Unable to open input file ",fin) fout := open(fout,"w") | stop("Unable to open output file ",fout)   F...
http://rosettacode.org/wiki/The_ISAAC_Cipher
The ISAAC Cipher
ISAAC is a cryptographically secure pseudo-random number generator (CSPRNG) and stream cipher. It was developed by Bob Jenkins from 1993 (http://burtleburtle.net/bob/rand/isaac.html) and placed in the Public Domain. ISAAC is fast - especially when optimised - and portable to most architectures in nearly all programming...
#Rust
Rust
  //! includes the XOR version of the encryption scheme   use std::num::Wrapping as w;   const MSG: &str = "a Top Secret secret"; const KEY: &str = "this is my secret key";   fn main() { let mut isaac = Isaac::new(); isaac.seed(KEY, true); let encr = isaac.vernam(MSG.as_bytes());   println!("msg: {}", M...
http://rosettacode.org/wiki/Text_processing/Max_licenses_in_use
Text processing/Max licenses in use
A company currently pays a fixed sum for the use of a particular licensed software package.   In determining if it has a good deal it decides to calculate its maximum use of the software from its license management log file. Assume the software's licensing daemon faithfully records a checkout event when a copy of the ...
#Seed7
Seed7
$ include "seed7_05.s7i";   const proc: main is func local var file: inFile is STD_NULL; var string: line is ""; var integer: currLicenses is 0; var integer: maxLicenses is 0; var array string: maxLicenseTimes is 0 times ""; var string: eventTime is ""; begin inFile := open("mlijobs.txt"...
http://rosettacode.org/wiki/Text_processing/Max_licenses_in_use
Text processing/Max licenses in use
A company currently pays a fixed sum for the use of a particular licensed software package.   In determining if it has a good deal it decides to calculate its maximum use of the software from its license management log file. Assume the software's licensing daemon faithfully records a checkout event when a copy of the ...
#Sidef
Sidef
var out = 0 var max_out = -1 var max_times = []   ARGF.each { |line| out += (line ~~ /OUT/ ? 1 : -1) if (out > max_out) { max_out = out max_times = [] } if (out == max_out) { max_times << line.split(' ')[3] } }   say "Maximum simultaneous license use is #{max_out} at the foll...
http://rosettacode.org/wiki/Test_a_function
Test a function
Task Using a well-known testing-specific library/module/suite for your language, write some tests for your language's entry in Palindrome. If your language does not have a testing specific library well known to the language's community then state this or omit the language.
#R
R
checkTrue(palindroc("aba")) # TRUE checkTrue(!palindroc("ab")) # TRUE checkException(palindroc()) # TRUE checkTrue(palindroc("")) # Error. Uh-oh, there's a bug in the function
http://rosettacode.org/wiki/Test_a_function
Test a function
Task Using a well-known testing-specific library/module/suite for your language, write some tests for your language's entry in Palindrome. If your language does not have a testing specific library well known to the language's community then state this or omit the language.
#Racket
Racket
  #lang racket (module+ test (require rackunit))   ;; from the Palindrome entry (define (palindromb str) (let* ([lst (string->list (string-downcase str))] [slst (remove* '(#\space) lst)]) (string=? (list->string (reverse slst)) (list->string slst))))   ;; this test module is not loaded unless it is ;; sp...
http://rosettacode.org/wiki/The_Twelve_Days_of_Christmas
The Twelve Days of Christmas
Task Write a program that outputs the lyrics of the Christmas carol The Twelve Days of Christmas. The lyrics can be found here. (You must reproduce the words in the correct order, but case, format, and punctuation are left to your discretion.) Other tasks related to string operations: Metrics Array length Stri...
#Elena
Elena
import extensions;   public program() { var days := new string[]{ "first", "second", "third", "fourth", "fifth", "sixth", "seventh", "eighth", "ninth", "tenth", "eleventh", "twelfth" };   var gifts := new string[]{ "And a partridge in a pear tree", "Tw...
http://rosettacode.org/wiki/The_Twelve_Days_of_Christmas
The Twelve Days of Christmas
Task Write a program that outputs the lyrics of the Christmas carol The Twelve Days of Christmas. The lyrics can be found here. (You must reproduce the words in the correct order, but case, format, and punctuation are left to your discretion.) Other tasks related to string operations: Metrics Array length Stri...
#Elixir
Elixir
gifts = """ A partridge in a pear tree Two turtle doves and Three french hens Four calling birds Five golden rings Six geese a-laying Seven swans a-swimming Eight maids a-milking Nine ladies dancing Ten lords a-leaping Eleven pipers piping Twelve drummers drumming """ |> String.split("\n", trim: true)   days = ~w(first...
http://rosettacode.org/wiki/Terminal_control/Coloured_text
Terminal control/Coloured text
Task Display a word in various colours on the terminal. The system palette, or colours such as Red, Green, Blue, Magenta, Cyan, and Yellow can be used. Optionally demonstrate: How the system should determine if the terminal supports colour Setting of the background colour How to cause blinking or flashing (if ...
#FreeBASIC
FreeBASIC
for i as uinteger = 0 to 15 color i, 15-i print "Colour "+str(i), if i mod 4 = 3 then color 0,0: print next i
http://rosettacode.org/wiki/Terminal_control/Coloured_text
Terminal control/Coloured text
Task Display a word in various colours on the terminal. The system palette, or colours such as Red, Green, Blue, Magenta, Cyan, and Yellow can be used. Optionally demonstrate: How the system should determine if the terminal supports colour Setting of the background colour How to cause blinking or flashing (if ...
#FunL
FunL
import console.*   bold() blink()   if $os.toLowerCase().startsWith( 'win' ) println( 'not supported' ) else println( 'good to go' )   reset()   println( RED + 'Red', GREEN + 'Green', BLUE + 'Blue', MAGENTA + 'Magenta', CYAN + 'Cyan', YELLOW + 'Yellow' + RESET )
http://rosettacode.org/wiki/Terminal_control/Cursor_movement
Terminal control/Cursor movement
Task Demonstrate how to achieve movement of the terminal cursor: how to move the cursor one position to the left how to move the cursor one position to the right how to move the cursor up one line (without affecting its horizontal position) how to move the cursor down one line (without affecting its horizontal po...
#PicoLisp
PicoLisp
(call 'tput "cub1") # one position to the left (call 'tput "cuf1") # one position to the right (call 'tput "cuu1") # up one line (call 'tput "cud1") # down one line (call 'tput "cr") ...
http://rosettacode.org/wiki/Terminal_control/Cursor_movement
Terminal control/Cursor movement
Task Demonstrate how to achieve movement of the terminal cursor: how to move the cursor one position to the left how to move the cursor one position to the right how to move the cursor up one line (without affecting its horizontal position) how to move the cursor down one line (without affecting its horizontal po...
#Python
Python
import curses   scr = curses.initscr() # Demonstrate how to move the cursor one position to the left def move_left(): y,x = curses.getyx() curses.move(y,x-1)   # Demonstrate how to move the cursor one position to the right def move_right(): y,x = curses.getyx() curses.move(y,x+1)   # Demonstrate how to mo...
http://rosettacode.org/wiki/Take_notes_on_the_command_line
Take notes on the command line
Take notes on the command line is part of Short Circuit's Console Program Basics selection. Invoking NOTES without commandline arguments displays the current contents of the local NOTES.TXT if it exists. If NOTES has arguments, the current date and time are appended to the local NOTES.TXT followed by a newline. Then al...
#8086_Assembly
8086 Assembly
bits 16 cpu 8086 ;;; MS-DOS PSP locations cmdlen: equ 80h ; Amount of characters on cmdline cmdtail: equ 82h ; Command line tail ;;; MS-DOS system calls puts: equ 9h ; Print string to console date: equ 2Ah ; Get system date time: equ 2Ch ; Get system time creat: equ 3Ch ; Create file open: equ 3Dh ...
http://rosettacode.org/wiki/Taxicab_numbers
Taxicab numbers
A   taxicab number   (the definition that is being used here)   is a positive integer that can be expressed as the sum of two positive cubes in more than one way. The first taxicab number is   1729,   which is: 13   +   123       and also 93   +   103. Taxicab numbers are also known as:   taxi numbers   tax...
#C.2B.2B
C++
#include <algorithm> #include <iomanip> #include <iostream> #include <map> #include <sstream> #include <vector>   template <typename T> size_t indexOf(const std::vector<T> &v, const T &k) { auto it = std::find(v.cbegin(), v.cend(), k);   if (it != v.cend()) { return it - v.cbegin(); } return -1;...
http://rosettacode.org/wiki/Tau_number
Tau number
A Tau number is a positive integer divisible by the count of its positive divisors. Task Show the first   100   Tau numbers. The numbers shall be generated during run-time (i.e. the code may not contain string literals, sets/arrays of integers, or alike). Related task  Tau function
#C.2B.2B
C++
#include <iomanip> #include <iostream>   // See https://en.wikipedia.org/wiki/Divisor_function unsigned int divisor_count(unsigned int n) { unsigned int total = 1; // Deal with powers of 2 first for (; (n & 1) == 0; n >>= 1) ++total; // Odd prime factors up to the square root for (unsigned i...
http://rosettacode.org/wiki/Tarjan
Tarjan
This page uses content from Wikipedia. The original article was at Graph. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Tarjan's algorithm is an algorithm in graph theory for finding the strongly...
#C.23
C#
using System; using System.Collections.Generic;   class Node { public int LowLink { get; set; } public int Index { get; set; } public int N { get; }   public Node(int n) { N = n; Index = -1; LowLink = 0; } }   class Graph { public HashSet<Node> V { get; } public D...
http://rosettacode.org/wiki/Teacup_rim_text
Teacup rim text
On a set of coasters we have, there's a picture of a teacup.   On the rim of the teacup the word   TEA   appears a number of times separated by bullet characters   (•). It occurred to me that if the bullet were removed and the words run together,   you could start at any letter and still end up with a meaningful three...
#Haskell
Haskell
import Data.List (groupBy, intercalate, sort, sortBy) import qualified Data.Set as S import Data.Ord (comparing) import Data.Function (on)   main :: IO () main = readFile "mitWords.txt" >>= (putStrLn . showGroups . circularWords . lines)   circularWords :: [String] -> [String] circularWords ws = let lexicon = S.fro...
http://rosettacode.org/wiki/Temperature_conversion
Temperature conversion
There are quite a number of temperature scales. For this task we will concentrate on four of the perhaps best-known ones: Kelvin, Celsius, Fahrenheit, and Rankine. The Celsius and Kelvin scales have the same magnitude, but different null points. 0 degrees Celsius corresponds to 273.15 kelvin. 0 kelvin is absolute z...
#Ada
Ada
with Ada.Float_Text_IO, Ada.Text_IO; use Ada.Float_Text_IO, Ada.Text_IO;   procedure Temperatur_Conversion is K: Float; function C return Float is (K - 273.15); function F return Float is (K * 1.8 - 459.67); function R return Float is (K * 1.8); begin Get(K); New_Line; ...
http://rosettacode.org/wiki/Tau_function
Tau function
Given a positive integer, count the number of its positive divisors. Task Show the result for the first   100   positive integers. Related task  Tau number
#ARM_Assembly
ARM Assembly
  /* ARM assembly Raspberry PI */ /* program taufunction.s */   /* REMARK 1 : this program use routines in a include file see task Include a file language arm assembly for the routine affichageMess conversion10 see at end of this program the instruction include */ /* for constantes see task include a f...
http://rosettacode.org/wiki/Terminal_control/Clear_the_screen
Terminal control/Clear the screen
Task Clear the terminal window.
#Blast
Blast
clear
http://rosettacode.org/wiki/Terminal_control/Clear_the_screen
Terminal control/Clear the screen
Task Clear the terminal window.
#Blue
Blue
global _start   : syscall ( num:eax -- result:eax ) syscall ;   : exit ( status:edi -- noret ) 60 syscall ; : bye ( -- noret ) 0 exit ;   1 const stdout   : write ( buf:esi len:edx fd:edi -- ) 1 syscall drop ; : print ( buf len -- ) stdout write ;   : clear-screen ( -- ) s" \033[2J\033[H" print ;   : _start ( -- noret ...
http://rosettacode.org/wiki/Terminal_control/Clear_the_screen
Terminal control/Clear the screen
Task Clear the terminal window.
#Bracmat
Bracmat
sys$cls&
http://rosettacode.org/wiki/Ternary_logic
Ternary logic
This page uses content from Wikipedia. The original article was at Ternary logic. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) In logic, a three-valued logic (also trivalent, ternary, or trinary...
#Free_Pascal
Free Pascal
{$mode objfpc} unit ternarylogic;   interface type { ternary type, balanced } trit = (tFalse=-1, tMaybe=0, tTrue=1);   { ternary operators }   { equivalence = multiplication } operator * (const a,b:trit):trit; operator and (const a,b:trit):trit;inline; operator or (const a,b:trit):trit;inline; operator n...
http://rosettacode.org/wiki/Text_processing/1
Text processing/1
This task has been flagged for clarification. Code on this page in its current state may be flagged incorrect once this task has been clarified. See this page's Talk page for discussion. Often data is produced by one program, in the wrong format for later use by another program or person. In these situations another pr...
#J
J
load 'files' parseLine=: 10&({. ,&< (_99&".;._1)@:}.) NB. custom parser summarize=: # , +/ , +/ % # NB. count,sum,mean filter=: #~ 0&< NB. keep valid measurements   'Dates dat'=: |: parseLine;._2 CR -.~ fread jpath '~temp/readings.txt' Vals=: (+: i.24){"1 dat Flag...
http://rosettacode.org/wiki/The_ISAAC_Cipher
The ISAAC Cipher
ISAAC is a cryptographically secure pseudo-random number generator (CSPRNG) and stream cipher. It was developed by Bob Jenkins from 1993 (http://burtleburtle.net/bob/rand/isaac.html) and placed in the Public Domain. ISAAC is fast - especially when optimised - and portable to most architectures in nearly all programming...
#Sidef
Sidef
require('Math::Random::ISAAC')   func xor_isaac(key, msg) { var rng = %O<Math::Random::ISAAC>.new(unpack('C*', key))   msg.chars»ord()» \ -> »^« 256.of{ rng.irand % 95 + 32 }.last(msg.len).flip \ -> «%« '%02X' -> join }   var msg = 'a Top Secret secret' var key = 'th...
http://rosettacode.org/wiki/Text_processing/Max_licenses_in_use
Text processing/Max licenses in use
A company currently pays a fixed sum for the use of a particular licensed software package.   In determining if it has a good deal it decides to calculate its maximum use of the software from its license management log file. Assume the software's licensing daemon faithfully records a checkout event when a copy of the ...
#Tcl
Tcl
set out 0 set max_out -1 set max_times {}   foreach job [split [read [open "mlijobs.txt" "r"]] "\n"] { if {[lindex $job 1] == "OUT"} { incr out } { incr out -1 } if {$out > $max_out} { set max_out $out set max_times {} } if {$out == $max_out}...
http://rosettacode.org/wiki/Test_a_function
Test a function
Task Using a well-known testing-specific library/module/suite for your language, write some tests for your language's entry in Palindrome. If your language does not have a testing specific library well known to the language's community then state this or omit the language.
#Raku
Raku
use Test;   sub palin( Str $string) { so $string.lc.comb(/\w/) eq $string.flip.lc.comb(/\w/) }   my %tests = 'A man, a plan, a canal: Panama.' => True, 'My dog has fleas' => False, "Madam, I'm Adam." => True, '1 on 1' ...
http://rosettacode.org/wiki/Test_a_function
Test a function
Task Using a well-known testing-specific library/module/suite for your language, write some tests for your language's entry in Palindrome. If your language does not have a testing specific library well known to the language's community then state this or omit the language.
#Retro
Retro
needs assertion' needs hash'   : palindrome? ( $-f ) dup ^hash'hash [ ^strings'reverse ^hash'hash ] dip = ;   with assertion' : t0 ( - ) "hello" palindrome? 0 assert=  ; assertion : t1 ( - ) "ingirumimusnocteetconsumimurigni" palindrome? -1 assert=  ; assertion : test ( - ) t0 t1 ; test
http://rosettacode.org/wiki/The_Twelve_Days_of_Christmas
The Twelve Days of Christmas
Task Write a program that outputs the lyrics of the Christmas carol The Twelve Days of Christmas. The lyrics can be found here. (You must reproduce the words in the correct order, but case, format, and punctuation are left to your discretion.) Other tasks related to string operations: Metrics Array length Stri...
#Erlang
Erlang
-module(twelve_days). -export([gifts_for_day/1]).   names(N) -> lists:nth(N, ["first", "second", "third", "fourth", "fifth", "sixth", "seventh", "eighth", "ninth", "tenth", "eleventh", "twelfth" ]).   gifts() -> [ "A partridge in a pear tree.", "Two turtle doves and", "...
http://rosettacode.org/wiki/Terminal_control/Coloured_text
Terminal control/Coloured text
Task Display a word in various colours on the terminal. The system palette, or colours such as Red, Green, Blue, Magenta, Cyan, and Yellow can be used. Optionally demonstrate: How the system should determine if the terminal supports colour Setting of the background colour How to cause blinking or flashing (if ...
#Go
Go
package main   import ( "fmt" "os" "os/exec" )   func main() { color(red) fmt.Println("Red") color(green) fmt.Println("Green") color(blue) fmt.Println("Blue") }   const ( blue = "1" green = "2" red = "4" )   func color(c string) { cmd := exec.Command("tput", "setf"...
http://rosettacode.org/wiki/Terminal_control/Coloured_text
Terminal control/Coloured text
Task Display a word in various colours on the terminal. The system palette, or colours such as Red, Green, Blue, Magenta, Cyan, and Yellow can be used. Optionally demonstrate: How the system should determine if the terminal supports colour Setting of the background colour How to cause blinking or flashing (if ...
#Golo
Golo
#!/usr/bin/env golosh ---- This module demonstrates terminal colours. ---- module Terminalcontrolcoloredtext   import gololang.AnsiCodes   function main = |args| {   # these are lists of pointers to the ansi functions in the golo library. # {} doesn't do anything so it's got no effect on the text.   let foregroun...
http://rosettacode.org/wiki/Terminal_control/Cursor_movement
Terminal control/Cursor movement
Task Demonstrate how to achieve movement of the terminal cursor: how to move the cursor one position to the left how to move the cursor one position to the right how to move the cursor up one line (without affecting its horizontal position) how to move the cursor down one line (without affecting its horizontal po...
#Racket
Racket
  #lang racket (require (planet neil/charterm:3:0)) (define x 0) (define y 0)   (define (on-key k) (match k ['down (move 0 -1)] ['up (move 0 +1)] ['right (move +1 0)] ['left (move -1 0)] [else #f]))   (define (move dx dy) (set! x (+ x dx)) (set! y (+ y dy)) (charterm-cursor x...
http://rosettacode.org/wiki/Terminal_control/Cursor_movement
Terminal control/Cursor movement
Task Demonstrate how to achieve movement of the terminal cursor: how to move the cursor one position to the left how to move the cursor one position to the right how to move the cursor up one line (without affecting its horizontal position) how to move the cursor down one line (without affecting its horizontal po...
#Raku
Raku
shell "tput cub1"; # one position to the left shell "tput cuf1"; # one position to the right shell "tput cuu1"; # up one line shell "tput cud1"; # down one line shell "tput cr"; # beginning of line shell "tput home"; ...
http://rosettacode.org/wiki/Terminal_control/Cursor_movement
Terminal control/Cursor movement
Task Demonstrate how to achieve movement of the terminal cursor: how to move the cursor one position to the left how to move the cursor one position to the right how to move the cursor up one line (without affecting its horizontal position) how to move the cursor down one line (without affecting its horizontal po...
#REXX
REXX
/*REXX pgm demonstrates how to achieve movement of the terminal cursor. */   parse value scrsize() with sd sw /*find the display screen size. */ parse value cursor() with row col /*find where the cursor is now. */   colL=col-1; if colL==0 then colL=sw /*prepare to move cursor to left.*/ call cursor row,...
http://rosettacode.org/wiki/Table_creation/Postal_addresses
Table creation/Postal addresses
Task Create a table to store addresses. You may assume that all the addresses to be stored will be located in the USA.   As such, you will need (in addition to a field holding a unique identifier) a field holding the street address, a field holding the city, a field holding the state code, and a field holding the zip...
#ALGOL_68
ALGOL 68
MODE ADDRESS = STRUCT( INT page, FLEX[50]CHAR street, FLEX[25]CHAR city, FLEX[2]CHAR state, FLEX[10]CHAR zip ); FORMAT address repr = $"Page: "gl"Street: "gl"City: "gl"State: "gl"Zip: "gll$;   INT errno; FILE sequence; errno := open(sequence, "sequence.txt", stand back channel); SEMA sequence sema := LEVEL 1;   OP...
http://rosettacode.org/wiki/Take_notes_on_the_command_line
Take notes on the command line
Take notes on the command line is part of Short Circuit's Console Program Basics selection. Invoking NOTES without commandline arguments displays the current contents of the local NOTES.TXT if it exists. If NOTES has arguments, the current date and time are appended to the local NOTES.TXT followed by a newline. Then al...
#Ada
Ada
with Ada.Calendar.Formatting; with Ada.Characters.Latin_1; with Ada.Command_Line; with Ada.IO_Exceptions; with Ada.Text_IO; procedure Notes is Notes_Filename : constant String := "notes.txt"; Notes_File  : Ada.Text_IO.File_Type; Argument_Count : Natural  := Ada.Command_Line.Argument_Count; begin i...
http://rosettacode.org/wiki/Taxicab_numbers
Taxicab numbers
A   taxicab number   (the definition that is being used here)   is a positive integer that can be expressed as the sum of two positive cubes in more than one way. The first taxicab number is   1729,   which is: 13   +   123       and also 93   +   103. Taxicab numbers are also known as:   taxi numbers   tax...
#C.23
C#
using System; using System.Collections.Generic; using System.Linq; using System.Text;   namespace TaxicabNumber { class Program { static void Main(string[] args) { IDictionary<long, IList<Tuple<int, int>>> taxicabNumbers = GetTaxicabNumbers(2006); PrintTaxicabNumbers(taxi...
http://rosettacode.org/wiki/Tau_number
Tau number
A Tau number is a positive integer divisible by the count of its positive divisors. Task Show the first   100   Tau numbers. The numbers shall be generated during run-time (i.e. the code may not contain string literals, sets/arrays of integers, or alike). Related task  Tau function
#CLU
CLU
% Count the divisors of [1..N] count_divisors = proc (n: int) returns (sequence[int]) divs: array[int] := array[int]$fill(1, n, 1) for i: int in int$from_to(2, n) do for j: int in int$from_to_by(i, n, i) do divs[j] := divs[j] + 1 end end return(sequence[int]$a2s(divs)) end co...
http://rosettacode.org/wiki/Tau_number
Tau number
A Tau number is a positive integer divisible by the count of its positive divisors. Task Show the first   100   Tau numbers. The numbers shall be generated during run-time (i.e. the code may not contain string literals, sets/arrays of integers, or alike). Related task  Tau function
#Cowgol
Cowgol
include "cowgol.coh";   # Get count of positive divisors of number sub pos_div(num: uint16): (count: uint16) is count := 1; if num != 1 then var cur: uint16 := 1; while cur <= num/2 loop if num % cur == 0 then count := count + 1; end if; cur :=...
http://rosettacode.org/wiki/Tau_number
Tau number
A Tau number is a positive integer divisible by the count of its positive divisors. Task Show the first   100   Tau numbers. The numbers shall be generated during run-time (i.e. the code may not contain string literals, sets/arrays of integers, or alike). Related task  Tau function
#D
D
import std.stdio;   uint divisor_count(uint n) { uint total = 1; // Deal with powers of 2 first for (; (n & 1) == 0; n >>= 1) { ++total; } // Odd prime factors up to the square root for (uint p = 3; p * p <= n; p += 2) { uint count = 1; for (; n % p == 0; n /= p) { ...
http://rosettacode.org/wiki/Tarjan
Tarjan
This page uses content from Wikipedia. The original article was at Graph. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) Tarjan's algorithm is an algorithm in graph theory for finding the strongly...
#C.2B.2B
C++
// // C++ implementation of Tarjan's strongly connected components algorithm // See https://en.wikipedia.org/wiki/Tarjan%27s_strongly_connected_components_algorithm // #include <algorithm> #include <iostream> #include <list> #include <string> #include <vector>   struct noncopyable { noncopyable() {} noncopyable...
http://rosettacode.org/wiki/Teacup_rim_text
Teacup rim text
On a set of coasters we have, there's a picture of a teacup.   On the rim of the teacup the word   TEA   appears a number of times separated by bullet characters   (•). It occurred to me that if the bullet were removed and the words run together,   you could start at any letter and still end up with a meaningful three...
#J
J
  read=: CR -.~ 1!:1@boxopen NB. dang that line end! Filter=:(#~`)(`:6)   prep=: (;~ /:~);._2   gba=: <@:([: ,/ (>@}."1))/.~ 0&{"1 ew=: (>:&# {.)S:_1 Filter le=: (2 < #@{.)S:_1 Filter ra=: a: -.~ rotations&>   NB. prep was separated for fun, not necessity teacup=: ra@:le@:ew@:gba   rotations=: 3 :0 subset=: 0 = #@:-....
http://rosettacode.org/wiki/Teacup_rim_text
Teacup rim text
On a set of coasters we have, there's a picture of a teacup.   On the rim of the teacup the word   TEA   appears a number of times separated by bullet characters   (•). It occurred to me that if the bullet were removed and the words run together,   you could start at any letter and still end up with a meaningful three...
#Java
Java
import java.io.*; import java.util.*;   public class Teacup { public static void main(String[] args) { if (args.length != 1) { System.err.println("usage: java Teacup dictionary"); System.exit(1); } try { findTeacupWords(loadDictionary(args[0])); } ...
http://rosettacode.org/wiki/Temperature_conversion
Temperature conversion
There are quite a number of temperature scales. For this task we will concentrate on four of the perhaps best-known ones: Kelvin, Celsius, Fahrenheit, and Rankine. The Celsius and Kelvin scales have the same magnitude, but different null points. 0 degrees Celsius corresponds to 273.15 kelvin. 0 kelvin is absolute z...
#Aime
Aime
void show(integer symbol, real temperature) { o_form("%c /d2p2w8/\n", symbol, temperature); }   integer main(void) { real k;   k = atof(argv(1));   show('K', k); show('C', k - 273.15); show('F', k * 1.8 - 459.67); show('R', k * 1.8);   return 0; }
http://rosettacode.org/wiki/Tau_function
Tau function
Given a positive integer, count the number of its positive divisors. Task Show the result for the first   100   positive integers. Related task  Tau number
#Arturo
Arturo
tau: function [x] -> size factors x   loop split.every:20 1..100 => [ print map & => [pad to :string tau & 3] ]
http://rosettacode.org/wiki/Tau_function
Tau function
Given a positive integer, count the number of its positive divisors. Task Show the result for the first   100   positive integers. Related task  Tau number
#AWK
AWK
  # syntax: GAWK -f TAU_FUNCTION.AWK BEGIN { print("The tau functions for the first 100 positive integers:") for (i=1; i<=100; i++) { printf("%2d ",count_divisors(i)) if (i % 10 == 0) { printf("\n") } } exit(0) } function count_divisors(n, count,i) { for (i=1; i*i<=n; i++)...
http://rosettacode.org/wiki/Terminal_control/Clear_the_screen
Terminal control/Clear the screen
Task Clear the terminal window.
#C_.2F_C.2B.2B
C / C++
void cls(void) { printf("\33[2J"); }
http://rosettacode.org/wiki/Terminal_control/Clear_the_screen
Terminal control/Clear the screen
Task Clear the terminal window.
#C.23
C#
System.Console.Clear();
http://rosettacode.org/wiki/Terminal_control/Clear_the_screen
Terminal control/Clear the screen
Task Clear the terminal window.
#COBOL
COBOL
PROGRAM-ID. blank-terminal.   DATA DIVISION. SCREEN SECTION. 01 blank-screen BLANK SCREEN.   PROCEDURE DIVISION. DISPLAY blank-screen   GOBACK .
http://rosettacode.org/wiki/Ternary_logic
Ternary logic
This page uses content from Wikipedia. The original article was at Ternary logic. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) In logic, a three-valued logic (also trivalent, ternary, or trinary...
#FreeBASIC
FreeBASIC
enum trit F=-1, M=0, T=1 end enum   dim as string symbol(-1 to 1) = {"F", "?", "T"}, outstr dim as trit i   operator not ( x as trit ) as trit return -x end operator   operator and (x as trit, y as trit) as trit if x>y then return y and x return x end operator   operator or ( x as trit, y as trit ) as tr...
http://rosettacode.org/wiki/Text_processing/1
Text processing/1
This task has been flagged for clarification. Code on this page in its current state may be flagged incorrect once this task has been clarified. See this page's Talk page for discussion. Often data is produced by one program, in the wrong format for later use by another program or person. In these situations another pr...
#Java
Java
import java.io.File; import java.util.*; import static java.lang.System.out;   public class TextProcessing1 {   public static void main(String[] args) throws Exception { Locale.setDefault(new Locale("en", "US")); Metrics metrics = new Metrics();   int dataGap = 0; String gapBeginDate...
http://rosettacode.org/wiki/The_ISAAC_Cipher
The ISAAC Cipher
ISAAC is a cryptographically secure pseudo-random number generator (CSPRNG) and stream cipher. It was developed by Bob Jenkins from 1993 (http://burtleburtle.net/bob/rand/isaac.html) and placed in the Public Domain. ISAAC is fast - especially when optimised - and portable to most architectures in nearly all programming...
#Tcl
Tcl
package require Tcl 8.6   oo::class create ISAAC { variable aa bb cc mm randrsl randcnt   constructor {seed} { namespace eval tcl { namespace eval mathfunc { proc mm {idx} { upvar 1 mm list lindex $list [expr {$idx % [llength $list]}] } proc clamp {value} { expr {$value & 0xFFFFFFF...
http://rosettacode.org/wiki/Text_processing/Max_licenses_in_use
Text processing/Max licenses in use
A company currently pays a fixed sum for the use of a particular licensed software package.   In determining if it has a good deal it decides to calculate its maximum use of the software from its license management log file. Assume the software's licensing daemon faithfully records a checkout event when a copy of the ...
#TUSCRIPT
TUSCRIPT
  $$ MODE TUSCRIPT joblog="mlijobs.txt",jobnrout=0 log=FILE (joblog) DICT jobnrout CREATE LOOP l=log jobout=EXTRACT (l,":License :"|,": :") IF (jobout=="out") THEN time=EXTRACT (l,":@ :"|,": :"), jobnrout=jobnrout+1 DICT jobnrout APPEND/QUIET jobnrout,num,cnt,time;" " ELSE jobnrout=jobnrout-1 ENDIF ENDLOOP DIC...
http://rosettacode.org/wiki/Text_processing/Max_licenses_in_use
Text processing/Max licenses in use
A company currently pays a fixed sum for the use of a particular licensed software package.   In determining if it has a good deal it decides to calculate its maximum use of the software from its license management log file. Assume the software's licensing daemon faithfully records a checkout event when a copy of the ...
#TXR
TXR
  @(bind *times* #H((:eql-based) nil)) @(bind *licenses-out* 0) @(bind *maximum-licenses-out* 0) @(collect) License @statuses @@ @dateTimes for job @jobNumbers @(end) @(do (each ((status statuses) (dateTime dateTimes) (jobNumber jobNumbers)) (set *licenses-out* (if (equal statu...
http://rosettacode.org/wiki/Test_a_function
Test a function
Task Using a well-known testing-specific library/module/suite for your language, write some tests for your language's entry in Palindrome. If your language does not have a testing specific library well known to the language's community then state this or omit the language.
#REXX
REXX
/*REXX program stresses various REXX functions (BIFs), many BIFs are used as variables. */ signal=(interpret=value); value=(interpret<parse); do upper=value to value; end exit=upper*upper*upper*upper-value-upper; say=' '; return=say say say; with.=signal do then=value to exit; pull=''; do otherwise= upper to then-, val...
http://rosettacode.org/wiki/Test_a_function
Test a function
Task Using a well-known testing-specific library/module/suite for your language, write some tests for your language's entry in Palindrome. If your language does not have a testing specific library well known to the language's community then state this or omit the language.
#Ring
Ring
  assert(IsPalindrome("racecar")) assert(IsPalindrome("alice"))  
http://rosettacode.org/wiki/The_Twelve_Days_of_Christmas
The Twelve Days of Christmas
Task Write a program that outputs the lyrics of the Christmas carol The Twelve Days of Christmas. The lyrics can be found here. (You must reproduce the words in the correct order, but case, format, and punctuation are left to your discretion.) Other tasks related to string operations: Metrics Array length Stri...
#F.23
F#
let gifts = [ "And a partridge in a pear tree"; "Two turtle doves"; "Three french hens"; "Four calling birds"; "FIVE GOLDEN RINGS"; "Six geese a-laying"; "Seven swans a-swimming"; "Eight maids a-milking"; "Nine ladies dancing"; "Ten lords a-leaping"; "Eleven pipers piping"; ...