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/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Racket
Racket
  #lang racket (string-join (string-split "Hello,How,Are,You,Today" ",") ".") ;; -> "Hello.How.Are.You.Today"  
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#Scheme
Scheme
(use gauche.record)   ;; This will let us treat a list as though it is a structure (record). (define-record-type (employee (pseudo-rtd <list>)) #t #t name id salary dept)   (define (get-fields str) (map (^x (if (#/^\d/ x) (string->number x) x)) (string-split str #\,)))   (define (print-record column-widths ...
http://rosettacode.org/wiki/Tic-tac-toe
Tic-tac-toe
Task Play a game of tic-tac-toe. Ensure that legal moves are played and that a winning position is notified. Tic-tac-toe   is also known as:   naughts and crosses   tic tac toe   tick tack toe   three in a row   tres en rayo       and   Xs  and  Os See also   MathWorld™, Tic-Tac-Toe game.   Wikipedi...
#Tcl
Tcl
package require Tcl 8.6   # This code splits the players from the core game engine oo::class create TicTacToe { variable board player letter who constructor {player1class player2class} { set board {1 2 3 4 5 6 7 8 9} set player(0) [$player1class new [self] [set letter(0) "X"]] set player(1) [$player2class ne...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#Kotlin
Kotlin
// version 1.1.0   class Hanoi(disks: Int) { private var moves = 0   init { println("Towers of Hanoi with $disks disks:\n") move(disks, 'L', 'C', 'R') println("\nCompleted in $moves moves\n") }   private fun move(n: Int, from: Char, to: Char, via: Char) { if (n > 0) { ...
http://rosettacode.org/wiki/Trigonometric_functions
Trigonometric functions
Task If your language has a library or built-in functions for trigonometry, show examples of:   sine   cosine   tangent   inverses   (of the above) using the same angle in radians and degrees. For the non-inverse functions,   each radian/degree pair should use arguments that evaluate to the same angle   (that i...
#Scheme
Scheme
(define pi (* 4 (atan 1)))   (define radians (/ pi 4)) (define degrees 45)   (display (sin radians)) (display " ") (display (sin (* degrees (/ pi 180)))) (newline)   (display (cos radians)) (display " ") (display (cos (* degrees (/ pi 180)))) (newline)   (display (tan radians)) (display " ") (display (tan (* degrees (/...
http://rosettacode.org/wiki/Tree_traversal
Tree traversal
Task Implement a binary tree where each node carries an integer,   and implement:   pre-order,   in-order,   post-order,     and   level-order   traversal. Use those traversals to output the following tree: 1 / \ / \ / \ 2 3 / \ / 4 5 6 / ...
#Rust
Rust
  #![feature(box_syntax, box_patterns)]   use std::collections::VecDeque;   #[derive(Debug)] struct TreeNode<T> { value: T, left: Option<Box<TreeNode<T>>>, right: Option<Box<TreeNode<T>>>, }   enum TraversalMethod { PreOrder, InOrder, PostOrder, LevelOrder, }   impl<T> TreeNode<T> { pub ...
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Raku
Raku
'Hello,How,Are,You,Today'.split(',').join('.').say;
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Raven
Raven
'Hello,How,Are,You,Today' ',' split '.' join print
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#Sidef
Sidef
var data = <<'EOF'.lines.map{ <name id salary dept> ~Z .split(',') -> flat.to_h } Tyler Bennett,E10297,32000,D101 John Rappl,E21437,47000,D050 George Woltman,E00127,53500,D101 Adam Smith,E63535,18000,D202 Claire Buckman,E39876,27800,D202 David McClellan,E04242,41500,D101 Rich Holcomb,E01234,49500,D202 Nathan Adams,E412...
http://rosettacode.org/wiki/Tic-tac-toe
Tic-tac-toe
Task Play a game of tic-tac-toe. Ensure that legal moves are played and that a winning position is notified. Tic-tac-toe   is also known as:   naughts and crosses   tic tac toe   tick tack toe   three in a row   tres en rayo       and   Xs  and  Os See also   MathWorld™, Tic-Tac-Toe game.   Wikipedi...
#Tiny_BASIC
Tiny BASIC
REM Tic-tac-toe for Tiny BASIC REM REM Released as public domain by Damian Gareth Walker, 2019 REM Created: 21-Sep-2019   REM --- Variables REM A - first square in line examined REM B - second square in line examined REM C - third square in line examined REM D ...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#lambdatalk
lambdatalk
  {def move {lambda {:n :from :to :via} {if {<= :n 0} then > else {move {- :n 1} :from :via :to} move disk :n from :from to :to {br} {move {- :n 1} :via :to :from} }}} -> move {move 4 A B C} > move disk 1 from A to C > move disk 2 from A to B > move disk 1 from C to B > move disk 3 from A to C...
http://rosettacode.org/wiki/Trigonometric_functions
Trigonometric functions
Task If your language has a library or built-in functions for trigonometry, show examples of:   sine   cosine   tangent   inverses   (of the above) using the same angle in radians and degrees. For the non-inverse functions,   each radian/degree pair should use arguments that evaluate to the same angle   (that i...
#Seed7
Seed7
$ include "seed7_05.s7i"; include "float.s7i"; include "math.s7i";   const proc: main is func local const float: radians is PI / 4.0; const float: degrees is 45.0; begin writeln(" radians degrees"); writeln("sine: " <& sin(radians) digits 5 <& sin(degrees * PI / 180.0) digits 5...
http://rosettacode.org/wiki/Trigonometric_functions
Trigonometric functions
Task If your language has a library or built-in functions for trigonometry, show examples of:   sine   cosine   tangent   inverses   (of the above) using the same angle in radians and degrees. For the non-inverse functions,   each radian/degree pair should use arguments that evaluate to the same angle   (that i...
#Sidef
Sidef
var angle_deg = 45; var angle_rad = Num.pi/4;   for arr in [ [sin(angle_rad), sin(deg2rad(angle_deg))], [cos(angle_rad), cos(deg2rad(angle_deg))], [tan(angle_rad), tan(deg2rad(angle_deg))], [cot(angle_rad), cot(deg2rad(angle_deg))], ] { say arr.join(" "); }   for n in [ asin(sin(angle_rad)), ...
http://rosettacode.org/wiki/Tree_traversal
Tree traversal
Task Implement a binary tree where each node carries an integer,   and implement:   pre-order,   in-order,   post-order,     and   level-order   traversal. Use those traversals to output the following tree: 1 / \ / \ / \ 2 3 / \ / 4 5 6 / ...
#Scala
Scala
case class IntNode(value: Int, left: Option[IntNode] = None, right: Option[IntNode] = None) {   def preorder(f: IntNode => Unit) { f(this) left.map(_.preorder(f)) // Same as: if(left.isDefined) left.get.preorder(f) right.map(_.preorder(f)) }   def postorder(f: IntNode => Unit) { left.map(_.postord...
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#REBOL
REBOL
print ["Original:" original: "Hello,How,Are,You,Today"] tokens: parse original "," dotted: "" repeat i tokens [append dotted rejoin [i "."]] print ["Dotted: " dotted]
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Red
Red
str: "Hello,How,Are,You,Today" >> tokens: split str "," >> probe tokens ["Hello" "How" "Are" "You" "Today"]   >> periods: replace/all form tokens " " "."  ;The word FORM converts the list series to a string removing quotes. >> print periods  ;then REPLACE/ALL spaces with...
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#SMEQL
SMEQL
table: Employees ---------------- empID dept empName salary
http://rosettacode.org/wiki/Tic-tac-toe
Tic-tac-toe
Task Play a game of tic-tac-toe. Ensure that legal moves are played and that a winning position is notified. Tic-tac-toe   is also known as:   naughts and crosses   tic tac toe   tick tack toe   three in a row   tres en rayo       and   Xs  and  Os See also   MathWorld™, Tic-Tac-Toe game.   Wikipedi...
#UNIX_Shell
UNIX Shell
#!/usr/bin/env bash # play tic-tac-toe main() { local play_again=1 while (( play_again )); do local board=(1 2 3 4 5 6 7 8 9) tokens=(X O) show_board "${board[@]}" # player colors: computer is red, human is green local computer=31 human=32 if (( RANDOM % 2 )); then players=(computer human)...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#Lasso
Lasso
#!/usr/bin/lasso9   define towermove( disks::integer, a,b,c ) => { if(#disks > 0) => { towermove(#disks - 1, #a, #c, #b ) stdoutnl("Move disk from " + #a + " to " + #c) towermove(#disks - 1, #b, #a, #c ) } }   towermove((integer($argv -> second || 3)), "A", "B", "C")
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#Liberty_BASIC
Liberty BASIC
source$ ="A" via$ ="B" target$ ="C"   call hanoi 4, source$, target$, via$ ' ie call procedure to move legally 4 disks from peg A to peg C via peg B   wait   sub hanoi numDisks, source$, target$, via$ if numDisks =0 then exit sub else call hanoi...
http://rosettacode.org/wiki/Trigonometric_functions
Trigonometric functions
Task If your language has a library or built-in functions for trigonometry, show examples of:   sine   cosine   tangent   inverses   (of the above) using the same angle in radians and degrees. For the non-inverse functions,   each radian/degree pair should use arguments that evaluate to the same angle   (that i...
#SQL_PL
SQL PL
  --Conversion VALUES degrees(3.1415926); VALUES radians(180); -- This is equal to Pi.   --PI/4 45 VALUES sin(radians(180)/4); VALUES sin(radians(45)); VALUES cos(radians(180)/4); VALUES cos(radians(45)); VALUES tan(radians(180)/4); VALUES tan(radians(45)); VALUES cot(radians(180)/4); VALUES cot(radians(45)); VALUES as...
http://rosettacode.org/wiki/Tree_traversal
Tree traversal
Task Implement a binary tree where each node carries an integer,   and implement:   pre-order,   in-order,   post-order,     and   level-order   traversal. Use those traversals to output the following tree: 1 / \ / \ / \ 2 3 / \ / 4 5 6 / ...
#Scheme
Scheme
(define (preorder tree) (if (null? tree) '() (append (list (car tree)) (preorder (cadr tree)) (preorder (caddr tree)))))   (define (inorder tree) (if (null? tree) '() (append (inorder (cadr tree)) (list (car tree)) (inorder (caddr tree)...
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Retro
Retro
{{  : char ( -$ ) " " ;  : tokenize ( $-$$ ) @char ^strings'splitAtChar withLength 1- over + 0 swap ! tempString ;  : action ( $- ) keepString ^buffer'add ; ---reveal---  : split ( $cb- ) ^buffer'set !char char ^strings'append [ tokenize action dup 1 <> ] while drop ^buffer'ge...
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#REXX
REXX
/*REXX program separates a string of comma─delimited words, and echoes them ──► terminal*/ original = 'Hello,How,Are,You,Today' /*some words separated by commas (,). */ say 'The input string:' original /*display original string ──► terminal.*/ new= original ...
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#SQL
SQL
CREATE TABLE EMP ( EMP_ID varchar2(6 CHAR), EMP_NAMEvarchar2(20 CHAR), DEPT_ID varchar2(4 CHAR), SALARY NUMBER(10,2) );   INSERT INTO EMP (EMP_ID, EMP_NAME, DEPT_ID, SALARY) VALUES ('E21437','John Rappl','D050',47000); INSERT INTO EMP (EMP_ID, EMP_NAME, DEPT_ID, SALARY) VALUES ('E10297','Tyler Bennett','D101',32000...
http://rosettacode.org/wiki/Tic-tac-toe
Tic-tac-toe
Task Play a game of tic-tac-toe. Ensure that legal moves are played and that a winning position is notified. Tic-tac-toe   is also known as:   naughts and crosses   tic tac toe   tick tack toe   three in a row   tres en rayo       and   Xs  and  Os See also   MathWorld™, Tic-Tac-Toe game.   Wikipedi...
#VBA
VBA
  Option Explicit   Private Lines(1 To 3, 1 To 3) As String Private Nb As Byte, player As Byte Private GameWin As Boolean, GameOver As Boolean   Sub Main_TicTacToe() Dim p As String   InitLines printLines Nb Do p = WhoPlay Debug.Print p & " play" If p = "Human" Then Call ...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#Lingo
Lingo
on hanoi (n, a, b, c) if n > 0 then hanoi(n-1, a, c, b) put "Move disk from" && a && "to" && c hanoi(n-1, b, a, c) end if end
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#Logo
Logo
to move :n :from :to :via if :n = 0 [stop] move :n-1 :from :via :to (print [Move disk from] :from [to] :to) move :n-1 :via :to :from end move 4 "left "middle "right
http://rosettacode.org/wiki/Trigonometric_functions
Trigonometric functions
Task If your language has a library or built-in functions for trigonometry, show examples of:   sine   cosine   tangent   inverses   (of the above) using the same angle in radians and degrees. For the non-inverse functions,   each radian/degree pair should use arguments that evaluate to the same angle   (that i...
#Stata
Stata
scalar deg=_pi/180   display cos(30*deg) display sin(30*deg) display tan(30*deg)   display cos(_pi/6) display sin(_pi/6) display tan(_pi/6)   display acos(0.5) display asin(0.5) display atan(0.5)
http://rosettacode.org/wiki/Tree_traversal
Tree traversal
Task Implement a binary tree where each node carries an integer,   and implement:   pre-order,   in-order,   post-order,     and   level-order   traversal. Use those traversals to output the following tree: 1 / \ / \ / \ 2 3 / \ / 4 5 6 / ...
#SequenceL
SequenceL
  main(args(2)) := "preorder: " ++ toString(preOrder(testTree)) ++ "\ninoder: " ++ toString(inOrder(testTree)) ++ "\npostorder: " ++ toString(postOrder(testTree)) ++ "\nlevel-order: " ++ toString(levelOrder(testTree));   Node ::= (value : int, left : Node, right : Node);   preOrder(n) := [n.value] ++ ...
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Ring
Ring
  see substr("Hello,How,Are,You,Today", ",", ".")  
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Ruby
Ruby
puts "Hello,How,Are,You,Today".split(',').join('.')
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#Stata
Stata
import delimited employees.csv local k 2 bysort department (salary): list salary if _N-_n<`k'
http://rosettacode.org/wiki/Tic-tac-toe
Tic-tac-toe
Task Play a game of tic-tac-toe. Ensure that legal moves are played and that a winning position is notified. Tic-tac-toe   is also known as:   naughts and crosses   tic tac toe   tick tack toe   three in a row   tres en rayo       and   Xs  and  Os See also   MathWorld™, Tic-Tac-Toe game.   Wikipedi...
#Wren
Wren
import "random" for Random import "/ioutil" for Input   var r = Random.new() var b = List.filled(3, null) for (i in 0..2) b[i] = List.filled(3, 0) // board -> 0: blank; -1: computer; 1: human   var bestI = 0 var bestJ = 0   var checkWinner = Fn.new { for (i in 0..2) { if (b[i][0] != 0 && b[i][1] == b[i][0] ...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#Logtalk
Logtalk
:- object(hanoi).   :- public(run/1). :- mode(run(+integer), one). :- info(run/1, [ comment is 'Solves the towers of Hanoi problem for the specified number of disks.', argnames is ['Disks']]).   run(Disks) :- move(Disks, left, middle, right).   move(1, Left, _, Right):- ...
http://rosettacode.org/wiki/Trigonometric_functions
Trigonometric functions
Task If your language has a library or built-in functions for trigonometry, show examples of:   sine   cosine   tangent   inverses   (of the above) using the same angle in radians and degrees. For the non-inverse functions,   each radian/degree pair should use arguments that evaluate to the same angle   (that i...
#Tcl
Tcl
package require Tcl 8.5   proc PI {} {expr {4*atan(1)}} proc deg2rad d {expr {$d/180*[PI]}} proc rad2deg r {expr {$r*180/[PI]}}   namespace path ::tcl::mathfunc   proc trig degrees { set radians [deg2rad $degrees] puts [sin $radians] puts [cos $radians] puts [tan $radians] set arcsin [asin [sin $rad...
http://rosettacode.org/wiki/Tree_traversal
Tree traversal
Task Implement a binary tree where each node carries an integer,   and implement:   pre-order,   in-order,   post-order,     and   level-order   traversal. Use those traversals to output the following tree: 1 / \ / \ / \ 2 3 / \ / 4 5 6 / ...
#Sidef
Sidef
func preorder(t) { t ? [t[0], __FUNC__(t[1])..., __FUNC__(t[2])...] : []; }   func inorder(t) { t ? [__FUNC__(t[1])..., t[0], __FUNC__(t[2])...] : []; }   func postorder(t) { t ? [__FUNC__(t[1])..., __FUNC__(t[2])..., t[0]] : []; }   func depth(t) { var a = [t]; var ret = []; while (a.len > 0) {...
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Rust
Rust
fn main() { let s = "Hello,How,Are,You,Today"; let tokens: Vec<&str> = s.split(",").collect(); println!("{}", tokens.join(".")); }
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#S-lang
S-lang
variable a = strchop("Hello,How,Are,You,Today", ',', 0); print(strjoin(a, "."));
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#Swift
Swift
struct Employee { var name: String var id: String var salary: Int var department: String }   let employees = [ Employee(name: "Tyler Bennett", id: "E10297", salary: 32000, department: "D101"), Employee(name: "John Rappl", id: "E21437", salary: 47000, department: "D050"), Employee(name: "George Woltman", i...
http://rosettacode.org/wiki/Tic-tac-toe
Tic-tac-toe
Task Play a game of tic-tac-toe. Ensure that legal moves are played and that a winning position is notified. Tic-tac-toe   is also known as:   naughts and crosses   tic tac toe   tick tack toe   three in a row   tres en rayo       and   Xs  and  Os See also   MathWorld™, Tic-Tac-Toe game.   Wikipedi...
#XPL0
XPL0
\The computer marks its moves with an "O" and the player uses an "X". The \ numeric keypad is used to make the player's move. \ \ 7 | 8 | 9 \ ---+---+--- \ 4 | 5 | 6 \ ---+---+--- \ 1 | 2 | 3 \ \The pla...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#LOLCODE
LOLCODE
HAI 1.2   HOW IZ I HANOI YR N AN YR SRC AN YR DST AN YR VIA BTW VISIBLE SMOOSH "HANOI N=" N " SRC=" SRC " DST=" DST " VIA=" VIA MKAY BOTH SAEM N AN 0, O RLY? YA RLY BTW VISIBLE "Done." GTFO NO WAI I HAS A LOWER ITZ DIFF OF N AN 1 I IZ HANOI YR LOWE...
http://rosettacode.org/wiki/Trigonometric_functions
Trigonometric functions
Task If your language has a library or built-in functions for trigonometry, show examples of:   sine   cosine   tangent   inverses   (of the above) using the same angle in radians and degrees. For the non-inverse functions,   each radian/degree pair should use arguments that evaluate to the same angle   (that i...
#VBA
VBA
Public Sub trig() Pi = WorksheetFunction.Pi() Debug.Print Sin(Pi / 2) Debug.Print Sin(90 * Pi / 180) Debug.Print Cos(0) Debug.Print Cos(0 * Pi / 180) Debug.Print Tan(Pi / 4) Debug.Print Tan(45 * Pi / 180) Debug.Print WorksheetFunction.Asin(1) * 2 Debug.Print WorksheetFunction.Asin(1)...
http://rosettacode.org/wiki/Tree_traversal
Tree traversal
Task Implement a binary tree where each node carries an integer,   and implement:   pre-order,   in-order,   post-order,     and   level-order   traversal. Use those traversals to output the following tree: 1 / \ / \ / \ 2 3 / \ / 4 5 6 / ...
#Smalltalk
Smalltalk
"Protocol: visiting" EmptyNode>>accept: aVisitor   EmptyNode>>accept: aVisitor with: anObject ^anObject   "Protocol: enumerating" EmptyNode>>traverse: aVisitorClass do: aBlock ^self accept: (aVisitorClass block: aBlock)  
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Scala
Scala
println("Hello,How,Are,You,Today" split "," mkString ".")
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Scheme
Scheme
(use-modules (ice-9 regex)) (define s "Hello,How,Are,You,Today") (define words (map match:substring (list-matches "[^,]+" s)))   (do ((n 0 (+ n 1))) ((= n (length words))) (display (list-ref words n)) (if (< n (- (length words) 1)) (display ".")))
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#Tcl
Tcl
package require Tcl 8.5   set text {Tyler Bennett,E10297,32000,D101 John Rappl,E21437,47000,D050 George Woltman,E00127,53500,D101 Adam Smith,E63535,18000,D202 Claire Buckman,E39876,27800,D202 David McClellan,E04242,41500,D101 Rich Holcomb,E01234,49500,D202 Nathan Adams,E41298,21900,D050 Richard Potter,E43128,15900,D101...
http://rosettacode.org/wiki/Tic-tac-toe
Tic-tac-toe
Task Play a game of tic-tac-toe. Ensure that legal moves are played and that a winning position is notified. Tic-tac-toe   is also known as:   naughts and crosses   tic tac toe   tick tack toe   three in a row   tres en rayo       and   Xs  and  Os See also   MathWorld™, Tic-Tac-Toe game.   Wikipedi...
#Yabasic
Yabasic
5 REM Adaptation to Yabasic of the program published in Tim Hartnell's book "Artificial Intelligence: Concepts and Programs", with some minor modifications. 6/2018. 10 REM TICTAC 15 INPUT "English (0), Spanish (other key): " IDIOMA : IF NOT IDIOMA THEN RESTORE 2020 ELSE RESTORE 2010 END IF 20 GOSUB 1180: REM INICIALIZA...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#Lua
Lua
function move(n, src, dst, via) if n > 0 then move(n - 1, src, via, dst) print(src, 'to', dst) move(n - 1, via, dst, src) end end   move(4, 1, 2, 3)
http://rosettacode.org/wiki/Trigonometric_functions
Trigonometric functions
Task If your language has a library or built-in functions for trigonometry, show examples of:   sine   cosine   tangent   inverses   (of the above) using the same angle in radians and degrees. For the non-inverse functions,   each radian/degree pair should use arguments that evaluate to the same angle   (that i...
#Visual_Basic_.NET
Visual Basic .NET
Module Module1   Sub Main() Console.WriteLine("=== radians ===") Console.WriteLine(" sin (pi/3) = {0}", Math.Sin(Math.PI / 3)) Console.WriteLine(" cos (pi/3) = {0}", Math.Cos(Math.PI / 3)) Console.WriteLine(" tan (pi/3) = {0}", Math.Tan(Math.PI / 3)) Console.WriteLine("arc...
http://rosettacode.org/wiki/Tree_traversal
Tree traversal
Task Implement a binary tree where each node carries an integer,   and implement:   pre-order,   in-order,   post-order,     and   level-order   traversal. Use those traversals to output the following tree: 1 / \ / \ / \ 2 3 / \ / 4 5 6 / ...
#Swift
Swift
class TreeNode<T> { let value: T let left: TreeNode? let right: TreeNode?   init(value: T, left: TreeNode? = nil, right: TreeNode? = nil) { self.value = value self.left = left self.right = right }   func preOrder(function: (T) -> Void) { function(value) if...
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Seed7
Seed7
var array string: tokens is 0 times "";   tokens := split("Hello,How,Are,You,Today", ",");
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Self
Self
| s = 'Hello,How,Are,You,Today' | ((s splitOn: ',') joinUsing: '.') printLine.  
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#Transd
Transd
#lang transd     MainModule: { tbl : String( `EmployeeName,EmployeeID,Salary:Int,Department Tyler Bennett, E10297,32000,D101 John Rappl, E21437,47000,D050 George Woltman, E00127,53500,D101 Adam Smith, E63535,18000,D202 Claire Buckman, E39876,27800,D202 David McClellan,E04242,41500,D101 Rich Holcomb, E01234,49500,D202 ...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#M2000_Interpreter
M2000 Interpreter
  Module Hanoi { Rem HANOI TOWERS Print "Three disks" : Print move(3, 1, 2, 3) Print Print "Four disks" : Print move(4, 1, 2, 3)     Sub move(n, from, to, via) If n <=0 Then Exit Sub move(n - 1, from, via, to) Print "Move disk"; n; " from po...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#MAD
MAD
NORMAL MODE IS INTEGER DIMENSION LIST(100) SET LIST TO LIST   VECTOR VALUES MOVFMT = 0 $20HMOVE DISK FROM POLE ,I1,S1,8HTO POLE ,I1*$   INTERNAL FUNCTION(DUMMY) ENTRY TO MOVE. LOOP NUM = NUM - 1 WHENEVER NUM.E.0 ...
http://rosettacode.org/wiki/Trigonometric_functions
Trigonometric functions
Task If your language has a library or built-in functions for trigonometry, show examples of:   sine   cosine   tangent   inverses   (of the above) using the same angle in radians and degrees. For the non-inverse functions,   each radian/degree pair should use arguments that evaluate to the same angle   (that i...
#Wren
Wren
import "/fmt" for Fmt   var d = 30 var r = d * Num.pi / 180 var s = 0.5 var c = 3.sqrt / 2 var t = 1 / 3.sqrt   Fmt.print("sin($9.6f deg) = $f", d, (d*Num.pi/180).sin) Fmt.print("sin($9.6f rad) = $f", r, r.sin) Fmt.print("cos($9.6f deg) = $f", d, (d*Num.pi/180).cos) Fmt.print("cos($9.6f rad) = $f", r, r.cos) Fmt.pr...
http://rosettacode.org/wiki/Tree_traversal
Tree traversal
Task Implement a binary tree where each node carries an integer,   and implement:   pre-order,   in-order,   post-order,     and   level-order   traversal. Use those traversals to output the following tree: 1 / \ / \ / \ 2 3 / \ / 4 5 6 / ...
#Tcl
Tcl
oo::class create tree { # Basic tree data structure stuff... variable val l r constructor {value {left {}} {right {}}} { set val $value set l $left set r $right } method value {} {return $val} method left {} {return $l} method right {} {return $r} destructor { if {$l ne ""} {$l dest...
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Sidef
Sidef
'Hello,How,Are,You,Today'.split(',').join('.').say;
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Simula
Simula
BEGIN   CLASS TEXTARRAY(N); INTEGER N; BEGIN TEXT ARRAY ARR(1:N); END TEXTARRAY;   REF(TEXTARRAY) PROCEDURE SPLIT(T,DELIM); TEXT T; CHARACTER DELIM; BEGIN INTEGER N, I, LPOS; REF(TEXTARRAY) A;   N := 1; T.SETPOS(1); WHILE T.MORE DO IF T.GET...
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#TUSCRIPT
TUSCRIPT
$$ MODE TUSCRIPT MODE DATA $$ SET dates=* Tyler Bennett,E10297,32000,D101 John Rappl,E21437,47000,D050 George Woltman,E00127,53500,D101 Adam Smith,E63535,18000,D202 Claire Buckman,E39876,27800,D202 David McClellan,E04242,41500,D101 Rich Holcomb,E01234,49500,D202 Nathan Adams,E41298,21900,D050 Richard Potter,E43128,1590...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#Maple
Maple
  Hanoi := proc(n::posint,a,b,c) if n = 1 then printf("Move disk from tower %a to tower %a.\n",a,c); else Hanoi(n-1,a,c,b); Hanoi(1,a,b,c); Hanoi(n-1,b,a,c); fi; end:   printf("Moving 2 disks from tower A to tower C using tower B.\n"); Hanoi(2,A,B,C);  
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#Mathematica.2FWolfram_Language
Mathematica/Wolfram Language
Hanoi[0, from_, to_, via_] := Null Hanoi[n_Integer, from_, to_, via_] := (Hanoi[n-1, from, via, to];Print["Move disk from pole ", from, " to ", to, "."];Hanoi[n-1, via, to, from])
http://rosettacode.org/wiki/Trigonometric_functions
Trigonometric functions
Task If your language has a library or built-in functions for trigonometry, show examples of:   sine   cosine   tangent   inverses   (of the above) using the same angle in radians and degrees. For the non-inverse functions,   each radian/degree pair should use arguments that evaluate to the same angle   (that i...
#XPL0
XPL0
include c:\cxpl\codes; \intrinsic 'code' declarations def Pi = 3.14159265358979323846;   func real ATan(Y); \Arc tangent real Y; return ATan2(Y, 1.0);   func real Deg(X); \Convert radians to degrees real X; return 57.2957795130823 * X;   func real Rad(X); \Convert degrees to radians real X; return...
http://rosettacode.org/wiki/Trigonometric_functions
Trigonometric functions
Task If your language has a library or built-in functions for trigonometry, show examples of:   sine   cosine   tangent   inverses   (of the above) using the same angle in radians and degrees. For the non-inverse functions,   each radian/degree pair should use arguments that evaluate to the same angle   (that i...
#zkl
zkl
  (30.0).toRad().sin() //-->0.5 (60.0).toRad().cos() //-->0.5 (45.0).toRad().tan() //-->1 (0.523599).sin() //-->0.5 etc   (0.5).asin() //-->0.523599 (0.5).acos() //-->1.0472 (1.0).atan() //-->0.785398 (1.0).atan().toDeg() //-->45 etc
http://rosettacode.org/wiki/Tree_traversal
Tree traversal
Task Implement a binary tree where each node carries an integer,   and implement:   pre-order,   in-order,   post-order,     and   level-order   traversal. Use those traversals to output the following tree: 1 / \ / \ / \ 2 3 / \ / 4 5 6 / ...
#UNIX_Shell
UNIX Shell
left=() right=() value=()   # node node#, left#, right#, value # # if value is empty, use node#   node() { nx=${1:-'Missing node index'} leftx=${2} rightx=${3} val=${4:-$1} value[$nx]="$val" left[$nx]="$leftx" right[$nx]="$rightx" }   # define the tree   node 1 2 3 node 2 4 5 node 3 6 node 4 7 node 5 node...
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Slate
Slate
('Hello,How,Are,You,Today' splitWith: $,) join &separator: '.'.
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Smalltalk
Smalltalk
|array | array := 'Hello,How,Are,You,Today' subStrings: $,. array fold: [:concatenation :string | concatenation, '.', string ]
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#TXR
TXR
@(next :args) @{n-param} @(next "top-rank-per-group.dat") Employee Name,Employee ID,Salary,Department @(collect :vars (record)) @name,@id,@salary,@dept @(bind record (@(int-str salary) dept name id)) @(end) @(bind (dept salary dept2 name id) @(let* ((n (int-str n-param)) (dept-hash [group-by second record :...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#MATLAB
MATLAB
function towerOfHanoi(n,A,C,B) if (n~=0) towerOfHanoi(n-1,A,B,C); disp(sprintf('Move plate %d from tower %d to tower %d',[n A C])); towerOfHanoi(n-1,B,C,A); end end
http://rosettacode.org/wiki/Trigonometric_functions
Trigonometric functions
Task If your language has a library or built-in functions for trigonometry, show examples of:   sine   cosine   tangent   inverses   (of the above) using the same angle in radians and degrees. For the non-inverse functions,   each radian/degree pair should use arguments that evaluate to the same angle   (that i...
#ZX_Spectrum_Basic
ZX Spectrum Basic
10 DEF FN d(a)=a*PI/180:REM convert degrees to radians; all ZX Spectrum trig calculations are done in radians 20 DEF FN i(r)=180*r/PI:REM convert radians to degrees for inverse functions 30 LET d=45 40 LET r=PI/4 50 PRINT SIN r,SIN FN d(d) 60 PRINT COS r,COS FN d(d) 70 PRINT TAN r,TAN FN d(d) 80 PRINT 90 LET d=.5 110 P...
http://rosettacode.org/wiki/Tree_traversal
Tree traversal
Task Implement a binary tree where each node carries an integer,   and implement:   pre-order,   in-order,   post-order,     and   level-order   traversal. Use those traversals to output the following tree: 1 / \ / \ / \ 2 3 / \ / 4 5 6 / ...
#Ursala
Ursala
tree =   1^:< 2^: <4^: <7^: <>, 0>, 5^: <>>, 3^: <6^: <8^: <>, 9^: <>>, 0>>   pre = ~&dvLPCo post = ~&vLPdNCTo in = ~&vvhPdvtL2CTiQo lev = ~&iNCaadSPfavSLiF3RTaq   #cast %nLL   main = <.pre,in,post,lev> tree
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#SNOBOL4
SNOBOL4
define('split(chs,str)i,j,t,w2') :(split_end) split t = table() sp1 str pos(0) (break(chs) | rem) $ t<i = i + 1> + span(chs) (break(chs) | '') . w2 = w2 :s(sp1) * t<i> = differ(str,'') str ;* Uncomment for CSnobol split = array(i) sp2 split<j = j + 1> = t<j> :s(sp2)f(return) s...
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Standard_ML
Standard ML
val splitter = String.tokens (fn c => c = #","); val main = (String.concatWith ".") o splitter;
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#Ursala
Ursala
#import std #import nat   data =   -[ Employee Name,Employee ID,Salary,Department Tyler Bennett,E10297,32000,D101 John Rappl,E21437,47000,D050 George Woltman,E00127,53500,D101 Adam Smith,E63535,18000,D202 Claire Buckman,E39876,27800,D202 David McClellan,E04242,41500,D101 Rich Holcomb,E01234,49500,D202 Nathan Adams,E412...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#MiniScript
MiniScript
moveDisc = function(n, A, C, B) if n == 0 then return moveDisc n-1, A, B, C print "Move disc " + n + " from pole " + A + " to pole " + C moveDisc n-1, B, C, A end function   // Move disc 3 from pole 1 to pole 3, with pole 2 as spare moveDisc 3, 1, 3, 2
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#MIPS_Assembly
MIPS Assembly
  # Towers of Hanoi # MIPS assembly implementation (tested with MARS) # Source: https://stackoverflow.com/questions/50382420/hanoi-towers-recursive-solution-using-mips/50383530#50383530   .data prompt: .asciiz "Enter a number: " part1: .asciiz "\nMove disk " part2: .asciiz " from rod " part3: .asciiz " to rod "   .text...
http://rosettacode.org/wiki/Tree_traversal
Tree traversal
Task Implement a binary tree where each node carries an integer,   and implement:   pre-order,   in-order,   post-order,     and   level-order   traversal. Use those traversals to output the following tree: 1 / \ / \ / \ 2 3 / \ / 4 5 6 / ...
#VBA
VBA
  Public Value As Integer Public LeftChild As TreeItem Public RightChild As TreeItem  
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Swift
Swift
let text = "Hello,How,Are,You,Today" let tokens = text.components(separatedBy: ",") // for single or multi-character separator print(tokens) let result = tokens.joined(separator: ".") print(result)
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Tcl
Tcl
split $string ","
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#VBA
VBA
Private Sub top_rank(filename As String, n As Integer) Workbooks.OpenText filename:=filename, Comma:=True Dim ws As Worksheet Set ws = Sheets.Add: ws.Name = "output" ActiveWorkbook.PivotCaches.Create(SourceType:=xlDatabase, SourceData:= _ "data!R1C1:R14C4", Version:=6).CreatePivotTable TableDest...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#.D0.9C.D0.9A-61.2F52
МК-61/52
^ 2 x^y П0 <-> 2 / {x} x#0 16 3 П3 2 П2 БП 20 3 П2 2 П3 1 П1 ПП 25 КППB ПП 28 КППA ПП 31 КППB ПП 34 КППA ИП1 ИП3 КППC ИП1 ИП2 КППC ИП3 ИП2 КППC ИП1 ИП3 КППC ИП2 ИП1 КППC ИП2 ИП3 КППC ИП1 ИП3 КППC В/О ИП1 ИП2 БП 62 ИП2 ИП1 КППC ИП1 ИП2 ИП3 П1 -> П3 -> П2 В/О 1 0 / + С/П КИП0 ИП0 x=0 89 3 3 1 ИНВ ^ ВП 2 С/П В/О
http://rosettacode.org/wiki/Tree_traversal
Tree traversal
Task Implement a binary tree where each node carries an integer,   and implement:   pre-order,   in-order,   post-order,     and   level-order   traversal. Use those traversals to output the following tree: 1 / \ / \ / \ 2 3 / \ / 4 5 6 / ...
#Wren
Wren
class Node { construct new(v) { _v = v _left = null _right = null }   value { _v } left { _left } right { _right}   left =(n) { _left = n } right= (n) { _right = n }   preOrder() { System.write(this) if (_left) _left.preOrder() if (_righ...
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#tr
tr
echo 'Hello,How,Are,You,Today' | tr ',' '.'
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#TUSCRIPT
TUSCRIPT
  $$ MODE TUSCRIPT SET string="Hello,How,Are,You,Today" SET string=SPLIT (string,":,:") SET string=JOIN (string,".")  
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#Wren
Wren
import "/dynamic" for Tuple import "/sort" for Sort, Cmp import "/seq" for Lst import "/fmt" for Fmt   var Employee = Tuple.create("Employee", ["name", "id", "salary", "dept"])   var N = 2 // say   var employees = [ Employee.new("Tyler Bennett", "E10297", 32000, "D101"), Employee.new("John Rappl", "E21437", 470...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#Modula-2
Modula-2
MODULE Towers; FROM FormatString IMPORT FormatString; FROM Terminal IMPORT WriteString,ReadChar;   PROCEDURE Move(n,from,to,via : INTEGER); VAR buf : ARRAY[0..63] OF CHAR; BEGIN IF n>0 THEN Move(n-1, from, via, to); FormatString("Move disk %i from pole %i to pole %i\n", buf, n, from, to); Wr...
http://rosettacode.org/wiki/Tree_traversal
Tree traversal
Task Implement a binary tree where each node carries an integer,   and implement:   pre-order,   in-order,   post-order,     and   level-order   traversal. Use those traversals to output the following tree: 1 / \ / \ / \ 2 3 / \ / 4 5 6 / ...
#zkl
zkl
class Node{ var [mixin=Node]left,right; var v; fcn init(val,[Node]l=Void,[Node]r=Void) { v,left,right=vm.arglist } }   class BTree{ var [mixin=Node] root; fcn init(r){ root=r } const VISIT=Void, LEFT="left", RIGHT="right"; fcn preOrder { traverse(VISIT,LEFT, RIGHT) } fcn inOrder { traverse(LEFT, VISIT...
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#TXR
TXR
@(next :list "Hello,How,Are,You,Today") @(coll)@{token /[^,]+/}@(end) @(output) @(rep)@token.@(last)@token@(end) @(end)
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#UNIX_Shell
UNIX Shell
string='Hello,How,Are,You,Today'   (IFS=, printf '%s.' $string echo)
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#XPL0
XPL0
proc Sort(Array, Field, Size); \Sort Array in descending order by Field int Array, Field, Size, I, J, T; [for J:= Size-1 downto 0 do for I:= 0 to J-1 do if Array(I,Field) < Array(I+1,Field) then [T:= Array(I); Array(I):= Array(I+1); Array(I+1):= T]; ];   int Data, I, I0, Dept, N, Cnt; [Data:...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#Modula-3
Modula-3
MODULE Hanoi EXPORTS Main;   FROM IO IMPORT Put; FROM Fmt IMPORT Int;   PROCEDURE doHanoi(n, from, to, using: INTEGER) = BEGIN IF n > 0 THEN doHanoi(n - 1, from, using, to); Put("move " & Int(from) & " --> " & Int(to) & "\n"); doHanoi(n - 1, using, to, from); END; END doHanoi;   BEGIN do...
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#UnixPipes
UnixPipes
token() { (IFS=, read -r A B; echo "$A".; test -n "$B" && (echo "$B" | token)) }   echo "Hello,How,Are,You" | token
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Ursa
Ursa
decl string text set text "Hello,How,Are,You,Today" decl string<> tokens set tokens (split text ",") for (decl int i) (< i (size tokens)) (inc i) out tokens<i> "." console end for out endl console
http://rosettacode.org/wiki/Top_rank_per_group
Top rank per group
Task Find the top   N   salaries in each department,   where   N   is provided as a parameter. Use this data as a formatted internal data structure (adapt it to your language-native idioms, rather than parse at runtime), or identify your external data source: Employee Name,Employee ID,Salary,Department Tyler Bennett...
#zkl
zkl
fcn setAppend(d,[(key,data)]){ d[key]=d.find(key,T).append(data) } //-->(key,(data,data...))   fcn topNsalaries(n){ File("data.txt").pump(setAppend.fp(data:=D()),fcn(line){ //-->Dictionary(dept:salaries) line=line.strip().split(","); T(line[-1],line[-2]); //-->(dept,salary) }); dss:=data.pump(List,...
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#Monte
Monte
def move(n, fromPeg, toPeg, viaPeg): if (n > 0): move(n.previous(), fromPeg, viaPeg, toPeg) traceln(`Move disk $n from $fromPeg to $toPeg`) move(n.previous(), viaPeg, toPeg, fromPeg)   move(3, "left", "right", "middle")
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Ursala
Ursala
#import std   token_list = sep`, 'Hello,How,Are,You,Today'   #cast %s   main = mat`. token_list
http://rosettacode.org/wiki/Tokenize_a_string
Tokenize a string
Separate the string "Hello,How,Are,You,Today" by commas into an array (or list) so that each element of it stores a different word. Display the words to the 'user', in the simplest manner possible, separated by a period. To simplify, you may display a trailing period. Other tasks related to string operations: Me...
#Vala
Vala
void main() { string s = "Hello,How,Are,You,Today"; print(@"$(string.joinv(".", s.split(",")))"); }
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#MoonScript
MoonScript
hanoi = (n, src, dest, via) -> if n > 1 hanoi n-1, src, via, dest print "#{src} -> #{dest}" if n > 1 hanoi n-1, via, dest, src   hanoi 4,1,3,2
http://rosettacode.org/wiki/Towers_of_Hanoi
Towers of Hanoi
Task Solve the   Towers of Hanoi   problem with recursion.
#Nemerle
Nemerle
using System; using System.Console;   module Towers { Hanoi(n : int, from = 1, to = 3, via = 2) : void { when (n > 0) { Hanoi(n - 1, from, via, to); WriteLine("Move disk from peg {0} to peg {1}", from, to); Hanoi(n - 1, via, to, from); } }   M...