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/Compiler/lexical_analyzer
Compiler/lexical analyzer
Definition from Wikipedia: Lexical analysis is the process of converting a sequence of characters (such as in a computer program or web page) into a sequence of tokens (strings with an identified "meaning"). A program that performs lexical analysis may be called a lexer, tokenizer, or scanner (though "scanner" is also used to refer to the first stage of a lexer). Task[edit] Create a lexical analyzer for the simple programming language specified below. The program should read input from a file and/or stdin, and write output to a file and/or stdout. If the language being used has a lexer module/library/class, it would be great if two versions of the solution are provided: One without the lexer module, and one with. Input Specification The simple programming language to be analyzed is more or less a subset of C. It supports the following tokens: Operators Name Common name Character sequence Op_multiply multiply * Op_divide divide / Op_mod mod % Op_add plus + Op_subtract minus - Op_negate unary minus - Op_less less than < Op_lessequal less than or equal <= Op_greater greater than > Op_greaterequal greater than or equal >= Op_equal equal == Op_notequal not equal != Op_not unary not ! Op_assign assignment = Op_and logical and && Op_or logical or ¦¦ The - token should always be interpreted as Op_subtract by the lexer. Turning some Op_subtract into Op_negate will be the job of the syntax analyzer, which is not part of this task. Symbols Name Common name Character LeftParen left parenthesis ( RightParen right parenthesis ) LeftBrace left brace { RightBrace right brace } Semicolon semi-colon ; Comma comma , Keywords Name Character sequence Keyword_if if Keyword_else else Keyword_while while Keyword_print print Keyword_putc putc Identifiers and literals These differ from the the previous tokens, in that each occurrence of them has a value associated with it. Name Common name Format description Format regex Value Identifier identifier one or more letter/number/underscore characters, but not starting with a number [_a-zA-Z][_a-zA-Z0-9]* as is Integer integer literal one or more digits [0-9]+ as is, interpreted as a number Integer char literal exactly one character (anything except newline or single quote) or one of the allowed escape sequences, enclosed by single quotes '([^'\n]|\\n|\\\\)' the ASCII code point number of the character, e.g. 65 for 'A' and 10 for '\n' String string literal zero or more characters (anything except newline or double quote), enclosed by double quotes "[^"\n]*" the characters without the double quotes and with escape sequences converted For char and string literals, the \n escape sequence is supported to represent a new-line character. For char and string literals, to represent a backslash, use \\. No other special sequences are supported. This means that: Char literals cannot represent a single quote character (value 39). String literals cannot represent strings containing double quote characters. Zero-width tokens Name Location End_of_input when the end of the input stream is reached White space Zero or more whitespace characters, or comments enclosed in /* ... */, are allowed between any two tokens, with the exceptions noted below. "Longest token matching" is used to resolve conflicts (e.g., in order to match <= as a single token rather than the two tokens < and =). Whitespace is required between two tokens that have an alphanumeric character or underscore at the edge. This means: keywords, identifiers, and integer literals. e.g. ifprint is recognized as an identifier, instead of the keywords if and print. e.g. 42fred is invalid, and neither recognized as a number nor an identifier. Whitespace is not allowed inside of tokens (except for chars and strings where they are part of the value). e.g. & & is invalid, and not interpreted as the && operator. For example, the following two program fragments are equivalent, and should produce the same token stream except for the line and column positions: if ( p /* meaning n is prime */ ) { print ( n , " " ) ; count = count + 1 ; /* number of primes found so far */ } if(p){print(n," ");count=count+1;} Complete list of token names End_of_input Op_multiply Op_divide Op_mod Op_add Op_subtract Op_negate Op_not Op_less Op_lessequal Op_greater Op_greaterequal Op_equal Op_notequal Op_assign Op_and Op_or Keyword_if Keyword_else Keyword_while Keyword_print Keyword_putc LeftParen RightParen LeftBrace RightBrace Semicolon Comma Identifier Integer String Output Format The program output should be a sequence of lines, each consisting of the following whitespace-separated fields: the line number where the token starts the column number where the token starts the token name the token value (only for Identifier, Integer, and String tokens) the number of spaces between fields is up to you. Neatly aligned is nice, but not a requirement. This task is intended to be used as part of a pipeline, with the other compiler tasks - for example: lex < hello.t | parse | gen | vm Or possibly: lex hello.t lex.out parse lex.out parse.out gen parse.out gen.out vm gen.out This implies that the output of this task (the lexical analyzer) should be suitable as input to any of the Syntax Analyzer task programs. Diagnostics The following error conditions should be caught: Error Example Empty character constant '' Unknown escape sequence. \r Multi-character constant. 'xx' End-of-file in comment. Closing comment characters not found. End-of-file while scanning string literal. Closing string character not found. End-of-line while scanning string literal. Closing string character not found before end-of-line. Unrecognized character. | Invalid number. Starts like a number, but ends in non-numeric characters. 123abc Test Cases Input Output Test Case 1: /* Hello world */ print("Hello, World!\n"); 4 1 Keyword_print 4 6 LeftParen 4 7 String "Hello, World!\n" 4 24 RightParen 4 25 Semicolon 5 1 End_of_input Test Case 2: /* Show Ident and Integers */ phoenix_number = 142857; print(phoenix_number, "\n"); 4 1 Identifier phoenix_number 4 16 Op_assign 4 18 Integer 142857 4 24 Semicolon 5 1 Keyword_print 5 6 LeftParen 5 7 Identifier phoenix_number 5 21 Comma 5 23 String "\n" 5 27 RightParen 5 28 Semicolon 6 1 End_of_input Test Case 3: /* All lexical tokens - not syntactically correct, but that will have to wait until syntax analysis */ /* Print */ print /* Sub */ - /* Putc */ putc /* Lss */ < /* If */ if /* Gtr */ > /* Else */ else /* Leq */ <= /* While */ while /* Geq */ >= /* Lbrace */ { /* Eq */ == /* Rbrace */ } /* Neq */ != /* Lparen */ ( /* And */ && /* Rparen */ ) /* Or */ || /* Uminus */ - /* Semi */ ; /* Not */ ! /* Comma */ , /* Mul */ * /* Assign */ = /* Div */ / /* Integer */ 42 /* Mod */ % /* String */ "String literal" /* Add */ + /* Ident */ variable_name /* character literal */ '\n' /* character literal */ '\\' /* character literal */ ' ' 5 16 Keyword_print 5 40 Op_subtract 6 16 Keyword_putc 6 40 Op_less 7 16 Keyword_if 7 40 Op_greater 8 16 Keyword_else 8 40 Op_lessequal 9 16 Keyword_while 9 40 Op_greaterequal 10 16 LeftBrace 10 40 Op_equal 11 16 RightBrace 11 40 Op_notequal 12 16 LeftParen 12 40 Op_and 13 16 RightParen 13 40 Op_or 14 16 Op_subtract 14 40 Semicolon 15 16 Op_not 15 40 Comma 16 16 Op_multiply 16 40 Op_assign 17 16 Op_divide 17 40 Integer 42 18 16 Op_mod 18 40 String "String literal" 19 16 Op_add 19 40 Identifier variable_name 20 26 Integer 10 21 26 Integer 92 22 26 Integer 32 23 1 End_of_input Test Case 4: /*** test printing, embedded \n and comments with lots of '*' ***/ print(42); print("\nHello World\nGood Bye\nok\n"); print("Print a slash n - \\n.\n"); 2 1 Keyword_print 2 6 LeftParen 2 7 Integer 42 2 9 RightParen 2 10 Semicolon 3 1 Keyword_print 3 6 LeftParen 3 7 String "\nHello World\nGood Bye\nok\n" 3 38 RightParen 3 39 Semicolon 4 1 Keyword_print 4 6 LeftParen 4 7 String "Print a slash n - \\n.\n" 4 33 RightParen 4 34 Semicolon 5 1 End_of_input Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Syntax Analyzer task Code Generator task Virtual Machine Interpreter task AST Interpreter task
#Forth
Forth
CREATE BUF 0 , \ single-character look-ahead buffer CREATE COLUMN# 0 , CREATE LINE# 1 ,   : NEWLINE? ( c -- t|f) DUP 10 = SWAP 13 = OR ; : +IN ( c --) 1 SWAP NEWLINE? IF 0 COLUMN# ! LINE# ELSE COLUMN# THEN +! 0 BUF ! ; : PEEK BUF @ 0= IF STDIN KEY-FILE BUF ! THEN BUF @ ; : GETC PEEK DUP +IN ; : SKIP GETC DROP ; : .LOCATION 7 .R 4 .R SPACE ; : WHERE COLUMN# @ LINE# @ ; : .WHERE WHERE .LOCATION ; : .WHERE+ WHERE SWAP 1+ SWAP .LOCATION ;   : EXPECT GETC OVER OVER = IF 2DROP ELSE CR ." stdin:" COLUMN# @ 0 LINE# @ 0 <# #s #> TYPE ." :" <# #s #> TYPE ." : " ." unexpected `" EMIT ." ', expecting `" EMIT ." '" CR BYE THEN ; : EQ PEEK [CHAR] = = IF SKIP 2SWAP THEN ." Op_" TYPE CR 2DROP ;   CREATE ESC 4 C, CHAR $ C, CHAR $ C, CHAR \ C, 0 C, : ?ESC? CR ." Unknown escape sequence `\" EMIT ." '" CR BYE ; : >ESC ESC 4 + C! ESC ; : $$\n 10 ; : $$\\ [CHAR] \ ; : ESCAPE DUP >ESC FIND IF NIP EXECUTE ELSE DROP ?ESC? THEN ; : ?ESCAPE DUP [CHAR] \ = IF DROP GETC ESCAPE THEN ; : ?EOF DUP 4 = IF CR ." End-of-file in string" CR BYE THEN ; : ?EOL DUP NEWLINE? IF CR ." End-of-line in string" CR BYE THEN ; : STRING PAD BEGIN GETC ?EOF ?EOL DUP [CHAR] " <> WHILE OVER C! CHAR+ REPEAT DROP PAD TUCK - ; : "TYPE" [CHAR] " EMIT TYPE [CHAR] " EMIT ;   CREATE TOKEN 4 C, CHAR $ C, CHAR $ C, 0 C, 0 C, : >HEX DUP 9 > IF 7 + THEN [CHAR] 0 + ; : HI! $F0 AND 2/ 2/ 2/ 2/ >HEX TOKEN 3 + C! ; : LO! $0F AND >HEX TOKEN 4 + C! ; : >TOKEN DUP HI! LO! TOKEN ;   : ?EOF DUP 4 = IF CR ." End-of-file in comment" CR BYE THEN ; : $$2F PEEK [CHAR] * = IF SKIP BEGIN GETC ?EOF [CHAR] * = PEEK [CHAR] / = AND UNTIL SKIP ELSE .WHERE ." Op_divide" CR THEN ; : $$22 .WHERE ." String " STRING "TYPE" CR ; : $$27 .WHERE GETC ?ESCAPE ." Integer " . [CHAR] ' EXPECT CR ; : $$04 .WHERE ." End_of_input" CR BYE ; : $$2D .WHERE ." Op_subtract" CR ; : $$2B .WHERE ." Op_add" CR ; : $$25 .WHERE ." Op_mod" CR ; : $$2A .WHERE ." Op_multiply" CR ; : $$7B .WHERE ." LeftBrace" CR ; : $$7D .WHERE ." RightBrace" CR ; : $$2C .WHERE ." Comma" CR ; : $$29 .WHERE ." RightParen" CR ; : $$28 .WHERE ." LeftParen" CR ; : $$3B .WHERE ." Semicolon" CR ; : $$3D .WHERE s" equal" s" assign" EQ ; : $$21 .WHERE s" notequal" s" not" EQ ; : $$3C .WHERE s" lessequal" s" less" EQ ; : $$3E .WHERE s" greaterequal" s" greater" EQ ; : $$26 .WHERE [CHAR] & EXPECT ." Op_and" CR ; : $$7C .WHERE [CHAR] | EXPECT ." Op_or" CR ; : $$20  ; \ space   CREATE KEYWORD 0 C, CHAR $ C, CHAR $ C, 5 CHARS ALLOT : >KEYWORD DUP 2 + KEYWORD C! KEYWORD 3 + SWAP CMOVE KEYWORD ; : FIND-KW DUP 5 <= IF 2DUP >KEYWORD FIND IF TRUE 2SWAP 2DROP ELSE DROP FALSE THEN ELSE FALSE THEN ;   : $$if ." Keyword_if" ; : $$else ." Keyword_else" ; : $$while ." Keyword_while" ; : $$print ." Keyword_print" ; : $$putc ." Keyword_putc" ;   : DIGIT? 48 58 WITHIN ; : ALPHA? DUP 95 = SWAP \ underscore? DUP 97 123 WITHIN SWAP \ lower? 65 91 WITHIN OR OR ; \ upper? : ALNUM? DUP DIGIT? SWAP ALPHA? OR ; : INTEGER 0 BEGIN PEEK DIGIT? WHILE GETC [CHAR] 0 - SWAP 10 * + REPEAT ; : ?INTEGER? CR ." Invalid number" CR BYE ; : ?INTEGER PEEK ALPHA? IF ?INTEGER? THEN ; : DIGIT .WHERE+ ." Integer " INTEGER ?INTEGER . CR ; : NAME PAD BEGIN PEEK ALNUM? WHILE GETC OVER C! CHAR+ REPEAT PAD TUCK - ; : IDENT ." Identifier " TYPE ; : ALPHA .WHERE+ NAME FIND-KW IF EXECUTE ELSE IDENT THEN CR ; : ?CHAR? CR ." Character '" EMIT ." ' not recognized" CR BYE ; : SPACE? DUP BL = SWAP 9 14 WITHIN OR ; : SKIP-SPACE BEGIN PEEK SPACE? WHILE SKIP REPEAT ; : CONSUME SKIP-SPACE PEEK DIGIT? IF DIGIT ELSE PEEK ALPHA? IF ALPHA ELSE PEEK >TOKEN FIND IF SKIP EXECUTE ELSE GETC ?CHAR? BYE THEN THEN THEN ; : TOKENIZE BEGIN CONSUME AGAIN ; TOKENIZE
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#D.C3.A9j.C3.A0_Vu
Déjà Vu
for i range 0 -- len !args: print\( "Argument #" i " is " ) . get-from !args i   if has !opts :c: !print "Ah, the -c option."   if has !opts :four: !. get-from !opts :four
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#Draco
Draco
\util.g   proc nonrec main() void: *char par; word i; i := 0; while par := GetPar(); par ~= nil do i := i + 1; writeln(i:3, ": '", par, "'") od corp
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#E
E
interp.getArgs()
http://rosettacode.org/wiki/Comments
Comments
Task Show all ways to include text in a language source file that's completely ignored by the compiler or interpreter. Related tasks   Documentation   Here_document See also   Wikipedia   xkcd (Humor: hand gesture denoting // for "commenting out" people.)
#BBC_BASIC
BBC BASIC
REM This is a comment which is ignored by the compiler *| This is a comment which is compiled but ignored at run time
http://rosettacode.org/wiki/Comments
Comments
Task Show all ways to include text in a language source file that's completely ignored by the compiler or interpreter. Related tasks   Documentation   Here_document See also   Wikipedia   xkcd (Humor: hand gesture denoting // for "commenting out" people.)
#bc
bc
/* This is a comment. */   2 + /* Comment between tokens. */ 3   "This is a string, /* NOT a comment */."   /* * A comment can have multiple lines. These asterisks in the middle * of the comment are only for style. You must not nest a comment * inside another comment; the first asterisk-slash ends the comment. */
http://rosettacode.org/wiki/Compiler/virtual_machine_interpreter
Compiler/virtual machine interpreter
A virtual machine implements a computer in software. Task[edit] Write a virtual machine interpreter. This interpreter should be able to run virtual assembly language programs created via the task. This is a byte-coded, 32-bit word stack based virtual machine. The program should read input from a file and/or stdin, and write output to a file and/or stdout. Input format: Given the following program: count = 1; while (count < 10) { print("count is: ", count, "\n"); count = count + 1; } The output from the Code generator is a virtual assembly code program: Output from gen, input to VM Datasize: 1 Strings: 2 "count is: " "\n" 0 push 1 5 store [0] 10 fetch [0] 15 push 10 20 lt 21 jz (43) 65 26 push 0 31 prts 32 fetch [0] 37 prti 38 push 1 43 prts 44 fetch [0] 49 push 1 54 add 55 store [0] 60 jmp (-51) 10 65 halt The first line of the input specifies the datasize required and the number of constant strings, in the order that they are reference via the code. The data can be stored in a separate array, or the data can be stored at the beginning of the stack. Data is addressed starting at 0. If there are 3 variables, the 3rd one if referenced at address 2. If there are one or more constant strings, they come next. The code refers to these strings by their index. The index starts at 0. So if there are 3 strings, and the code wants to reference the 3rd string, 2 will be used. Next comes the actual virtual assembly code. The first number is the code address of that instruction. After that is the instruction mnemonic, followed by optional operands, depending on the instruction. Registers: sp: the stack pointer - points to the next top of stack. The stack is a 32-bit integer array. pc: the program counter - points to the current instruction to be performed. The code is an array of bytes. Data: data string pool Instructions: Each instruction is one byte. The following instructions also have a 32-bit integer operand: fetch [index] where index is an index into the data array. store [index] where index is an index into the data array. push n where value is a 32-bit integer that will be pushed onto the stack. jmp (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. jz (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. The following instructions do not have an operand. They perform their operation directly against the stack: For the following instructions, the operation is performed against the top two entries in the stack: add sub mul div mod lt gt le ge eq ne and or For the following instructions, the operation is performed against the top entry in the stack: neg not Print the word at stack top as a character. prtc Print the word at stack top as an integer. prti Stack top points to an index into the string pool. Print that entry. prts Unconditional stop. halt A simple example virtual machine def run_vm(data_size) int stack[data_size + 1000] set stack[0..data_size - 1] to 0 int pc = 0 while True: op = code[pc] pc += 1   if op == FETCH: stack.append(stack[bytes_to_int(code[pc:pc+word_size])[0]]); pc += word_size elif op == STORE: stack[bytes_to_int(code[pc:pc+word_size])[0]] = stack.pop(); pc += word_size elif op == PUSH: stack.append(bytes_to_int(code[pc:pc+word_size])[0]); pc += word_size elif op == ADD: stack[-2] += stack[-1]; stack.pop() elif op == SUB: stack[-2] -= stack[-1]; stack.pop() elif op == MUL: stack[-2] *= stack[-1]; stack.pop() elif op == DIV: stack[-2] /= stack[-1]; stack.pop() elif op == MOD: stack[-2] %= stack[-1]; stack.pop() elif op == LT: stack[-2] = stack[-2] < stack[-1]; stack.pop() elif op == GT: stack[-2] = stack[-2] > stack[-1]; stack.pop() elif op == LE: stack[-2] = stack[-2] <= stack[-1]; stack.pop() elif op == GE: stack[-2] = stack[-2] >= stack[-1]; stack.pop() elif op == EQ: stack[-2] = stack[-2] == stack[-1]; stack.pop() elif op == NE: stack[-2] = stack[-2] != stack[-1]; stack.pop() elif op == AND: stack[-2] = stack[-2] and stack[-1]; stack.pop() elif op == OR: stack[-2] = stack[-2] or stack[-1]; stack.pop() elif op == NEG: stack[-1] = -stack[-1] elif op == NOT: stack[-1] = not stack[-1] elif op == JMP: pc += bytes_to_int(code[pc:pc+word_size])[0] elif op == JZ: if stack.pop() then pc += word_size else pc += bytes_to_int(code[pc:pc+word_size])[0] elif op == PRTC: print stack[-1] as a character; stack.pop() elif op == PRTS: print the constant string referred to by stack[-1]; stack.pop() elif op == PRTI: print stack[-1] as an integer; stack.pop() elif op == HALT: break Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Lexical Analyzer task Syntax Analyzer task Code Generator task AST Interpreter task
#Scala
Scala
  package xyz.hyperreal.rosettacodeCompiler   import java.io.{BufferedReader, FileReader, Reader, StringReader}   import scala.collection.mutable import scala.collection.mutable.ArrayBuffer   object VirtualMachine {   private object Opcodes { val FETCH: Byte = 0 val STORE: Byte = 1 val PUSH: Byte = 2 val JMP: Byte = 3 val JZ: Byte = 4 val ADD: Byte = 5 val SUB: Byte = 6 val MUL: Byte = 7 val DIV: Byte = 8 val MOD: Byte = 9 val LT: Byte = 10 val GT: Byte = 11 val LE: Byte = 12 val GE: Byte = 13 val EQ: Byte = 14 val NE: Byte = 15 val AND: Byte = 16 val OR: Byte = 17 val NEG: Byte = 18 val NOT: Byte = 19 val PRTC: Byte = 20 val PRTI: Byte = 21 val PRTS: Byte = 22 val HALT: Byte = 23 }   import Opcodes._   private val HEADER_REGEX = "Datasize: ([0-9]+) Strings: ([0-9]+)" r private val STRING_REGEX = "\"([^\"]*)\"" r private val PUSH_REGEX = " *[0-9]+ push +([0-9]+|'(?:[^'\\n]|\\\\n|\\\\\\\\)')" r private val PRTS_REGEX = " *[0-9]+ prts" r private val PRTI_REGEX = " *[0-9]+ prti" r private val PRTC_REGEX = " *[0-9]+ prtc" r private val HALT_REGEX = " *[0-9]+ halt" r private val STORE_REGEX = " *[0-9]+ store +\\[([0-9]+)\\]" r private val FETCH_REGEX = " *[0-9]+ fetch +\\[([0-9]+)\\]" r private val LT_REGEX = " *[0-9]+ lt" r private val GT_REGEX = " *[0-9]+ gt" r private val LE_REGEX = " *[0-9]+ le" r private val GE_REGEX = " *[0-9]+ ge" r private val NE_REGEX = " *[0-9]+ ne" r private val EQ_REGEX = " *[0-9]+ eq" r private val JZ_REGEX = " *[0-9]+ jz +\\((-?[0-9]+)\\) [0-9]+" r private val ADD_REGEX = " *[0-9]+ add" r private val SUB_REGEX = " *[0-9]+ sub" r private val MUL_REGEX = " *[0-9]+ mul" r private val DIV_REGEX = " *[0-9]+ div" r private val MOD_REGEX = " *[0-9]+ mod" r private val AND_REGEX = " *[0-9]+ and" r private val OR_REGEX = " *[0-9]+ or" r private val NOT_REGEX = " *[0-9]+ not" r private val NEG_REGEX = " *[0-9]+ neg" r private val JMP_REGEX = " *[0-9]+ jmp +\\((-?[0-9]+)\\) [0-9]+" r   def fromStdin = fromReader(Console.in)   def fromFile(file: String) = fromReader(new FileReader(file))   def fromString(src: String) = fromReader(new StringReader(src))   def fromReader(r: Reader) = { val in = new BufferedReader(r) val vm = in.readLine match { case HEADER_REGEX(datasize, stringsize) => val strings = for (_ <- 1 to stringsize.toInt) yield in.readLine match { case STRING_REGEX(s) => unescape(s) case null => sys.error("expected string constant but encountered end of input") case s => sys.error(s"expected string constant: $s") } var line: String = null val code = new ArrayBuffer[Byte]   def addShort(a: Int) = { code += (a >> 8).toByte code += a.toByte }   def addInstIntOperand(opcode: Byte, operand: Int) = { code += opcode addShort(operand >> 16) addShort(operand) }   def addInst(opcode: Byte, operand: String) = addInstIntOperand(opcode, operand.toInt)   while ({ line = in.readLine; line ne null }) line match { case PUSH_REGEX(n) if n startsWith "'" => addInstIntOperand(PUSH, unescape(n.substring(1, n.length - 1)).head) case PUSH_REGEX(n) => addInst(PUSH, n) case PRTS_REGEX() => code += PRTS case PRTI_REGEX() => code += PRTI case PRTC_REGEX() => code += PRTC case HALT_REGEX() => code += HALT case STORE_REGEX(idx) => addInst(STORE, idx) case FETCH_REGEX(idx) => addInst(FETCH, idx) case LT_REGEX() => code += LT case GT_REGEX() => code += GT case LE_REGEX() => code += LE case GE_REGEX() => code += GE case NE_REGEX() => code += NE case EQ_REGEX() => code += EQ case JZ_REGEX(disp) => addInst(JZ, disp) case ADD_REGEX() => code += ADD case SUB_REGEX() => code += SUB case MUL_REGEX() => code += MUL case DIV_REGEX() => code += DIV case MOD_REGEX() => code += MOD case AND_REGEX() => code += AND case OR_REGEX() => code += OR case NOT_REGEX() => code += NOT case NEG_REGEX() => code += NEG case JMP_REGEX(disp) => addInst(JMP, disp) }   new VirtualMachine(code, datasize.toInt, strings) case _ => sys.error("expected header") }   in.close vm }   }   class VirtualMachine(code: IndexedSeq[Byte], datasize: Int, strings: IndexedSeq[String]) {   import VirtualMachine.Opcodes._   var pc = 0 val stack = new mutable.ArrayStack[Int] val data = new Array[Int](datasize) var running = false   def getByte = { val byte = code(pc) & 0xFF   pc += 1 byte }   def getShort = getByte << 8 | getByte   def getInt = getShort << 16 | getShort   def pushBoolean(b: Boolean) = stack push (if (b) 1 else 0)   def popBoolean = if (stack.pop != 0) true else false   def operator(f: (Int, Int) => Int) = { val y = stack.pop   stack.push(f(stack.pop, y)) }   def relation(r: (Int, Int) => Boolean) = { val y = stack.pop   pushBoolean(r(stack.pop, y)) }   def connective(c: (Boolean, Boolean) => Boolean) = pushBoolean(c(popBoolean, popBoolean))   def execute: Unit = getByte match { case FETCH => stack push data(getInt) case STORE => data(getInt) = stack.pop case PUSH => stack push getInt case JMP => pc = pc + getInt case JZ => if (stack.pop == 0) pc = pc + getInt else pc += 4 case ADD => operator(_ + _) case SUB => operator(_ - _) case MUL => operator(_ * _) case DIV => operator(_ / _) case MOD => operator(_ % _) case LT => relation(_ < _) case GT => relation(_ > _) case LE => relation(_ <= _) case GE => relation(_ >= _) case EQ => relation(_ == _) case NE => relation(_ != _) case AND => connective(_ && _) case OR => connective(_ || _) case NEG => stack push -stack.pop case NOT => pushBoolean(!popBoolean) case PRTC => print(stack.pop.toChar) case PRTI => print(stack.pop) case PRTS => print(strings(stack.pop)) case HALT => running = false }   def run = { pc = 0 stack.clear running = true   for (i <- data.indices) data(i) = 0   while (running) execute }   }  
http://rosettacode.org/wiki/Compiler/code_generator
Compiler/code generator
A code generator translates the output of the syntax analyzer and/or semantic analyzer into lower level code, either assembly, object, or virtual. Task[edit] Take the output of the Syntax analyzer task - which is a flattened Abstract Syntax Tree (AST) - and convert it to virtual machine code, that can be run by the Virtual machine interpreter. The output is in text format, and represents virtual assembly code. The program should read input from a file and/or stdin, and write output to a file and/or stdout. Example - given the simple program (below), stored in a file called while.t, create the list of tokens, using one of the Lexical analyzer solutions lex < while.t > while.lex Run one of the Syntax analyzer solutions parse < while.lex > while.ast while.ast can be input into the code generator. The following table shows the input to lex, lex output, the AST produced by the parser, and the generated virtual assembly code. Run as: lex < while.t | parse | gen Input to lex Output from lex, input to parse Output from parse Output from gen, input to VM count = 1; while (count < 10) { print("count is: ", count, "\n"); count = count + 1; } 1 1 Identifier count 1 7 Op_assign 1 9 Integer 1 1 10 Semicolon 2 1 Keyword_while 2 7 LeftParen 2 8 Identifier count 2 14 Op_less 2 16 Integer 10 2 18 RightParen 2 20 LeftBrace 3 5 Keyword_print 3 10 LeftParen 3 11 String "count is: " 3 23 Comma 3 25 Identifier count 3 30 Comma 3 32 String "\n" 3 36 RightParen 3 37 Semicolon 4 5 Identifier count 4 11 Op_assign 4 13 Identifier count 4 19 Op_add 4 21 Integer 1 4 22 Semicolon 5 1 RightBrace 6 1 End_of_input Sequence Sequence ; Assign Identifier count Integer 1 While Less Identifier count Integer 10 Sequence Sequence ; Sequence Sequence Sequence ; Prts String "count is: " ; Prti Identifier count ; Prts String "\n" ; Assign Identifier count Add Identifier count Integer 1 Datasize: 1 Strings: 2 "count is: " "\n" 0 push 1 5 store [0] 10 fetch [0] 15 push 10 20 lt 21 jz (43) 65 26 push 0 31 prts 32 fetch [0] 37 prti 38 push 1 43 prts 44 fetch [0] 49 push 1 54 add 55 store [0] 60 jmp (-51) 10 65 halt Input format As shown in the table, above, the output from the syntax analyzer is a flattened AST. In the AST, Identifier, Integer, and String, are terminal nodes, e.g, they do not have child nodes. Loading this data into an internal parse tree should be as simple as:   def load_ast() line = readline() # Each line has at least one token line_list = tokenize the line, respecting double quotes   text = line_list[0] # first token is always the node type   if text == ";" return None   node_type = text # could convert to internal form if desired   # A line with two tokens is a leaf node # Leaf nodes are: Identifier, Integer String # The 2nd token is the value if len(line_list) > 1 return make_leaf(node_type, line_list[1])   left = load_ast() right = load_ast() return make_node(node_type, left, right)   Output format - refer to the table above The first line is the header: Size of data, and number of constant strings. size of data is the number of 32-bit unique variables used. In this example, one variable, count number of constant strings is just that - how many there are After that, the constant strings Finally, the assembly code Registers sp: the stack pointer - points to the next top of stack. The stack is a 32-bit integer array. pc: the program counter - points to the current instruction to be performed. The code is an array of bytes. Data 32-bit integers and strings Instructions Each instruction is one byte. The following instructions also have a 32-bit integer operand: fetch [index] where index is an index into the data array. store [index] where index is an index into the data array. push n where value is a 32-bit integer that will be pushed onto the stack. jmp (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. jz (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. The following instructions do not have an operand. They perform their operation directly against the stack: For the following instructions, the operation is performed against the top two entries in the stack: add sub mul div mod lt gt le ge eq ne and or For the following instructions, the operation is performed against the top entry in the stack: neg not prtc Print the word at stack top as a character. prti Print the word at stack top as an integer. prts Stack top points to an index into the string pool. Print that entry. halt Unconditional stop. Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Lexical Analyzer task Syntax Analyzer task Virtual Machine Interpreter task AST Interpreter task
#Wren
Wren
import "/dynamic" for Enum, Struct, Tuple import "/crypto" for Bytes import "/fmt" for Fmt import "/ioutil" for FileUtil   var nodes = [ "Ident", "String", "Integer", "Sequence", "If", "Prtc", "Prts", "Prti", "While", "Assign", "Negate", "Not", "Mul", "Div", "Mod", "Add", "Sub", "Lss", "Leq", "Gtr", "Geq", "Eql", "Neq", "And", "Or" ]   var Node = Enum.create("Node", nodes)   var codes = [ "fetch", "store", "push", "add", "sub", "mul", "div", "mod", "lt", "gt", "le", "ge", "eq", "ne", "and", "or", "neg", "not", "jmp", "jz", "prtc", "prts", "prti", "halt" ]   var Code = Enum.create("Code", codes)   var Tree = Struct.create("Tree", ["nodeType", "left", "right", "value"])   // dependency: Ordered by Node value, must remain in same order as Node enum var Atr = Tuple.create("Atr", ["enumText", "nodeType", "opcode"])   var atrs = [ Atr.new("Identifier", Node.Ident, 255), Atr.new("String", Node.String, 255), Atr.new("Integer", Node.Integer, 255), Atr.new("Sequence", Node.Sequence, 255), Atr.new("If", Node.If, 255), Atr.new("Prtc", Node.Prtc, 255), Atr.new("Prts", Node.Prts, 255), Atr.new("Prti", Node.Prti, 255), Atr.new("While", Node.While, 255), Atr.new("Assign", Node.Assign, 255), Atr.new("Negate", Node.Negate, Code.neg), Atr.new("Not", Node.Not, Code.not), Atr.new("Multiply", Node.Mul, Code.mul), Atr.new("Divide", Node.Div, Code.div), Atr.new("Mod", Node.Mod, Code.mod), Atr.new("Add", Node.Add, Code.add), Atr.new("Subtract", Node.Sub, Code.sub), Atr.new("Less", Node.Lss, Code.lt), Atr.new("LessEqual", Node.Leq, Code.le), Atr.new("Greater", Node.Gtr, Code.gt), Atr.new("GreaterEqual", Node.Geq, Code.ge), Atr.new("Equal", Node.Eql, Code.eq), Atr.new("NotEqual", Node.Neq, Code.ne), Atr.new("And", Node.And, Code.and), Atr.new("Or", Node.Or, Code.or), ]   var stringPool = [] var globals = [] var object = []   var reportError = Fn.new { |msg| Fiber.abort("error : %(msg)") }   var nodeToOp = Fn.new { |nodeType| atrs[nodeType].opcode }   var makeNode = Fn.new { |nodeType, left, right| Tree.new(nodeType, left, right, "") }   var makeLeaf = Fn.new { |nodeType, value| Tree.new(nodeType, null, null, value) }   /* Code generator */   var emitByte = Fn.new { |c| object.add(c) }   var emitWord = Fn.new { |n| var bs = Bytes.fromIntLE(n) for (b in bs) emitByte.call(b) }   var emitWordAt = Fn.new { |at, n| var bs = Bytes.fromIntLE(n) for (i in at...at+4) object[i] = bs[i-at] }   var hole = Fn.new { var t = object.count emitWord.call(0) return t }   var fetchVarOffset = Fn.new { |id| for (i in 0...globals.count) { if (globals[i] == id) return i } globals.add(id) return globals.count - 1 }   var fetchStringOffset = Fn.new { |st| for (i in 0...stringPool.count) { if (stringPool[i] == st) return i } stringPool.add(st) return stringPool.count - 1 }   var binOpNodes = [ Node.Lss, Node.Gtr, Node.Leq, Node.Geq, Node.Eql, Node.Neq, Node.And, Node.Or, Node.Sub, Node.Add, Node.Div, Node.Mul, Node.Mod ]   var codeGen // recursive function codeGen = Fn.new { |x| if (!x) return var n var p1 var p2 var nt = x.nodeType if (nt == Node.Ident) { emitByte.call(Code.fetch) n = fetchVarOffset.call(x.value) emitWord.call(n) } else if (nt == Node.Integer) { emitByte.call(Code.push) n = Num.fromString(x.value) emitWord.call(n) } else if (nt == Node.String) { emitByte.call(Code.push) n = fetchStringOffset.call(x.value) emitWord.call(n) } else if (nt == Node.Assign) { n = fetchVarOffset.call(x.left.value) codeGen.call(x.right) emitByte.call(Code.store) emitWord.call(n) } else if (nt == Node.If) { codeGen.call(x.left) // if expr emitByte.call(Code.jz) // if false, jump p1 = hole.call() // make room forjump dest codeGen.call(x.right.left) // if true statements if (x.right.right) { emitByte.call(Code.jmp) p2 = hole.call() } emitWordAt.call(p1, object.count-p1) if (x.right.right) { codeGen.call(x.right.right) emitWordAt.call(p2, object.count-p2) } } else if (nt == Node.While) { p1 = object.count codeGen.call(x.left) // while expr emitByte.call(Code.jz) // if false, jump p2 = hole.call() // make room for jump dest codeGen.call(x.right) // statements emitByte.call(Code.jmp) // back to the top emitWord.call(p1 - object.count) // plug the top emitWordAt.call(p2, object.count-p2) // plug the 'if false, jump' } else if (nt == Node.Sequence) { codeGen.call(x.left) codeGen.call(x.right) } else if (nt == Node.Prtc) { codeGen.call(x.left) emitByte.call(Code.prtc) } else if (nt == Node.Prti) { codeGen.call(x.left) emitByte.call(Code.prti) } else if (nt == Node.Prts) { codeGen.call(x.left) emitByte.call(Code.prts) } else if (binOpNodes.contains(nt)) { codeGen.call(x.left) codeGen.call(x.right) emitByte.call(nodeToOp.call(x.nodeType)) } else if (nt == Node.negate || nt == Node.Not) { codeGen.call(x.left) emitByte.call(nodeToOp.call(x.nodeType)) } else { var msg = "error in code generator - found %(x.nodeType) expecting operator" reportError.call(msg) } }   // Converts the 4 bytes starting at object[pc] to an unsigned 32 bit integer // and thence to a signed 32 bit integer var toInt32LE = Fn.new { |pc| var x = Bytes.toIntLE(object[pc...pc+4]) if (x >= 2.pow(31)) x = x - 2.pow(32) return x }   var codeFinish = Fn.new { emitByte.call(Code.halt) }   var listCode = Fn.new { Fmt.print("Datasize: $d Strings: $d", globals.count, stringPool.count) for (s in stringPool) System.print(s) var pc = 0 while (pc < object.count) { Fmt.write("$5d ", pc) var op = object[pc] pc = pc + 1 if (op == Code.fetch) { var x = toInt32LE.call(pc) Fmt.print("fetch [$d]", x) pc = pc + 4 } else if (op == Code.store) { var x = toInt32LE.call(pc) Fmt.print("store [$d]", x) pc = pc + 4 } else if (op == Code.push) { var x = toInt32LE.call(pc) Fmt.print("push $d", x) pc = pc + 4 } else if (op == Code.add) { System.print("add") } else if (op == Code.sub) { System.print("sub") } else if (op == Code.mul) { System.print("mul") } else if (op == Code.div) { System.print("div") } else if (op == Code.mod) { System.print("mod") } else if (op == Code.lt) { System.print("lt") } else if (op == Code.gt) { System.print("gt") } else if (op == Code.le) { System.print("le") } else if (op == Code.ge) { System.print("ge") } else if (op == Code.eq) { System.print("eq") } else if (op == Code.ne) { System.print("ne") } else if (op == Code.and) { System.print("and") } else if (op == Code.or) { System.print("or") } else if (op == Code.neg) { System.print("neg") } else if (op == Code.not) { System.print("not") } else if (op == Code.jmp) { var x = toInt32LE.call(pc) Fmt.print("jmp ($d) $d", x, pc+x) pc = pc + 4 } else if (op == Code.jz) { var x = toInt32LE.call(pc) Fmt.print("jz ($d) $d", x, pc+x) pc = pc + 4 } else if (op == Code.prtc) { System.print("prtc") } else if (op == Code.prti){ System.print("prti") } else if (op == Code.prts) { System.print("prts") } else if (op == Code.halt) { System.print("halt") } else { reportError.call("listCode: Unknown opcode %(op)") } } }   var getEnumValue = Fn.new { |name| for (atr in atrs) { if (atr.enumText == name) return atr.nodeType } reportError.call("Unknown token %(name)") }   var lines = [] var lineCount = 0 var lineNum = 0   var loadAst // recursive function loadAst = Fn.new { var nodeType = 0 var s = "" if (lineNum < lineCount) { var line = lines[lineNum].trimEnd(" \t") lineNum = lineNum + 1 var tokens = line.split(" ").where { |s| s != "" }.toList var first = tokens[0] if (first[0] == ";") return null nodeType = getEnumValue.call(first) var le = tokens.count if (le == 2) { s = tokens[1] } else if (le > 2) { var idx = line.indexOf("\"") s = line[idx..-1] } } if (s != "") return makeLeaf.call(nodeType, s) var left = loadAst.call() var right = loadAst.call() return makeNode.call(nodeType, left, right) }   lines = FileUtil.readLines("ast.txt") lineCount = lines.count codeGen.call(loadAst.call()) codeFinish.call() listCode.call()
http://rosettacode.org/wiki/Compare_length_of_two_strings
Compare length of two strings
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation | Comparison | Matching Memory Operations Pointers & references | Addresses Task Given two strings of different length, determine which string is longer or shorter. Print both strings and their length, one on each line. Print the longer one first. Measure the length of your string in terms of bytes or characters, as appropriate for your language. If your language doesn't have an operator for measuring the length of a string, note it. Extra credit Given more than two strings: list = ["abcd","123456789","abcdef","1234567"] Show the strings in descending length order. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Vlang
Vlang
// Compare lenth of two strings, in V // Tectonics: v run compare-length-of-two-strings.v module main   // starts here pub fn main() { mut strs := ["abcd","123456789"] println("Given: $strs") strs.sort_by_len() for i := strs.len-1; i >= 0; i-- { println("${strs[i]}: with length ${strs[i].len}") }   // more than 2 strings. note = vs :=, := for definition, = for assignment strs = ["abcd","123456789","abcdef","1234567"] println("\nGiven: $strs") strs.sort_by_len() for i := strs.len-1; i >= 0; i-- { println("${strs[i]}: with length ${strs[i].len}") } }
http://rosettacode.org/wiki/Compare_length_of_two_strings
Compare length of two strings
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation | Comparison | Matching Memory Operations Pointers & references | Addresses Task Given two strings of different length, determine which string is longer or shorter. Print both strings and their length, one on each line. Print the longer one first. Measure the length of your string in terms of bytes or characters, as appropriate for your language. If your language doesn't have an operator for measuring the length of a string, note it. Extra credit Given more than two strings: list = ["abcd","123456789","abcdef","1234567"] Show the strings in descending length order. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Wren
Wren
import "./upc" for Graphemes   var printCounts = Fn.new { |s1, s2, c1, c2| var l1 = (c1 > c2) ? [s1, c1] : [s2, c2] var l2 = (c1 > c2) ? [s2, c2] : [s1, c1] System.print( "%(l1[0]) : length %(l1[1])") System.print( "%(l2[0]) : length %(l2[1])\n") }   var codepointCounts = Fn.new { |s1, s2| var c1 = s1.count var c2 = s2.count System.print("Comparison by codepoints:") printCounts.call(s1, s2, c1, c2) }   var byteCounts = Fn.new { |s1, s2| var c1 = s1.bytes.count var c2 = s2.bytes.count System.print("Comparison by bytes:") printCounts.call(s1, s2, c1, c2) }   var graphemeCounts = Fn.new { |s1, s2| var c1 = Graphemes.clusterCount(s1) var c2 = Graphemes.clusterCount(s2) System.print("Comparison by grapheme clusters:") printCounts.call(s1, s2, c1, c2) }   for (pair in [ ["nino", "niño"], ["👨‍👩‍👧‍👦", "🤔🇺🇸"] ]) { codepointCounts.call(pair[0], pair[1]) byteCounts.call(pair[0], pair[1]) graphemeCounts.call(pair[0], pair[1]) }   var list = ["abcd", "123456789", "abcdef", "1234567"] System.write("Sorting in descending order by length in codepoints:\n%(list) -> ") list.sort { |a, b| a.count > b.count } System.print(list)
http://rosettacode.org/wiki/Conway%27s_Game_of_Life
Conway's Game of Life
The Game of Life is a   cellular automaton   devised by the British mathematician   John Horton Conway   in 1970.   It is the best-known example of a cellular automaton. Conway's game of life is described   here: A cell   C   is represented by a   1   when alive,   or   0   when dead,   in an   m-by-m   (or m×m)   square array of cells. We calculate   N   - the sum of live cells in C's   eight-location neighbourhood,   then cell   C   is alive or dead in the next generation based on the following table: C N new C 1 0,1 -> 0 # Lonely 1 4,5,6,7,8 -> 0 # Overcrowded 1 2,3 -> 1 # Lives 0 3 -> 1 # It takes three to give birth! 0 0,1,2,4,5,6,7,8 -> 0 # Barren Assume cells beyond the boundary are always dead. The "game" is actually a zero-player game, meaning that its evolution is determined by its initial state, needing no input from human players.   One interacts with the Game of Life by creating an initial configuration and observing how it evolves. Task Although you should test your implementation on more complex examples such as the   glider   in a larger universe,   show the action of the blinker   (three adjoining cells in a row all alive),   over three generations, in a 3 by 3 grid. References   Its creator John Conway, explains   the game of life.   Video from numberphile on youtube.   John Conway   Inventing Game of Life   - Numberphile video. Related task   Langton's ant   - another well known cellular automaton.
#ERRE
ERRE
  PROGRAM LIFE   !$INTEGER   !$KEY !for C-64 compatibility   CONST Xmax=38,Ymax=20   DIM x,y,N DIM WORLD[39,21],NextWORLD[39,21]   BEGIN   ! Glider test !------------------------------------------ WORLD[1,1]=1 WORLD[1,2]=0 WORLD[1,3]=0 WORLD[2,1]=0 WORLD[2,2]=1 WORLD[2,3]=1 WORLD[3,1]=1 WORLD[3,2]=1 WORLD[3,3]=0 !------------------------------------------   PRINT(CHR$(12);"Press any key to interrupt") LOOP PRINT(CHR$(11);) PRINT PRINT(STRING$(Xmax+2,"-"))  !---------- endless world --------- FOR y=1 TO Ymax DO WORLD[0,y]=WORLD[Xmax,y] WORLD[Xmax+1,y]=WORLD[1,y] END FOR FOR x=1 TO Xmax DO WORLD[x,0]=WORLD[x,Ymax] WORLD[x,Ymax+1]=WORLD[x,1] END FOR WORLD[0,0]=WORLD[Xmax,Ymax] WORLD[Xmax+1,Ymax+1]=WORLD[1,1] WORLD[Xmax+1,0]=WORLD[1,Ymax] WORLD[0,Ymax+1]=WORLD[Xmax,1]  !---------- endless world --------- FOR y=1 TO Ymax DO PRINT("|";) FOR x=1 TO Xmax DO PRINT(CHR$(32+WORLD[x,y]*3);) N=WORLD[x-1,y-1]+WORLD[x-1,y]+WORLD[x-1,y+1]+WORLD[x,y-1] N=N+WORLD[x,y+1]+WORLD[x+1,y-1]+WORLD[x+1,y]+WORLD[x+1,y+1] IF (WORLD[x,y]<>0 AND (N=2 OR N=3)) OR (WORLD[x,y]=0 AND N=3) THEN NextWORLD[x,y]=1 ELSE NextWORLD[x,y]=0 END IF END FOR PRINT("|") END FOR PRINT(STRING$(Xmax+2,"-")) PAUSE(0.1)   FOR x=0 TO Xmax+1 DO FOR y=0 TO Ymax+1 DO WORLD[x,y]=NextWORLD[x,y] NextWORLD[x,y]=0 END FOR END FOR REPEAT GET(A$) UNTIL A$<>"" EXIT IF A$=CHR$(27) END LOOP   PRINT("Press any key to exit") REPEAT UNTIL GETKEY$<>"" END PROGRAM    
http://rosettacode.org/wiki/Compound_data_type
Compound data type
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. Task Create a compound data type: Point(x,y) A compound data type is one that holds multiple independent values. Related task   Enumeration See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#VBA
VBA
Type point x As Integer y As Integer End Type
http://rosettacode.org/wiki/Compound_data_type
Compound data type
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. Task Create a compound data type: Point(x,y) A compound data type is one that holds multiple independent values. Related task   Enumeration See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Vim_Script
Vim Script
function MakePoint(x, y) " 'Constructor' return {"x": a:x, "y": a:y} endfunction   let p1 = MakePoint(3, 2) let p2 = MakePoint(-1, -4)   echon "Point 1: x = " p1.x ", y = " p1.y "\n" echon "Point 2: x = " p2.x ", y = " p2.y "\n"
http://rosettacode.org/wiki/Conditional_structures
Conditional structures
Control Structures These are examples of control structures. You may also be interested in: Conditional structures Exceptions Flow-control structures Loops Task List the conditional structures offered by a programming language. See Wikipedia: conditionals for descriptions. Common conditional structures include if-then-else and switch. Less common are arithmetic if, ternary operator and Hash-based conditionals. Arithmetic if allows tight control over computed gotos, which optimizers have a hard time to figure out.
#Brainf.2A.2A.2A
Brainf***
[.]
http://rosettacode.org/wiki/Compare_a_list_of_strings
Compare a list of strings
Task Given a   list   of arbitrarily many strings, show how to:   test if they are all lexically equal   test if every string is lexically less than the one after it (i.e. whether the list is in strict ascending order) Each of those two tests should result in a single true or false value, which could be used as the condition of an   if   statement or similar. If the input list has less than two elements, the tests should always return true. There is no need to provide a complete program and output. Assume that the strings are already stored in an array/list/sequence/tuple variable (whatever is most idiomatic) with the name   strings,   and just show the expressions for performing those two tests on it (plus of course any includes and custom functions etc. that it needs),   with as little distractions as possible. Try to write your solution in a way that does not modify the original list,   but if it does then please add a note to make that clear to readers. If you need further guidance/clarification,   see #Perl and #Python for solutions that use implicit short-circuiting loops,   and #Raku for a solution that gets away with simply using a built-in language feature. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#J
J
allEq =: 1 = +/@~: NB. or 1 = #@:~. or -: 1&|. or }.-:}:
http://rosettacode.org/wiki/Compare_a_list_of_strings
Compare a list of strings
Task Given a   list   of arbitrarily many strings, show how to:   test if they are all lexically equal   test if every string is lexically less than the one after it (i.e. whether the list is in strict ascending order) Each of those two tests should result in a single true or false value, which could be used as the condition of an   if   statement or similar. If the input list has less than two elements, the tests should always return true. There is no need to provide a complete program and output. Assume that the strings are already stored in an array/list/sequence/tuple variable (whatever is most idiomatic) with the name   strings,   and just show the expressions for performing those two tests on it (plus of course any includes and custom functions etc. that it needs),   with as little distractions as possible. Try to write your solution in a way that does not modify the original list,   but if it does then please add a note to make that clear to readers. If you need further guidance/clarification,   see #Perl and #Python for solutions that use implicit short-circuiting loops,   and #Raku for a solution that gets away with simply using a built-in language feature. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Java
Java
import java.util.Arrays;   public class CompareListOfStrings {   public static void main(String[] args) { String[][] arr = {{"AA", "AA", "AA", "AA"}, {"AA", "ACB", "BB", "CC"}}; for (String[] a : arr) { System.out.println(Arrays.toString(a)); System.out.println(Arrays.stream(a).distinct().count() < 2); System.out.println(Arrays.equals(Arrays.stream(a).distinct().sorted().toArray(), a)); } } }
http://rosettacode.org/wiki/Comma_quibbling
Comma quibbling
Comma quibbling is a task originally set by Eric Lippert in his blog. Task Write a function to generate a string output which is the concatenation of input words from a list/sequence where: An input of no words produces the output string of just the two brace characters "{}". An input of just one word, e.g. ["ABC"], produces the output string of the word inside the two braces, e.g. "{ABC}". An input of two words, e.g. ["ABC", "DEF"], produces the output string of the two words inside the two braces with the words separated by the string " and ", e.g. "{ABC and DEF}". An input of three or more words, e.g. ["ABC", "DEF", "G", "H"], produces the output string of all but the last word separated by ", " with the last word separated by " and " and all within braces; e.g. "{ABC, DEF, G and H}". Test your function with the following series of inputs showing your output here on this page: [] # (No input words). ["ABC"] ["ABC", "DEF"] ["ABC", "DEF", "G", "H"] Note: Assume words are non-empty strings of uppercase characters for this task.
#CLU
CLU
quibble = proc (words: array[string]) returns (string) out: string := "{" last: int := array[string]$high(words)   for i: int in array[string]$indexes(words) do out := out || words[i] if i < last-1 then out := out || ", " elseif i = last-1 then out := out || " and " end end return(out || "}") end quibble   start_up = proc () as = array[string] aas = array[as] po: stream := stream$primary_output()   testcases: aas := aas$ [as$[], as$["ABC"], as$["ABC","DEF"], as$["ABC","DEF","G","H"]]   for testcase: as in aas$elements(testcases) do stream$putl(po, quibble(testcase)) end end start_up
http://rosettacode.org/wiki/Comma_quibbling
Comma quibbling
Comma quibbling is a task originally set by Eric Lippert in his blog. Task Write a function to generate a string output which is the concatenation of input words from a list/sequence where: An input of no words produces the output string of just the two brace characters "{}". An input of just one word, e.g. ["ABC"], produces the output string of the word inside the two braces, e.g. "{ABC}". An input of two words, e.g. ["ABC", "DEF"], produces the output string of the two words inside the two braces with the words separated by the string " and ", e.g. "{ABC and DEF}". An input of three or more words, e.g. ["ABC", "DEF", "G", "H"], produces the output string of all but the last word separated by ", " with the last word separated by " and " and all within braces; e.g. "{ABC, DEF, G and H}". Test your function with the following series of inputs showing your output here on this page: [] # (No input words). ["ABC"] ["ABC", "DEF"] ["ABC", "DEF", "G", "H"] Note: Assume words are non-empty strings of uppercase characters for this task.
#COBOL
COBOL
>>SOURCE FORMAT IS FREE IDENTIFICATION DIVISION. PROGRAM-ID. comma-quibbling-test.   ENVIRONMENT DIVISION. CONFIGURATION SECTION. REPOSITORY. FUNCTION comma-quibbling . DATA DIVISION. WORKING-STORAGE SECTION. 01 strs-area. 03 strs-len PIC 9. 03 strs PIC X(5) OCCURS 0 TO 9 TIMES DEPENDING ON strs-len.   PROCEDURE DIVISION. MOVE "ABC" TO strs (1) MOVE "DEF" TO strs (2) MOVE "G" TO strs (3) MOVE "H" TO strs (4)   PERFORM VARYING strs-len FROM 0 BY 1 UNTIL strs-len > 4 DISPLAY FUNCTION comma-quibbling(strs-area) END-PERFORM . END PROGRAM comma-quibbling-test.     IDENTIFICATION DIVISION. FUNCTION-ID. comma-quibbling.   DATA DIVISION. LOCAL-STORAGE SECTION. 01 i PIC 9.   01 num-extra-words PIC 9.   LINKAGE SECTION. 01 strs-area. 03 strs-len PIC 9. 03 strs PIC X(5) OCCURS 0 TO 9 TIMES DEPENDING ON strs-len.   01 str PIC X(50).   PROCEDURE DIVISION USING strs-area RETURNING str. EVALUATE strs-len WHEN ZERO MOVE "{}" TO str GOBACK   WHEN 1 MOVE FUNCTION CONCATENATE("{", FUNCTION TRIM(strs (1)), "}") TO str GOBACK END-EVALUATE   MOVE FUNCTION CONCATENATE(FUNCTION TRIM(strs (strs-len - 1)), " and ", FUNCTION TRIM(strs (strs-len)), "}") TO str   IF strs-len > 2 SUBTRACT 2 FROM strs-len GIVING num-extra-words PERFORM VARYING i FROM num-extra-words BY -1 UNTIL i = 0 MOVE FUNCTION CONCATENATE(FUNCTION TRIM(strs (i)), ", ", str) TO str END-PERFORM END-IF   MOVE FUNCTION CONCATENATE("{", str) TO str . END FUNCTION comma-quibbling.
http://rosettacode.org/wiki/Combinations_with_repetitions
Combinations with repetitions
The set of combinations with repetitions is computed from a set, S {\displaystyle S} (of cardinality n {\displaystyle n} ), and a size of resulting selection, k {\displaystyle k} , by reporting the sets of cardinality k {\displaystyle k} where each member of those sets is chosen from S {\displaystyle S} . In the real world, it is about choosing sets where there is a “large” supply of each type of element and where the order of choice does not matter. For example: Q: How many ways can a person choose two doughnuts from a store selling three types of doughnut: iced, jam, and plain? (i.e., S {\displaystyle S} is { i c e d , j a m , p l a i n } {\displaystyle \{\mathrm {iced} ,\mathrm {jam} ,\mathrm {plain} \}} , | S | = 3 {\displaystyle |S|=3} , and k = 2 {\displaystyle k=2} .) A: 6: {iced, iced}; {iced, jam}; {iced, plain}; {jam, jam}; {jam, plain}; {plain, plain}. Note that both the order of items within a pair, and the order of the pairs given in the answer is not significant; the pairs represent multisets. Also note that doughnut can also be spelled donut. Task Write a function/program/routine/.. to generate all the combinations with repetitions of n {\displaystyle n} types of things taken k {\displaystyle k} at a time and use it to show an answer to the doughnut example above. For extra credit, use the function to compute and show just the number of ways of choosing three doughnuts from a choice of ten types of doughnut. Do not show the individual choices for this part. References k-combination with repetitions See also The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#Egison
Egison
  (define $comb/rep (lambda [$n $xs] (match-all xs (list something) [(loop $i [1 ,n] <join _ (& <cons $a_i _> ...)> _) a])))   (test (comb/rep 2 {"iced" "jam" "plain"}))  
http://rosettacode.org/wiki/Combinations_with_repetitions
Combinations with repetitions
The set of combinations with repetitions is computed from a set, S {\displaystyle S} (of cardinality n {\displaystyle n} ), and a size of resulting selection, k {\displaystyle k} , by reporting the sets of cardinality k {\displaystyle k} where each member of those sets is chosen from S {\displaystyle S} . In the real world, it is about choosing sets where there is a “large” supply of each type of element and where the order of choice does not matter. For example: Q: How many ways can a person choose two doughnuts from a store selling three types of doughnut: iced, jam, and plain? (i.e., S {\displaystyle S} is { i c e d , j a m , p l a i n } {\displaystyle \{\mathrm {iced} ,\mathrm {jam} ,\mathrm {plain} \}} , | S | = 3 {\displaystyle |S|=3} , and k = 2 {\displaystyle k=2} .) A: 6: {iced, iced}; {iced, jam}; {iced, plain}; {jam, jam}; {jam, plain}; {plain, plain}. Note that both the order of items within a pair, and the order of the pairs given in the answer is not significant; the pairs represent multisets. Also note that doughnut can also be spelled donut. Task Write a function/program/routine/.. to generate all the combinations with repetitions of n {\displaystyle n} types of things taken k {\displaystyle k} at a time and use it to show an answer to the doughnut example above. For extra credit, use the function to compute and show just the number of ways of choosing three doughnuts from a choice of ten types of doughnut. Do not show the individual choices for this part. References k-combination with repetitions See also The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#Elixir
Elixir
defmodule RC do def comb_rep(0, _), do: [[]] def comb_rep(_, []), do: [] def comb_rep(n, [h|t]=s) do (for l <- comb_rep(n-1, s), do: [h|l]) ++ comb_rep(n, t) end end   s = [:iced, :jam, :plain] Enum.each(RC.comb_rep(2, s), fn x -> IO.inspect x end)   IO.puts "\nExtra credit: #{length(RC.comb_rep(3, Enum.to_list(1..10)))}"
http://rosettacode.org/wiki/Combinations_and_permutations
Combinations and permutations
This page uses content from Wikipedia. The original article was at Combination. 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) This page uses content from Wikipedia. The original article was at Permutation. 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) Task Implement the combination   (nCk)   and permutation   (nPk)   operators in the target language: n C k = ( n k ) = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle ^{n}\operatorname {C} _{k}={\binom {n}{k}}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} See the Wikipedia articles for a more detailed description. To test, generate and print examples of:   A sample of permutations from 1 to 12 and Combinations from 10 to 60 using exact Integer arithmetic.   A sample of permutations from 5 to 15000 and Combinations from 100 to 1000 using approximate Floating point arithmetic. This 'floating point' code could be implemented using an approximation, e.g., by calling the Gamma function. Related task   Evaluate binomial coefficients The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#Kotlin
Kotlin
// version 1.1.2   import java.math.BigInteger   fun perm(n: Int, k: Int): BigInteger { require(n > 0 && k >= 0) return (n - k + 1 .. n).fold(BigInteger.ONE) { acc, i -> acc * BigInteger.valueOf(i.toLong()) } }   fun comb(n: Int, k: Int): BigInteger { require(n > 0 && k >= 0) val fact = (2..k).fold(BigInteger.ONE) { acc, i -> acc * BigInteger.valueOf(i.toLong()) } return perm(n, k) / fact }   fun main(args: Array<String>) { println("A sample of permutations from 1 to 12:") for (n in 1..12) System.out.printf("%2d P %-2d = %d\n", n, n / 3, perm(n, n / 3))   println("\nA sample of combinations from 10 to 60:") for (n in 10..60 step 10) System.out.printf("%2d C %-2d = %d\n", n, n / 3, comb(n, n / 3))   println("\nA sample of permutations from 5 to 15000:") val na = intArrayOf(5, 50, 500, 1000, 5000, 15000) for (n in na) { val k = n / 3 val s = perm(n, k).toString() val l = s.length val e = if (l <= 40) "" else "... (${l - 40} more digits)" System.out.printf("%5d P %-4d = %s%s\n", n, k, s.take(40), e) }   println("\nA sample of combinations from 100 to 1000:") for (n in 100..1000 step 100) { val k = n / 3 val s = comb(n, k).toString() val l = s.length val e = if (l <= 40) "" else "... (${l - 40} more digits)" System.out.printf("%4d C %-3d = %s%s\n", n, k, s.take(40), e) } }
http://rosettacode.org/wiki/Compiler/lexical_analyzer
Compiler/lexical analyzer
Definition from Wikipedia: Lexical analysis is the process of converting a sequence of characters (such as in a computer program or web page) into a sequence of tokens (strings with an identified "meaning"). A program that performs lexical analysis may be called a lexer, tokenizer, or scanner (though "scanner" is also used to refer to the first stage of a lexer). Task[edit] Create a lexical analyzer for the simple programming language specified below. The program should read input from a file and/or stdin, and write output to a file and/or stdout. If the language being used has a lexer module/library/class, it would be great if two versions of the solution are provided: One without the lexer module, and one with. Input Specification The simple programming language to be analyzed is more or less a subset of C. It supports the following tokens: Operators Name Common name Character sequence Op_multiply multiply * Op_divide divide / Op_mod mod % Op_add plus + Op_subtract minus - Op_negate unary minus - Op_less less than < Op_lessequal less than or equal <= Op_greater greater than > Op_greaterequal greater than or equal >= Op_equal equal == Op_notequal not equal != Op_not unary not ! Op_assign assignment = Op_and logical and && Op_or logical or ¦¦ The - token should always be interpreted as Op_subtract by the lexer. Turning some Op_subtract into Op_negate will be the job of the syntax analyzer, which is not part of this task. Symbols Name Common name Character LeftParen left parenthesis ( RightParen right parenthesis ) LeftBrace left brace { RightBrace right brace } Semicolon semi-colon ; Comma comma , Keywords Name Character sequence Keyword_if if Keyword_else else Keyword_while while Keyword_print print Keyword_putc putc Identifiers and literals These differ from the the previous tokens, in that each occurrence of them has a value associated with it. Name Common name Format description Format regex Value Identifier identifier one or more letter/number/underscore characters, but not starting with a number [_a-zA-Z][_a-zA-Z0-9]* as is Integer integer literal one or more digits [0-9]+ as is, interpreted as a number Integer char literal exactly one character (anything except newline or single quote) or one of the allowed escape sequences, enclosed by single quotes '([^'\n]|\\n|\\\\)' the ASCII code point number of the character, e.g. 65 for 'A' and 10 for '\n' String string literal zero or more characters (anything except newline or double quote), enclosed by double quotes "[^"\n]*" the characters without the double quotes and with escape sequences converted For char and string literals, the \n escape sequence is supported to represent a new-line character. For char and string literals, to represent a backslash, use \\. No other special sequences are supported. This means that: Char literals cannot represent a single quote character (value 39). String literals cannot represent strings containing double quote characters. Zero-width tokens Name Location End_of_input when the end of the input stream is reached White space Zero or more whitespace characters, or comments enclosed in /* ... */, are allowed between any two tokens, with the exceptions noted below. "Longest token matching" is used to resolve conflicts (e.g., in order to match <= as a single token rather than the two tokens < and =). Whitespace is required between two tokens that have an alphanumeric character or underscore at the edge. This means: keywords, identifiers, and integer literals. e.g. ifprint is recognized as an identifier, instead of the keywords if and print. e.g. 42fred is invalid, and neither recognized as a number nor an identifier. Whitespace is not allowed inside of tokens (except for chars and strings where they are part of the value). e.g. & & is invalid, and not interpreted as the && operator. For example, the following two program fragments are equivalent, and should produce the same token stream except for the line and column positions: if ( p /* meaning n is prime */ ) { print ( n , " " ) ; count = count + 1 ; /* number of primes found so far */ } if(p){print(n," ");count=count+1;} Complete list of token names End_of_input Op_multiply Op_divide Op_mod Op_add Op_subtract Op_negate Op_not Op_less Op_lessequal Op_greater Op_greaterequal Op_equal Op_notequal Op_assign Op_and Op_or Keyword_if Keyword_else Keyword_while Keyword_print Keyword_putc LeftParen RightParen LeftBrace RightBrace Semicolon Comma Identifier Integer String Output Format The program output should be a sequence of lines, each consisting of the following whitespace-separated fields: the line number where the token starts the column number where the token starts the token name the token value (only for Identifier, Integer, and String tokens) the number of spaces between fields is up to you. Neatly aligned is nice, but not a requirement. This task is intended to be used as part of a pipeline, with the other compiler tasks - for example: lex < hello.t | parse | gen | vm Or possibly: lex hello.t lex.out parse lex.out parse.out gen parse.out gen.out vm gen.out This implies that the output of this task (the lexical analyzer) should be suitable as input to any of the Syntax Analyzer task programs. Diagnostics The following error conditions should be caught: Error Example Empty character constant '' Unknown escape sequence. \r Multi-character constant. 'xx' End-of-file in comment. Closing comment characters not found. End-of-file while scanning string literal. Closing string character not found. End-of-line while scanning string literal. Closing string character not found before end-of-line. Unrecognized character. | Invalid number. Starts like a number, but ends in non-numeric characters. 123abc Test Cases Input Output Test Case 1: /* Hello world */ print("Hello, World!\n"); 4 1 Keyword_print 4 6 LeftParen 4 7 String "Hello, World!\n" 4 24 RightParen 4 25 Semicolon 5 1 End_of_input Test Case 2: /* Show Ident and Integers */ phoenix_number = 142857; print(phoenix_number, "\n"); 4 1 Identifier phoenix_number 4 16 Op_assign 4 18 Integer 142857 4 24 Semicolon 5 1 Keyword_print 5 6 LeftParen 5 7 Identifier phoenix_number 5 21 Comma 5 23 String "\n" 5 27 RightParen 5 28 Semicolon 6 1 End_of_input Test Case 3: /* All lexical tokens - not syntactically correct, but that will have to wait until syntax analysis */ /* Print */ print /* Sub */ - /* Putc */ putc /* Lss */ < /* If */ if /* Gtr */ > /* Else */ else /* Leq */ <= /* While */ while /* Geq */ >= /* Lbrace */ { /* Eq */ == /* Rbrace */ } /* Neq */ != /* Lparen */ ( /* And */ && /* Rparen */ ) /* Or */ || /* Uminus */ - /* Semi */ ; /* Not */ ! /* Comma */ , /* Mul */ * /* Assign */ = /* Div */ / /* Integer */ 42 /* Mod */ % /* String */ "String literal" /* Add */ + /* Ident */ variable_name /* character literal */ '\n' /* character literal */ '\\' /* character literal */ ' ' 5 16 Keyword_print 5 40 Op_subtract 6 16 Keyword_putc 6 40 Op_less 7 16 Keyword_if 7 40 Op_greater 8 16 Keyword_else 8 40 Op_lessequal 9 16 Keyword_while 9 40 Op_greaterequal 10 16 LeftBrace 10 40 Op_equal 11 16 RightBrace 11 40 Op_notequal 12 16 LeftParen 12 40 Op_and 13 16 RightParen 13 40 Op_or 14 16 Op_subtract 14 40 Semicolon 15 16 Op_not 15 40 Comma 16 16 Op_multiply 16 40 Op_assign 17 16 Op_divide 17 40 Integer 42 18 16 Op_mod 18 40 String "String literal" 19 16 Op_add 19 40 Identifier variable_name 20 26 Integer 10 21 26 Integer 92 22 26 Integer 32 23 1 End_of_input Test Case 4: /*** test printing, embedded \n and comments with lots of '*' ***/ print(42); print("\nHello World\nGood Bye\nok\n"); print("Print a slash n - \\n.\n"); 2 1 Keyword_print 2 6 LeftParen 2 7 Integer 42 2 9 RightParen 2 10 Semicolon 3 1 Keyword_print 3 6 LeftParen 3 7 String "\nHello World\nGood Bye\nok\n" 3 38 RightParen 3 39 Semicolon 4 1 Keyword_print 4 6 LeftParen 4 7 String "Print a slash n - \\n.\n" 4 33 RightParen 4 34 Semicolon 5 1 End_of_input Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Syntax Analyzer task Code Generator task Virtual Machine Interpreter task AST Interpreter task
#Fortran
Fortran
!!! !!! An implementation of the Rosetta Code lexical analyzer task: !!! https://rosettacode.org/wiki/Compiler/lexical_analyzer !!! !!! The C implementation was used as a reference on behavior, but was !!! not adhered to for the implementation. !!!   module string_buffers use, intrinsic :: iso_fortran_env, only: error_unit use, intrinsic :: iso_fortran_env, only: int64   implicit none private   public :: strbuf_t public :: strbuf_t_length_kind public :: strbuf_t_character_kind   integer, parameter :: strbuf_t_length_kind = int64   ! String buffers can handle Unicode. integer, parameter :: strbuf_t_character_kind = selected_char_kind ('ISO_10646')   ! Private abbreviations. integer, parameter :: nk = strbuf_t_length_kind integer, parameter :: ck = strbuf_t_character_kind   type :: strbuf_t integer(kind = nk), private :: len = 0 ! ! ‘chars’ is made public for efficient access to the individual ! characters. ! character(1, kind = ck), allocatable, public :: chars(:) contains procedure, pass, private :: ensure_storage => strbuf_t_ensure_storage procedure, pass :: to_unicode => strbuf_t_to_unicode procedure, pass :: length => strbuf_t_length procedure, pass :: set => strbuf_t_set procedure, pass :: append => strbuf_t_append generic :: assignment(=) => set end type strbuf_t   contains   function strbuf_t_to_unicode (strbuf) result (s) class(strbuf_t), intent(in) :: strbuf character(:, kind = ck), allocatable :: s   ! ! This does not actually ensure that the string is valid Unicode; ! any 31-bit ‘character’ is supported. !   integer(kind = nk) :: i   allocate (character(len = strbuf%len, kind = ck) :: s) do i = 1, strbuf%len s(i:i) = strbuf%chars(i) end do end function strbuf_t_to_unicode   elemental function strbuf_t_length (strbuf) result (n) class(strbuf_t), intent(in) :: strbuf integer(kind = nk) :: n   n = strbuf%len end function strbuf_t_length   elemental function next_power_of_two (x) result (y) integer(kind = nk), intent(in) :: x integer(kind = nk) :: y   ! ! It is assumed that no more than 64 bits are used. ! ! The branch-free algorithm is that of ! https://archive.is/nKxAc#RoundUpPowerOf2 ! ! Fill in bits until one less than the desired power of two is ! reached, and then add one. !   y = x - 1 y = ior (y, ishft (y, -1)) y = ior (y, ishft (y, -2)) y = ior (y, ishft (y, -4)) y = ior (y, ishft (y, -8)) y = ior (y, ishft (y, -16)) y = ior (y, ishft (y, -32)) y = y + 1 end function next_power_of_two   elemental function new_storage_size (length_needed) result (size) integer(kind = nk), intent(in) :: length_needed integer(kind = nk) :: size   ! Increase storage by orders of magnitude.   if (2_nk**32 < length_needed) then size = huge (1_nk) else size = next_power_of_two (length_needed) end if end function new_storage_size   subroutine strbuf_t_ensure_storage (strbuf, length_needed) class(strbuf_t), intent(inout) :: strbuf integer(kind = nk), intent(in) :: length_needed   integer(kind = nk) :: new_size type(strbuf_t) :: new_strbuf   if (.not. allocated (strbuf%chars)) then ! Initialize a new strbuf%chars array. new_size = new_storage_size (length_needed) allocate (strbuf%chars(1:new_size)) else if (ubound (strbuf%chars, 1) < length_needed) then ! Allocate a new strbuf%chars array, larger than the current ! one, but containing the same characters. new_size = new_storage_size (length_needed) allocate (new_strbuf%chars(1:new_size)) new_strbuf%chars(1:strbuf%len) = strbuf%chars(1:strbuf%len) call move_alloc (new_strbuf%chars, strbuf%chars) end if end subroutine strbuf_t_ensure_storage   subroutine strbuf_t_set (dst, src) class(strbuf_t), intent(inout) :: dst class(*), intent(in) :: src   integer(kind = nk) :: n integer(kind = nk) :: i   select type (src) type is (character(*, kind = ck)) n = len (src, kind = nk) call dst%ensure_storage(n) do i = 1, n dst%chars(i) = src(i:i) end do dst%len = n type is (character(*)) n = len (src, kind = nk) call dst%ensure_storage(n) do i = 1, n dst%chars(i) = src(i:i) end do dst%len = n class is (strbuf_t) n = src%len call dst%ensure_storage(n) dst%chars(1:n) = src%chars(1:n) dst%len = n class default error stop end select end subroutine strbuf_t_set   subroutine strbuf_t_append (dst, src) class(strbuf_t), intent(inout) :: dst class(*), intent(in) :: src   integer(kind = nk) :: n_dst, n_src, n integer(kind = nk) :: i   select type (src) type is (character(*, kind = ck)) n_dst = dst%len n_src = len (src, kind = nk) n = n_dst + n_src call dst%ensure_storage(n) do i = 1, n_src dst%chars(n_dst + i) = src(i:i) end do dst%len = n type is (character(*)) n_dst = dst%len n_src = len (src, kind = nk) n = n_dst + n_src call dst%ensure_storage(n) do i = 1, n_src dst%chars(n_dst + i) = src(i:i) end do dst%len = n class is (strbuf_t) n_dst = dst%len n_src = src%len n = n_dst + n_src call dst%ensure_storage(n) dst%chars((n_dst + 1):n) = src%chars(1:n_src) dst%len = n class default error stop end select end subroutine strbuf_t_append   end module string_buffers   module lexical_analysis use, intrinsic :: iso_fortran_env, only: input_unit use, intrinsic :: iso_fortran_env, only: output_unit use, intrinsic :: iso_fortran_env, only: error_unit use, intrinsic :: iso_fortran_env, only: int32 use, non_intrinsic :: string_buffers   implicit none private   public :: lexer_input_t public :: lexer_output_t public :: run_lexer   integer, parameter :: input_file_unit_no = 100 integer, parameter :: output_file_unit_no = 101   ! Private abbreviations. integer, parameter :: nk = strbuf_t_length_kind integer, parameter :: ck = strbuf_t_character_kind   ! Integers large enough for a Unicode code point. Unicode code ! points (and UCS-4) have never been allowed to go higher than ! 7FFFFFFF, and are even further restricted now. integer, parameter :: ichar_kind = int32   character(1, kind = ck), parameter :: horizontal_tab_char = char (9, kind = ck) character(1, kind = ck), parameter :: linefeed_char = char (10, kind = ck) character(1, kind = ck), parameter :: vertical_tab_char = char (11, kind = ck) character(1, kind = ck), parameter :: formfeed_char = char (12, kind = ck) character(1, kind = ck), parameter :: carriage_return_char = char (13, kind = ck) character(1, kind = ck), parameter :: space_char = ck_' '   ! The following is correct for Unix and its relatives. character(1, kind = ck), parameter :: newline_char = linefeed_char   character(1, kind = ck), parameter :: backslash_char = char (92, kind = ck)   character(*, kind = ck), parameter :: newline_intstring = ck_'10' character(*, kind = ck), parameter :: backslash_intstring = ck_'92'   integer, parameter :: tk_EOI = 0 integer, parameter :: tk_Mul = 1 integer, parameter :: tk_Div = 2 integer, parameter :: tk_Mod = 3 integer, parameter :: tk_Add = 4 integer, parameter :: tk_Sub = 5 integer, parameter :: tk_Negate = 6 integer, parameter :: tk_Not = 7 integer, parameter :: tk_Lss = 8 integer, parameter :: tk_Leq = 9 integer, parameter :: tk_Gtr = 10 integer, parameter :: tk_Geq = 11 integer, parameter :: tk_Eq = 12 integer, parameter :: tk_Neq = 13 integer, parameter :: tk_Assign = 14 integer, parameter :: tk_And = 15 integer, parameter :: tk_Or = 16 integer, parameter :: tk_If = 17 integer, parameter :: tk_Else = 18 integer, parameter :: tk_While = 19 integer, parameter :: tk_Print = 20 integer, parameter :: tk_Putc = 21 integer, parameter :: tk_Lparen = 22 integer, parameter :: tk_Rparen = 23 integer, parameter :: tk_Lbrace = 24 integer, parameter :: tk_Rbrace = 25 integer, parameter :: tk_Semi = 26 integer, parameter :: tk_Comma = 27 integer, parameter :: tk_Ident = 28 integer, parameter :: tk_Integer = 29 integer, parameter :: tk_String = 30   character(len = 16), parameter :: token_names(0:30) = & & (/ "End_of_input ", "Op_multiply ", "Op_divide ", "Op_mod ", "Op_add ", & & "Op_subtract ", "Op_negate ", "Op_not ", "Op_less ", "Op_lessequal ", & & "Op_greater ", "Op_greaterequal ", "Op_equal ", "Op_notequal ", "Op_assign ", & & "Op_and ", "Op_or ", "Keyword_if ", "Keyword_else ", "Keyword_while ", & & "Keyword_print ", "Keyword_putc ", "LeftParen ", "RightParen ", "LeftBrace ", & & "RightBrace ", "Semicolon ", "Comma ", "Identifier ", "Integer ", & & "String " /)   type :: token_t integer :: token_no   ! Our implementation stores the value of a tk_Integer as a ! string. The C reference implementation stores it as an int. character(:, kind = ck), allocatable :: val   integer(nk) :: line_no integer(nk) :: column_no end type token_t   type :: lexer_input_t logical, private :: using_input_unit = .true. integer, private :: unit_no = -(huge (1)) integer(kind = nk) :: line_no = 1 integer(kind = nk) :: column_no = 0 integer, private :: unget_count = 0   ! The maximum lookahead is 2, although I believe we are using ! only 1. In principle, the lookahead could be any finite number. character(1, kind = ck), private :: unget_buffer(1:2) logical, private :: unget_eof_buffer(1:2)   ! Using the same strbuf_t multiple times reduces the need for ! reallocations. Putting that strbuf_t in the lexer_input_t is ! simply for convenience. type(strbuf_t), private :: strbuf   contains ! ! Note: There is currently no facility for closing one input and ! switching to another. ! ! Note: There is currently no facility to decode inputs into ! Unicode codepoints. Instead, what happens is raw bytes of ! input get stored as strbuf_t_character_kind values. This ! behavior is adequate for ASCII inputs. ! procedure, pass :: use_file => lexer_input_t_use_file procedure, pass :: get_next_ch => lexer_input_t_get_next_ch procedure, pass :: unget_ch => lexer_input_t_unget_ch procedure, pass :: unget_eof => lexer_input_t_unget_eof end type lexer_input_t   type :: lexer_output_t integer, private :: unit_no = output_unit contains procedure, pass :: use_file => lexer_output_t_use_file procedure, pass :: output_token => lexer_output_t_output_token end type lexer_output_t   contains   subroutine lexer_input_t_use_file (inputter, filename) class(lexer_input_t), intent(inout) :: inputter character(*), intent(in) :: filename   integer :: stat   inputter%using_input_unit = .false. inputter%unit_no = input_file_unit_no inputter%line_no = 1 inputter%column_no = 0   open (unit = input_file_unit_no, file = filename, status = 'old', & & action = 'read', access = 'stream', form = 'unformatted', & & iostat = stat) if (stat /= 0) then write (error_unit, '("Error: failed to open ", A, " for input")') filename stop 1 end if end subroutine lexer_input_t_use_file   !!! !!! If you tell gfortran you want -std=f2008 or -std=f2018, you likely !!! will need to add also -fall-intrinsics or -U__GFORTRAN__ !!! !!! The first way, you get the FGETC intrinsic. The latter way, you !!! get the C interface code that uses getchar(3). !!! #ifdef __GFORTRAN__   subroutine get_input_unit_char (c, stat) ! ! The following works if you are using gfortran. ! ! (FGETC is considered a feature for backwards compatibility with ! g77. However, I know of no way to reconfigure input_unit as a ! Fortran 2003 stream, for use with ordinary ‘read’.) ! character, intent(inout) :: c integer, intent(out) :: stat   call fgetc (input_unit, c, stat) end subroutine get_input_unit_char   #else   subroutine get_input_unit_char (c, stat) ! ! An alternative implementation of get_input_unit_char. This ! actually reads input from the C standard input, which might not ! be the same as input_unit. ! use, intrinsic :: iso_c_binding, only: c_int character, intent(inout) :: c integer, intent(out) :: stat   interface ! ! Use getchar(3) to read characters from standard input. This ! assumes there is actually such a function available, and that ! getchar(3) does not exist solely as a macro. (One could write ! one’s own getchar() if necessary, of course.) ! function getchar () result (c) bind (c, name = 'getchar') use, intrinsic :: iso_c_binding, only: c_int integer(kind = c_int) :: c end function getchar end interface   integer(kind = c_int) :: i_char   i_char = getchar () ! ! The C standard requires that EOF have a negative value. If the ! value returned by getchar(3) is not EOF, then it will be ! representable as an unsigned char. Therefore, to check for end ! of file, one need only test whether i_char is negative. ! if (i_char < 0) then stat = -1 else stat = 0 c = char (i_char) end if end subroutine get_input_unit_char   #endif   subroutine lexer_input_t_get_next_ch (inputter, eof, ch) class(lexer_input_t), intent(inout) :: inputter logical, intent(out) :: eof character(1, kind = ck), intent(inout) :: ch   integer :: stat character(1) :: c = '*'   if (0 < inputter%unget_count) then if (inputter%unget_eof_buffer(inputter%unget_count)) then eof = .true. else eof = .false. ch = inputter%unget_buffer(inputter%unget_count) end if inputter%unget_count = inputter%unget_count - 1 else if (inputter%using_input_unit) then call get_input_unit_char (c, stat) else read (unit = inputter%unit_no, iostat = stat) c end if   ch = char (ichar (c, kind = ichar_kind), kind = ck)   if (0 < stat) then write (error_unit, '("Input error with status code ", I0)') stat stop 1 else if (stat < 0) then eof = .true. ! The C reference code increases column number on end of file; ! therefore, so shall we. inputter%column_no = inputter%column_no + 1 else eof = .false. if (ch == newline_char) then inputter%line_no = inputter%line_no + 1 inputter%column_no = 0 else inputter%column_no = inputter%column_no + 1 end if end if end if end subroutine lexer_input_t_get_next_ch   subroutine lexer_input_t_unget_ch (inputter, ch) class(lexer_input_t), intent(inout) :: inputter character(1, kind = ck), intent(in) :: ch   if (ubound (inputter%unget_buffer, 1) <= inputter%unget_count) then write (error_unit, '("class(lexer_input_t) unget buffer overflow")') stop 1 else inputter%unget_count = inputter%unget_count + 1 inputter%unget_buffer(inputter%unget_count) = ch inputter%unget_eof_buffer(inputter%unget_count) = .false. end if end subroutine lexer_input_t_unget_ch   subroutine lexer_input_t_unget_eof (inputter) class(lexer_input_t), intent(inout) :: inputter   if (ubound (inputter%unget_buffer, 1) <= inputter%unget_count) then write (error_unit, '("class(lexer_input_t) unget buffer overflow")') stop 1 else inputter%unget_count = inputter%unget_count + 1 inputter%unget_buffer(inputter%unget_count) = ck_'*' inputter%unget_eof_buffer(inputter%unget_count) = .true. end if end subroutine lexer_input_t_unget_eof   subroutine lexer_output_t_use_file (outputter, filename) class(lexer_output_t), intent(inout) :: outputter character(*), intent(in) :: filename   integer :: stat   outputter%unit_no = output_file_unit_no open (unit = output_file_unit_no, file = filename, action = 'write', iostat = stat) if (stat /= 0) then write (error_unit, '("Error: failed to open ", A, " for output")') filename stop 1 end if end subroutine lexer_output_t_use_file   subroutine lexer_output_t_output_token (outputter, token) class(lexer_output_t), intent(inout) :: outputter class(token_t), intent(in) :: token   select case (token%token_no) case (tk_Integer, tk_Ident, tk_String) write (outputter%unit_no, '(1X, I20, 1X, I20, 1X, A, 1X, A)') & & token%line_no, token%column_no, & & token_names(token%token_no), token%val case default write (outputter%unit_no, '(1X, I20, 1X, I20, 1X, A)') & & token%line_no, token%column_no, & & trim (token_names(token%token_no)) end select end subroutine lexer_output_t_output_token   subroutine run_lexer (inputter, outputter) class(lexer_input_t), intent(inout) :: inputter class(lexer_output_t), intent(inout) :: outputter   type(token_t) :: token   token = get_token (inputter) do while (token%token_no /= tk_EOI) call outputter%output_token (token) token = get_token (inputter) end do call outputter%output_token (token) end subroutine run_lexer   function get_token (inputter) result (token) class(lexer_input_t), intent(inout) :: inputter type(token_t) :: token   logical :: eof character(1, kind = ck) :: ch   call skip_spaces_and_comments (inputter, eof, ch, & & token%line_no, token%column_no)   if (eof) then token%token_no = tk_EOI else select case (ch) case (ck_'{') token%token_no = tk_Lbrace case (ck_'}') token%token_no = tk_Rbrace case (ck_'(') token%token_no = tk_Lparen case (ck_')') token%token_no = tk_Rparen case (ck_'+') token%token_no = tk_Add case (ck_'-') token%token_no = tk_Sub case (ck_'*') token%token_no = tk_Mul case (ck_'%') token%token_no = tk_Mod case (ck_';') token%token_no = tk_Semi case (ck_',') token%token_no = tk_Comma case (ck_'/') token%token_no = tk_Div   case (ck_"'") call read_character_literal   case (ck_'<') call distinguish_operators (ch, ck_'=', tk_Leq, tk_Lss) case (ck_'>') call distinguish_operators (ch, ck_'=', tk_Geq, tk_Gtr) case (ck_'=') call distinguish_operators (ch, ck_'=', tk_Eq, tk_Assign) case (ck_'!') call distinguish_operators (ch, ck_'=', tk_Neq, tk_Not) case (ck_'&') call distinguish_operators (ch, ck_'&', tk_And, tk_EOI) case (ck_'|') call distinguish_operators (ch, ck_'|', tk_Or, tk_EOI)   case (ck_'"') call read_string_literal (ch, ch)   case default if (isdigit (ch)) then call read_numeric_literal (ch) else if (isalpha_or_underscore (ch)) then call read_identifier_or_keyword (ch) else call start_error_message (inputter) write (error_unit, '("unrecognized character ''", A, "''")') ch stop 1 end if end select end if contains   subroutine read_character_literal character(1, kind = ck) :: ch logical :: eof character(20, kind = ck) :: buffer   token%token_no = tk_Integer   call inputter%get_next_ch (eof, ch) if (eof) then call start_error_message (inputter) write (error_unit, '("end of input in character literal")') stop 1 else if (ch == ck_"'") then call start_error_message (inputter) write (error_unit, '("empty character literal")') stop 1 else if (ch == backslash_char) then call inputter%get_next_ch (eof, ch) if (eof) then call start_error_message (inputter) write (error_unit, '("end of input in character literal, after backslash")') stop 1 else if (ch == ck_'n') then allocate (token%val, source = newline_intstring) else if (ch == backslash_char) then allocate (token%val, source = backslash_intstring) else call start_error_message (inputter) write (error_unit, '("unknown escape sequence ''", A, A, "'' in character literal")') & & backslash_char, ch stop 1 end if call read_character_literal_close_quote else call read_character_literal_close_quote write (buffer, '(I0)') ichar (ch, kind = ichar_kind) allocate (token%val, source = trim (buffer)) end if end subroutine read_character_literal   subroutine read_character_literal_close_quote logical :: eof character(1, kind = ck) :: close_quote   call inputter%get_next_ch (eof, close_quote) if (eof) then call start_error_message (inputter) write (error_unit, '("end of input in character literal")') stop 1 else if (close_quote /= ck_"'") then call start_error_message (inputter) write (error_unit, '("multi-character literal")') stop 1 end if end subroutine read_character_literal_close_quote   subroutine distinguish_operators (first_ch, second_ch, & & token_no_if_second_ch, & & token_no_if_no_second_ch) character(1, kind = ck), intent(in) :: first_ch character(1, kind = ck), intent(in) :: second_ch integer, intent(in) :: token_no_if_second_ch integer, intent(in) :: token_no_if_no_second_ch   character(1, kind = ck) :: ch logical :: eof   call inputter%get_next_ch (eof, ch) if (eof) then call inputter%unget_eof token%token_no = token_no_if_no_second_ch else if (ch == second_ch) then token%token_no = token_no_if_second_ch else if (token_no_if_no_second_ch == tk_EOI) then call start_error_message (inputter) write (error_unit, '("unrecognized character ''", A, "''")') first_ch stop 1 else call inputter%unget_ch (ch) token%token_no = token_no_if_no_second_ch end if end subroutine distinguish_operators   subroutine read_string_literal (opening_quote, closing_quote) character(1, kind = ck), intent(in) :: opening_quote character(1, kind = ck), intent(in) :: closing_quote   character(1, kind = ck) :: ch logical :: done   inputter%strbuf = opening_quote done = .false. do while (.not. done) call inputter%get_next_ch (eof, ch) if (eof) then call start_error_message (inputter) write (error_unit, '("end of input in string literal")') stop 1 else if (ch == closing_quote) then call inputter%strbuf%append(ch) done = .true. else if (ch == newline_char) then call start_error_message (inputter) write (error_unit, '("end of line in string literal")') stop 1 else call inputter%strbuf%append(ch) end if end do allocate (token%val, source = inputter%strbuf%to_unicode()) token%token_no = tk_String end subroutine read_string_literal   subroutine read_numeric_literal (first_ch) character(1, kind = ck), intent(in) :: first_ch   character(1, kind = ck) :: ch   token%token_no = tk_Integer   inputter%strbuf = first_ch call inputter%get_next_ch (eof, ch) do while (isdigit (ch)) call inputter%strbuf%append (ch) call inputter%get_next_ch (eof, ch) end do if (isalpha_or_underscore (ch)) then call start_error_message (inputter) write (error_unit, '("invalid numeric literal """, A, """")') & & inputter%strbuf%to_unicode() stop 1 else call inputter%unget_ch (ch) allocate (token%val, source = inputter%strbuf%to_unicode()) end if end subroutine read_numeric_literal   subroutine read_identifier_or_keyword (first_ch) character(1, kind = ck), intent(in) :: first_ch   character(1, kind = ck) :: ch   inputter%strbuf = first_ch call inputter%get_next_ch (eof, ch) do while (isalnum_or_underscore (ch)) call inputter%strbuf%append (ch) call inputter%get_next_ch (eof, ch) end do   call inputter%unget_ch (ch)   ! ! The following is a handwritten ‘implicit radix tree’ search ! for keywords, first partitioning the set of keywords according ! to their lengths. ! ! I did it this way for fun. One could, of course, write a ! program to generate code for such a search. ! ! Perfect hashes are another method one could use. ! ! The reference C implementation uses a binary search. ! token%token_no = tk_Ident select case (inputter%strbuf%length()) case (2) select case (inputter%strbuf%chars(1)) case (ck_'i') select case (inputter%strbuf%chars(2)) case (ck_'f') token%token_no = tk_If case default continue end select case default continue end select case (4) select case (inputter%strbuf%chars(1)) case (ck_'e') select case (inputter%strbuf%chars(2)) case (ck_'l') select case (inputter%strbuf%chars(3)) case (ck_'s') select case (inputter%strbuf%chars(4)) case (ck_'e') token%token_no = tk_Else case default continue end select case default continue end select case default continue end select case (ck_'p') select case (inputter%strbuf%chars(2)) case (ck_'u') select case (inputter%strbuf%chars(3)) case (ck_'t') select case (inputter%strbuf%chars(4)) case (ck_'c') token%token_no = tk_Putc case default continue end select case default continue end select case default continue end select case default continue end select case (5) select case (inputter%strbuf%chars(1)) case (ck_'p') select case (inputter%strbuf%chars(2)) case (ck_'r') select case (inputter%strbuf%chars(3)) case (ck_'i') select case (inputter%strbuf%chars(4)) case (ck_'n') select case (inputter%strbuf%chars(5)) case (ck_'t') token%token_no = tk_Print case default continue end select case default continue end select case default continue end select case default continue end select case (ck_'w') select case (inputter%strbuf%chars(2)) case (ck_'h') select case (inputter%strbuf%chars(3)) case (ck_'i') select case (inputter%strbuf%chars(4)) case (ck_'l') select case (inputter%strbuf%chars(5)) case (ck_'e') token%token_no = tk_While case default continue end select case default continue end select case default continue end select case default continue end select case default continue end select case default continue end select if (token%token_no == tk_Ident) then allocate (token%val, source = inputter%strbuf%to_unicode ()) end if end subroutine read_identifier_or_keyword   end function get_token   subroutine skip_spaces_and_comments (inputter, eof, ch, line_no, column_no) ! ! This procedure skips spaces and comments, and also captures the ! line and column numbers at the correct moment to indicate the ! start of a token. ! class(lexer_input_t), intent(inout) :: inputter logical, intent(out) :: eof character(1, kind = ck), intent(inout) :: ch integer(kind = nk), intent(out) :: line_no integer(kind = nk), intent(out) :: column_no   integer(kind = nk), parameter :: not_done = -(huge (1_nk))   line_no = not_done do while (line_no == not_done) call inputter%get_next_ch (eof, ch) if (eof) then line_no = inputter%line_no column_no = inputter%column_no else if (ch == ck_'/') then line_no = inputter%line_no column_no = inputter%column_no call inputter%get_next_ch (eof, ch) if (eof) then call inputter%unget_eof ch = ck_'/' else if (ch /= ck_'*') then call inputter%unget_ch (ch) ch = ck_'/' else call read_to_end_of_comment line_no = not_done end if else if (.not. isspace (ch)) then line_no = inputter%line_no column_no = inputter%column_no end if end do   contains   subroutine read_to_end_of_comment logical :: done   done = .false. do while (.not. done) call inputter%get_next_ch (eof, ch) if (eof) then call end_of_input_in_comment else if (ch == ck_'*') then call inputter%get_next_ch (eof, ch) if (eof) then call end_of_input_in_comment else if (ch == ck_'/') then done = .true. end if end if end do end subroutine read_to_end_of_comment   subroutine end_of_input_in_comment call start_error_message (inputter) write (error_unit, '("end of input in comment")') stop 1 end subroutine end_of_input_in_comment   end subroutine skip_spaces_and_comments   subroutine start_error_message (inputter) class(lexer_input_t), intent(inout) :: inputter   write (error_unit, '("Lexical error at ", I0, ".", I0, ": ")', advance = 'no') & & inputter%line_no, inputter%column_no end subroutine start_error_message   elemental function isspace (ch) result (bool) character(1, kind = ck), intent(in) :: ch logical :: bool   bool = (ch == horizontal_tab_char) .or. & & (ch == linefeed_char) .or. & & (ch == vertical_tab_char) .or. & & (ch == formfeed_char) .or. & & (ch == carriage_return_char) .or. & & (ch == space_char) end function isspace   elemental function isupper (ch) result (bool) character(1, kind = ck), intent(in) :: ch logical :: bool   integer(kind = ichar_kind), parameter :: uppercase_A = ichar (ck_'A', kind = ichar_kind) integer(kind = ichar_kind), parameter :: uppercase_Z = ichar (ck_'Z', kind = ichar_kind)   integer(kind = ichar_kind) :: i_ch   i_ch = ichar (ch, kind = ichar_kind) bool = (uppercase_A <= i_ch .and. i_ch <= uppercase_Z) end function isupper   elemental function islower (ch) result (bool) character(1, kind = ck), intent(in) :: ch logical :: bool   integer(kind = ichar_kind), parameter :: lowercase_a = ichar (ck_'a', kind = ichar_kind) integer(kind = ichar_kind), parameter :: lowercase_z = ichar (ck_'z', kind = ichar_kind)   integer(kind = ichar_kind) :: i_ch   i_ch = ichar (ch, kind = ichar_kind) bool = (lowercase_a <= i_ch .and. i_ch <= lowercase_z) end function islower   elemental function isalpha (ch) result (bool) character(1, kind = ck), intent(in) :: ch logical :: bool   bool = isupper (ch) .or. islower (ch) end function isalpha   elemental function isdigit (ch) result (bool) character(1, kind = ck), intent(in) :: ch logical :: bool   integer(kind = ichar_kind), parameter :: zero = ichar (ck_'0', kind = ichar_kind) integer(kind = ichar_kind), parameter :: nine = ichar (ck_'9', kind = ichar_kind)   integer(kind = ichar_kind) :: i_ch   i_ch = ichar (ch, kind = ichar_kind) bool = (zero <= i_ch .and. i_ch <= nine) end function isdigit   elemental function isalnum (ch) result (bool) character(1, kind = ck), intent(in) :: ch logical :: bool   bool = isalpha (ch) .or. isdigit (ch) end function isalnum   elemental function isalpha_or_underscore (ch) result (bool) character(1, kind = ck), intent(in) :: ch logical :: bool   bool = isalpha (ch) .or. (ch == ck_'_') end function isalpha_or_underscore   elemental function isalnum_or_underscore (ch) result (bool) character(1, kind = ck), intent(in) :: ch logical :: bool   bool = isalnum (ch) .or. (ch == ck_'_') end function isalnum_or_underscore   end module lexical_analysis   program lex use, intrinsic :: iso_fortran_env, only: output_unit use, non_intrinsic :: lexical_analysis   implicit none   integer :: arg_count character(200) :: arg type(lexer_input_t) :: inputter type(lexer_output_t) :: outputter   arg_count = command_argument_count () if (3 <= arg_count) then call print_usage else if (arg_count == 0) then call run_lexer (inputter, outputter) else if (arg_count == 1) then call get_command_argument (1, arg) call inputter%use_file(trim (arg)) call run_lexer (inputter, outputter) else if (arg_count == 2) then call get_command_argument (1, arg) call inputter%use_file(trim (arg)) call get_command_argument (2, arg) call outputter%use_file(trim (arg)) call run_lexer (inputter, outputter) end if   contains   subroutine print_usage character(200) :: progname   call get_command_argument (0, progname) write (output_unit, '("Usage: ", A, " [INPUT_FILE [OUTPUT_FILE]]")') & & trim (progname) end subroutine print_usage   end program lex
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#Eiffel
Eiffel
class APPLICATION inherit ARGUMENTS create make feature {NONE} -- Initialization make -- Print values for arguments with options 'c' and 'h'. do print ("Command line argument value for option 'c' is: ") print (separate_character_option_value ('c') + "%N") print ("Command line argument value for option 'h' is: ") print (separate_character_option_value ('h') + "%N") io.read_line -- Keep console window open end end
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#Elena
Elena
import system'routines; import extensions;   public program() { program_arguments.forEvery:(int i) { console.printLine("Argument ",i," is ",program_arguments[i]) } }
http://rosettacode.org/wiki/Comments
Comments
Task Show all ways to include text in a language source file that's completely ignored by the compiler or interpreter. Related tasks   Documentation   Here_document See also   Wikipedia   xkcd (Humor: hand gesture denoting // for "commenting out" people.)
#Befunge
Befunge
& read a number 2+ add two .@ display result and exit ^- inline comments -^ <-^- other comments
http://rosettacode.org/wiki/Comments
Comments
Task Show all ways to include text in a language source file that's completely ignored by the compiler or interpreter. Related tasks   Documentation   Here_document See also   Wikipedia   xkcd (Humor: hand gesture denoting // for "commenting out" people.)
#Blast
Blast
# A hash symbol at the beginning of a line marks the line as a comment  
http://rosettacode.org/wiki/Compiler/virtual_machine_interpreter
Compiler/virtual machine interpreter
A virtual machine implements a computer in software. Task[edit] Write a virtual machine interpreter. This interpreter should be able to run virtual assembly language programs created via the task. This is a byte-coded, 32-bit word stack based virtual machine. The program should read input from a file and/or stdin, and write output to a file and/or stdout. Input format: Given the following program: count = 1; while (count < 10) { print("count is: ", count, "\n"); count = count + 1; } The output from the Code generator is a virtual assembly code program: Output from gen, input to VM Datasize: 1 Strings: 2 "count is: " "\n" 0 push 1 5 store [0] 10 fetch [0] 15 push 10 20 lt 21 jz (43) 65 26 push 0 31 prts 32 fetch [0] 37 prti 38 push 1 43 prts 44 fetch [0] 49 push 1 54 add 55 store [0] 60 jmp (-51) 10 65 halt The first line of the input specifies the datasize required and the number of constant strings, in the order that they are reference via the code. The data can be stored in a separate array, or the data can be stored at the beginning of the stack. Data is addressed starting at 0. If there are 3 variables, the 3rd one if referenced at address 2. If there are one or more constant strings, they come next. The code refers to these strings by their index. The index starts at 0. So if there are 3 strings, and the code wants to reference the 3rd string, 2 will be used. Next comes the actual virtual assembly code. The first number is the code address of that instruction. After that is the instruction mnemonic, followed by optional operands, depending on the instruction. Registers: sp: the stack pointer - points to the next top of stack. The stack is a 32-bit integer array. pc: the program counter - points to the current instruction to be performed. The code is an array of bytes. Data: data string pool Instructions: Each instruction is one byte. The following instructions also have a 32-bit integer operand: fetch [index] where index is an index into the data array. store [index] where index is an index into the data array. push n where value is a 32-bit integer that will be pushed onto the stack. jmp (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. jz (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. The following instructions do not have an operand. They perform their operation directly against the stack: For the following instructions, the operation is performed against the top two entries in the stack: add sub mul div mod lt gt le ge eq ne and or For the following instructions, the operation is performed against the top entry in the stack: neg not Print the word at stack top as a character. prtc Print the word at stack top as an integer. prti Stack top points to an index into the string pool. Print that entry. prts Unconditional stop. halt A simple example virtual machine def run_vm(data_size) int stack[data_size + 1000] set stack[0..data_size - 1] to 0 int pc = 0 while True: op = code[pc] pc += 1   if op == FETCH: stack.append(stack[bytes_to_int(code[pc:pc+word_size])[0]]); pc += word_size elif op == STORE: stack[bytes_to_int(code[pc:pc+word_size])[0]] = stack.pop(); pc += word_size elif op == PUSH: stack.append(bytes_to_int(code[pc:pc+word_size])[0]); pc += word_size elif op == ADD: stack[-2] += stack[-1]; stack.pop() elif op == SUB: stack[-2] -= stack[-1]; stack.pop() elif op == MUL: stack[-2] *= stack[-1]; stack.pop() elif op == DIV: stack[-2] /= stack[-1]; stack.pop() elif op == MOD: stack[-2] %= stack[-1]; stack.pop() elif op == LT: stack[-2] = stack[-2] < stack[-1]; stack.pop() elif op == GT: stack[-2] = stack[-2] > stack[-1]; stack.pop() elif op == LE: stack[-2] = stack[-2] <= stack[-1]; stack.pop() elif op == GE: stack[-2] = stack[-2] >= stack[-1]; stack.pop() elif op == EQ: stack[-2] = stack[-2] == stack[-1]; stack.pop() elif op == NE: stack[-2] = stack[-2] != stack[-1]; stack.pop() elif op == AND: stack[-2] = stack[-2] and stack[-1]; stack.pop() elif op == OR: stack[-2] = stack[-2] or stack[-1]; stack.pop() elif op == NEG: stack[-1] = -stack[-1] elif op == NOT: stack[-1] = not stack[-1] elif op == JMP: pc += bytes_to_int(code[pc:pc+word_size])[0] elif op == JZ: if stack.pop() then pc += word_size else pc += bytes_to_int(code[pc:pc+word_size])[0] elif op == PRTC: print stack[-1] as a character; stack.pop() elif op == PRTS: print the constant string referred to by stack[-1]; stack.pop() elif op == PRTI: print stack[-1] as an integer; stack.pop() elif op == HALT: break Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Lexical Analyzer task Syntax Analyzer task Code Generator task AST Interpreter task
#Scheme
Scheme
  (import (scheme base) (scheme char) (scheme file) (scheme process-context) (scheme write) (only (srfi 13) string-contains string-delete string-filter string-replace string-tokenize))   (define *word-size* 4)   ;; Mappings from operation symbols to internal procedures. ;; We define operations appropriate to virtual machine: ;; e.g. division must return an int, not a rational ;; boolean values are treated as numbers: 0 is false, other is true (define *unary-ops* (list (cons 'neg (lambda (a) (- a))) (cons 'not (lambda (a) (if (zero? a) 1 0))))) (define *binary-ops* (let ((number-comp (lambda (op) (lambda (a b) (if (op a b) 1 0))))) (list (cons 'add +) (cons 'sub -) (cons 'mul *) (cons 'div (lambda (a b) (truncate (/ a b)))) ; int division (cons 'mod modulo) (cons 'lt (number-comp <)) (cons 'gt (number-comp >)) (cons 'le (number-comp <=)) (cons 'ge (number-comp >=)) (cons 'eq (lambda (a b) (if (= a b) 1 0))) (cons 'ne (lambda (a b) (if (= a b) 0 1))) (cons 'and (lambda (a b) ; make "and" work on numbers (if (and (not (zero? a)) (not (zero? b))) 1 0))) (cons 'or (lambda (a b) ; make "or" work on numbers (if (or (not (zero? a)) (not (zero? b))) 1 0))))))   ;; read information from file, returning vectors for data and strings ;; and a list of the code instructions (define (read-code filename) (define (setup-definitions str) (values ; return vectors for (data strings) of required size (make-vector (string->number (list-ref str 1)) #f) (make-vector (string->number (list-ref str 3)) #f))) (define (read-strings strings) ; read constant strings into data structure (define (replace-newlines chars) ; replace newlines, obeying \\n (cond ((< (length chars) 2) ; finished list chars) ((and (>= (length chars) 3) ; preserve \\n (char=? #\\ (car chars)) (char=? #\\ (cadr chars)) (char=? #\n (cadr (cdr chars)))) (cons (car chars) (cons (cadr chars) (cons (cadr (cdr chars)) (replace-newlines (cdr (cdr (cdr chars)))))))) ((and (char=? #\\ (car chars)) ; replace \n with newline (char=? #\n (cadr chars))) (cons #\newline (replace-newlines (cdr (cdr chars))))) (else ; keep char and look further (cons (car chars) (replace-newlines (cdr chars)))))) (define (tidy-string str) ; remove quotes, map newlines to actual newlines (list->string (replace-newlines (string->list (string-delete #\" str))))) ; " (needed to satisfy rosettacode's scheme syntax highlighter) ; (do ((i 0 (+ i 1))) ((= i (vector-length strings)) ) (vector-set! strings i (tidy-string (read-line))))) (define (read-code) (define (cleanup-code opn) ; tidy instructions, parsing numbers (let ((addr (string->number (car opn))) (instr (string->symbol (cadr opn)))) (cond ((= 2 (length opn)) (list addr instr)) ((= 3 (length opn)) (list addr instr (string->number (string-filter char-numeric? (list-ref opn 2))))) (else ; assume length 4, jump instructions (list addr instr (string->number (list-ref opn 3))))))) ; (let loop ((result '())) (let ((line (read-line))) (if (eof-object? line) (reverse (map cleanup-code result)) (loop (cons (string-tokenize line) result)))))) ; (with-input-from-file filename (lambda () (let-values (((data strings) (setup-definitions (string-tokenize (read-line))))) (read-strings strings) (values data strings (read-code))))))   ;; run the virtual machine (define (run-program data strings code) (define (get-instruction n) (if (assq n code) (cdr (assq n code)) (error "Could not find instruction"))) ; (let loop ((stack '()) (pc 0)) (let ((op (get-instruction pc))) (case (car op) ((fetch) (loop (cons (vector-ref data (cadr op)) stack) (+ pc 1 *word-size*))) ((store) (vector-set! data (cadr op) (car stack)) (loop (cdr stack) (+ pc 1 *word-size*))) ((push) (loop (cons (cadr op) stack) (+ pc 1 *word-size*))) ((add sub mul div mod lt gt le eq ne and or) (let ((instr (assq (car op) *binary-ops*))) (if instr (loop (cons ((cdr instr) (cadr stack) ; replace top two with result (car stack)) (cdr (cdr stack))) (+ pc 1)) (error "Unknown binary operation")))) ((neg not) (let ((instr (assq (car op) *unary-ops*))) (if instr (loop (cons ((cdr instr) (car stack)) ; replace top with result (cdr stack)) (+ pc 1)) (error "Unknown unary operation")))) ((jmp) (loop stack (cadr op))) ((jz) (loop (cdr stack) (if (zero? (car stack)) (cadr op) (+ pc 1 *word-size*)))) ((prtc) (display (integer->char (car stack))) (loop (cdr stack) (+ pc 1))) ((prti) (display (car stack)) (loop (cdr stack) (+ pc 1))) ((prts) (display (vector-ref strings (car stack))) (loop (cdr stack) (+ pc 1))) ((halt) #t)))))   ;; create and run virtual machine from filename passed on command line (if (= 2 (length (command-line))) (let-values (((data strings code) (read-code (cadr (command-line))))) (run-program data strings code)) (display "Error: pass a .asm filename\n"))  
http://rosettacode.org/wiki/Compiler/code_generator
Compiler/code generator
A code generator translates the output of the syntax analyzer and/or semantic analyzer into lower level code, either assembly, object, or virtual. Task[edit] Take the output of the Syntax analyzer task - which is a flattened Abstract Syntax Tree (AST) - and convert it to virtual machine code, that can be run by the Virtual machine interpreter. The output is in text format, and represents virtual assembly code. The program should read input from a file and/or stdin, and write output to a file and/or stdout. Example - given the simple program (below), stored in a file called while.t, create the list of tokens, using one of the Lexical analyzer solutions lex < while.t > while.lex Run one of the Syntax analyzer solutions parse < while.lex > while.ast while.ast can be input into the code generator. The following table shows the input to lex, lex output, the AST produced by the parser, and the generated virtual assembly code. Run as: lex < while.t | parse | gen Input to lex Output from lex, input to parse Output from parse Output from gen, input to VM count = 1; while (count < 10) { print("count is: ", count, "\n"); count = count + 1; } 1 1 Identifier count 1 7 Op_assign 1 9 Integer 1 1 10 Semicolon 2 1 Keyword_while 2 7 LeftParen 2 8 Identifier count 2 14 Op_less 2 16 Integer 10 2 18 RightParen 2 20 LeftBrace 3 5 Keyword_print 3 10 LeftParen 3 11 String "count is: " 3 23 Comma 3 25 Identifier count 3 30 Comma 3 32 String "\n" 3 36 RightParen 3 37 Semicolon 4 5 Identifier count 4 11 Op_assign 4 13 Identifier count 4 19 Op_add 4 21 Integer 1 4 22 Semicolon 5 1 RightBrace 6 1 End_of_input Sequence Sequence ; Assign Identifier count Integer 1 While Less Identifier count Integer 10 Sequence Sequence ; Sequence Sequence Sequence ; Prts String "count is: " ; Prti Identifier count ; Prts String "\n" ; Assign Identifier count Add Identifier count Integer 1 Datasize: 1 Strings: 2 "count is: " "\n" 0 push 1 5 store [0] 10 fetch [0] 15 push 10 20 lt 21 jz (43) 65 26 push 0 31 prts 32 fetch [0] 37 prti 38 push 1 43 prts 44 fetch [0] 49 push 1 54 add 55 store [0] 60 jmp (-51) 10 65 halt Input format As shown in the table, above, the output from the syntax analyzer is a flattened AST. In the AST, Identifier, Integer, and String, are terminal nodes, e.g, they do not have child nodes. Loading this data into an internal parse tree should be as simple as:   def load_ast() line = readline() # Each line has at least one token line_list = tokenize the line, respecting double quotes   text = line_list[0] # first token is always the node type   if text == ";" return None   node_type = text # could convert to internal form if desired   # A line with two tokens is a leaf node # Leaf nodes are: Identifier, Integer String # The 2nd token is the value if len(line_list) > 1 return make_leaf(node_type, line_list[1])   left = load_ast() right = load_ast() return make_node(node_type, left, right)   Output format - refer to the table above The first line is the header: Size of data, and number of constant strings. size of data is the number of 32-bit unique variables used. In this example, one variable, count number of constant strings is just that - how many there are After that, the constant strings Finally, the assembly code Registers sp: the stack pointer - points to the next top of stack. The stack is a 32-bit integer array. pc: the program counter - points to the current instruction to be performed. The code is an array of bytes. Data 32-bit integers and strings Instructions Each instruction is one byte. The following instructions also have a 32-bit integer operand: fetch [index] where index is an index into the data array. store [index] where index is an index into the data array. push n where value is a 32-bit integer that will be pushed onto the stack. jmp (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. jz (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. The following instructions do not have an operand. They perform their operation directly against the stack: For the following instructions, the operation is performed against the top two entries in the stack: add sub mul div mod lt gt le ge eq ne and or For the following instructions, the operation is performed against the top entry in the stack: neg not prtc Print the word at stack top as a character. prti Print the word at stack top as an integer. prts Stack top points to an index into the string pool. Print that entry. halt Unconditional stop. Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Lexical Analyzer task Syntax Analyzer task Virtual Machine Interpreter task AST Interpreter task
#Zig
Zig
  const std = @import("std");   pub const CodeGeneratorError = error{OutOfMemory};   pub const CodeGenerator = struct { allocator: std.mem.Allocator, string_pool: std.ArrayList([]const u8), globals: std.ArrayList([]const u8), bytecode: std.ArrayList(u8),   const Self = @This(); const word_size = @sizeOf(i32);   pub fn init( allocator: std.mem.Allocator, string_pool: std.ArrayList([]const u8), globals: std.ArrayList([]const u8), ) Self { return CodeGenerator{ .allocator = allocator, .string_pool = string_pool, .globals = globals, .bytecode = std.ArrayList(u8).init(allocator), }; }   pub fn gen(self: *Self, ast: ?*Tree) CodeGeneratorError!void { try self.genH(ast); try self.emitHalt(); }   // Helper function to allow recursion. pub fn genH(self: *Self, ast: ?*Tree) CodeGeneratorError!void { if (ast) |t| { switch (t.typ) { .sequence => { try self.genH(t.left); try self.genH(t.right); }, .kw_while => { const condition_address = self.currentAddress(); try self.genH(t.left); try self.emitByte(.jz); const condition_address_hole = self.currentAddress(); try self.emitHole(); try self.genH(t.right); try self.emitByte(.jmp); try self.emitInt(condition_address); self.insertInt(condition_address_hole, self.currentAddress()); }, .kw_if => { try self.genH(t.left); try self.emitByte(.jz); const condition_address_hole = self.currentAddress(); try self.emitHole(); try self.genH(t.right.?.left); if (t.right.?.right) |else_tree| { try self.emitByte(.jmp); const else_address_hole = self.currentAddress(); try self.emitHole(); const else_address = self.currentAddress(); try self.genH(else_tree); self.insertInt(condition_address_hole, else_address); self.insertInt(else_address_hole, self.currentAddress()); } else { self.insertInt(condition_address_hole, self.currentAddress()); } }, .assign => { try self.genH(t.right); try self.emitByte(.store); try self.emitInt(self.fetchGlobalsOffset(t.left.?.value.?.string)); }, .prts => { try self.genH(t.left); try self.emitByte(.prts); }, .prti => { try self.genH(t.left); try self.emitByte(.prti); }, .prtc => { try self.genH(t.left); try self.emitByte(.prtc); }, .string => { try self.emitByte(.push); try self.emitInt(self.fetchStringsOffset(t.value.?.string)); }, .integer => { try self.emitByte(.push); try self.emitInt(t.value.?.integer); }, .identifier => { try self.emitByte(.fetch); try self.emitInt(self.fetchGlobalsOffset(t.value.?.string)); }, .negate, .not => { try self.genH(t.left); try self.emitByte(Op.fromNodeType(t.typ).?); }, .add, .multiply, .subtract, .divide, .mod, .less, .less_equal, .greater, .greater_equal, .equal, .not_equal, .bool_and, .bool_or, => try self.genBinOp(t), .unknown => { std.debug.print("\nINTERP: UNKNOWN {}\n", .{t.typ}); std.os.exit(1); }, } } }   fn genBinOp(self: *Self, tree: *Tree) CodeGeneratorError!void { try self.genH(tree.left); try self.genH(tree.right); try self.emitByte(Op.fromNodeType(tree.typ).?); }   fn emitByte(self: *Self, op: Op) CodeGeneratorError!void { try self.bytecode.append(@enumToInt(op)); }   fn emitInt(self: *Self, n: i32) CodeGeneratorError!void { var n_var = n; var n_bytes = @ptrCast(*[4]u8, &n_var); for (n_bytes) |byte| { try self.bytecode.append(byte); } }   // Holes are later populated via `insertInt` because they can't be known when // we populate the bytecode array sequentially. fn emitHole(self: *Self) CodeGeneratorError!void { try self.emitInt(std.math.maxInt(i32)); }   // Populates the "hole" produced by `emitHole`. fn insertInt(self: *Self, address: i32, n: i32) void { var i: i32 = 0; var n_var = n; var n_bytes = @ptrCast(*[4]u8, &n_var); while (i < word_size) : (i += 1) { self.bytecode.items[@intCast(usize, address + i)] = n_bytes[@intCast(usize, i)]; } }   fn emitHalt(self: *Self) CodeGeneratorError!void { try self.bytecode.append(@enumToInt(Op.halt)); }   fn currentAddress(self: Self) i32 { return @intCast(i32, self.bytecode.items.len); }   fn fetchStringsOffset(self: Self, str: []const u8) i32 { for (self.string_pool.items) |string, idx| { if (std.mem.eql(u8, string, str)) { return @intCast(i32, idx); } } unreachable; }   fn fetchGlobalsOffset(self: Self, str: []const u8) i32 { for (self.globals.items) |global, idx| { if (std.mem.eql(u8, global, str)) { return @intCast(i32, idx); } } unreachable; }   pub fn print(self: Self) ![]u8 { var result = std.ArrayList(u8).init(self.allocator); var writer = result.writer(); try writer.print( "Datasize: {d} Strings: {d}\n", .{ self.globals.items.len, self.string_pool.items.len }, ); for (self.string_pool.items) |string| { try writer.print("{s}\n", .{string}); }   var pc: usize = 0; while (pc < self.bytecode.items.len) : (pc += 1) { try writer.print("{d:>5} ", .{pc}); switch (@intToEnum(Op, self.bytecode.items[pc])) { .push => { try writer.print("push {d}\n", .{self.unpackInt(pc + 1)}); pc += word_size; }, .store => { try writer.print("store [{d}]\n", .{self.unpackInt(pc + 1)}); pc += word_size; }, .fetch => { try writer.print("fetch [{d}]\n", .{self.unpackInt(pc + 1)}); pc += word_size; }, .jz => { const address = self.unpackInt(pc + 1); try writer.print("jz ({d}) {d}\n", .{ address - @intCast(i32, pc) - 1, address }); pc += word_size; }, .jmp => { const address = self.unpackInt(pc + 1); try writer.print("jmp ({d}) {d}\n", .{ address - @intCast(i32, pc) - 1, address }); pc += word_size; }, else => try writer.print("{s}\n", .{Op.toString(@intToEnum(Op, self.bytecode.items[pc]))}), } }   return result.items; }   fn unpackInt(self: Self, pc: usize) i32 { const arg_ptr = @ptrCast(*[4]u8, self.bytecode.items[pc .. pc + word_size]); var arg_array = arg_ptr.*; const arg = @ptrCast(*i32, @alignCast(@alignOf(i32), &arg_array)); return arg.*; } };   pub const Op = enum(u8) { fetch, store, push, add, sub, mul, div, mod, lt, gt, le, ge, eq, ne, @"and", @"or", neg, not, jmp, jz, prtc, prts, prti, halt,   const from_node = std.enums.directEnumArray(NodeType, ?Op, 0, .{ .unknown = null, .identifier = null, .string = null, .integer = null, .sequence = null, .kw_if = null, .prtc = null, .prts = null, .prti = null, .kw_while = null, .assign = null, .negate = .neg, .not = .not, .multiply = .mul, .divide = .div, .mod = .mod, .add = .add, .subtract = .sub, .less = .lt, .less_equal = .le, .greater = .gt, .greater_equal = .ge, .equal = .eq, .not_equal = .ne, .bool_and = .@"and", .bool_or = .@"or", });   pub fn fromNodeType(node_type: NodeType) ?Op { return from_node[@enumToInt(node_type)]; }   const to_string = std.enums.directEnumArray(Op, []const u8, 0, .{ .fetch = "fetch", .store = "store", .push = "push", .add = "add", .sub = "sub", .mul = "mul", .div = "div", .mod = "mod", .lt = "lt", .gt = "gt", .le = "le", .ge = "ge", .eq = "eq", .ne = "ne", .@"and" = "and", .@"or" = "or", .neg = "neg", .not = "not", .jmp = "jmp", .jz = "jz", .prtc = "prtc", .prts = "prts", .prti = "prti", .halt = "halt", });   pub fn toString(self: Op) []const u8 { return to_string[@enumToInt(self)]; } };   pub fn main() !void { var arena = std.heap.ArenaAllocator.init(std.heap.page_allocator); defer arena.deinit(); const allocator = arena.allocator();   var arg_it = std.process.args(); _ = try arg_it.next(allocator) orelse unreachable; // program name const file_name = arg_it.next(allocator); // We accept both files and standard input. var file_handle = blk: { if (file_name) |file_name_delimited| { const fname: []const u8 = try file_name_delimited; break :blk try std.fs.cwd().openFile(fname, .{}); } else { break :blk std.io.getStdIn(); } }; defer file_handle.close(); const input_content = try file_handle.readToEndAlloc(allocator, std.math.maxInt(usize));   var string_pool = std.ArrayList([]const u8).init(allocator); var globals = std.ArrayList([]const u8).init(allocator); const ast = try loadAST(allocator, input_content, &string_pool, &globals); var code_generator = CodeGenerator.init(allocator, string_pool, globals); try code_generator.gen(ast); const result: []const u8 = try code_generator.print(); _ = try std.io.getStdOut().write(result); }   pub const NodeType = enum { unknown, identifier, string, integer, sequence, kw_if, prtc, prts, prti, kw_while, assign, negate, not, multiply, divide, mod, add, subtract, less, less_equal, greater, greater_equal, equal, not_equal, bool_and, bool_or,   const from_string_map = std.ComptimeStringMap(NodeType, .{ .{ "UNKNOWN", .unknown }, .{ "Identifier", .identifier }, .{ "String", .string }, .{ "Integer", .integer }, .{ "Sequence", .sequence }, .{ "If", .kw_if }, .{ "Prtc", .prtc }, .{ "Prts", .prts }, .{ "Prti", .prti }, .{ "While", .kw_while }, .{ "Assign", .assign }, .{ "Negate", .negate }, .{ "Not", .not }, .{ "Multiply", .multiply }, .{ "Divide", .divide }, .{ "Mod", .mod }, .{ "Add", .add }, .{ "Subtract", .subtract }, .{ "Less", .less }, .{ "LessEqual", .less_equal }, .{ "Greater", .greater }, .{ "GreaterEqual", .greater_equal }, .{ "Equal", .equal }, .{ "NotEqual", .not_equal }, .{ "And", .bool_and }, .{ "Or", .bool_or }, });   pub fn fromString(str: []const u8) NodeType { return from_string_map.get(str).?; } };   pub const NodeValue = union(enum) { integer: i32, string: []const u8, };   pub const Tree = struct { left: ?*Tree, right: ?*Tree, typ: NodeType = .unknown, value: ?NodeValue = null,   fn makeNode(allocator: std.mem.Allocator, typ: NodeType, left: ?*Tree, right: ?*Tree) !*Tree { const result = try allocator.create(Tree); result.* = Tree{ .left = left, .right = right, .typ = typ }; return result; }   fn makeLeaf(allocator: std.mem.Allocator, typ: NodeType, value: ?NodeValue) !*Tree { const result = try allocator.create(Tree); result.* = Tree{ .left = null, .right = null, .typ = typ, .value = value }; return result; } };   const LoadASTError = error{OutOfMemory} || std.fmt.ParseIntError;   fn loadAST( allocator: std.mem.Allocator, str: []const u8, string_pool: *std.ArrayList([]const u8), globals: *std.ArrayList([]const u8), ) LoadASTError!?*Tree { var line_it = std.mem.split(u8, str, "\n"); return try loadASTHelper(allocator, &line_it, string_pool, globals); }   fn loadASTHelper( allocator: std.mem.Allocator, line_it: *std.mem.SplitIterator(u8), string_pool: *std.ArrayList([]const u8), globals: *std.ArrayList([]const u8), ) LoadASTError!?*Tree { if (line_it.next()) |line| { var tok_it = std.mem.tokenize(u8, line, " "); const tok_str = tok_it.next().?; if (tok_str[0] == ';') return null;   const node_type = NodeType.fromString(tok_str); const pre_iteration_index = tok_it.index;   if (tok_it.next()) |leaf_value| { const node_value = blk: { switch (node_type) { .integer => break :blk NodeValue{ .integer = try std.fmt.parseInt(i32, leaf_value, 10) }, .identifier => { var already_exists = false; for (globals.items) |global| { if (std.mem.eql(u8, global, leaf_value)) { already_exists = true; break; } } if (!already_exists) try globals.append(leaf_value); break :blk NodeValue{ .string = leaf_value }; }, .string => { tok_it.index = pre_iteration_index; const str = tok_it.rest(); var already_exists = false; for (string_pool.items) |string| { if (std.mem.eql(u8, string, str)) { already_exists = true; break; } } if (!already_exists) try string_pool.append(str); break :blk NodeValue{ .string = str }; }, else => unreachable, } }; return try Tree.makeLeaf(allocator, node_type, node_value); }   const left = try loadASTHelper(allocator, line_it, string_pool, globals); const right = try loadASTHelper(allocator, line_it, string_pool, globals); return try Tree.makeNode(allocator, node_type, left, right); } else { return null; } }  
http://rosettacode.org/wiki/Compare_length_of_two_strings
Compare length of two strings
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation | Comparison | Matching Memory Operations Pointers & references | Addresses Task Given two strings of different length, determine which string is longer or shorter. Print both strings and their length, one on each line. Print the longer one first. Measure the length of your string in terms of bytes or characters, as appropriate for your language. If your language doesn't have an operator for measuring the length of a string, note it. Extra credit Given more than two strings: list = ["abcd","123456789","abcdef","1234567"] Show the strings in descending length order. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#XPL0
XPL0
string 0; \use zero-terminated string convention   func StrLen(A); \Return number of characters in an ASCIIZ string char A; int I; for I:= 0 to -1>>1 do if A(I) = 0 then return I;   char List; int M, N, SN, Len, Max; [List:= ["abcd","123456789","abcdef","1234567"]; for M:= 0 to 3 do [Max:= 0; for N:= 0 to 3 do [Len:= StrLen(@List(N,0)); if Len > Max then [Max:= Len; SN:= N]; ]; Text(0, @List(SN,0)); Text(0, " length is "); IntOut(0, StrLen(@List(SN,0))); CrLf(0); List(SN, 0):= 0; \truncate largest string ]; ]
http://rosettacode.org/wiki/Compare_length_of_two_strings
Compare length of two strings
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation | Comparison | Matching Memory Operations Pointers & references | Addresses Task Given two strings of different length, determine which string is longer or shorter. Print both strings and their length, one on each line. Print the longer one first. Measure the length of your string in terms of bytes or characters, as appropriate for your language. If your language doesn't have an operator for measuring the length of a string, note it. Extra credit Given more than two strings: list = ["abcd","123456789","abcdef","1234567"] Show the strings in descending length order. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Z80_Assembly
Z80 Assembly
Terminator equ 0 ;null terminator PrintChar equ &BB5A ;Amstrad CPC BIOS call, prints accumulator to screen as an ASCII character.   org &8000   ld hl,String1 ld de,String2 call CompareStringLengths   jp nc, Print_HL_First ex de,hl Print_HL_First: push bc push hl call PrintString pop hl push hl ld a,' ' call PrintChar call getStringLength ld a,b call ShowHex_NoLeadingZeroes call NewLine pop hl pop bc   ex de,hl push bc push hl call PrintString pop hl push hl ld a,' ' call PrintChar call getStringLength ld a,b call ShowHex_NoLeadingZeroes call NewLine pop hl pop bc ReturnToBasic: RET   String1: byte "Hello",Terminator String2: byte "Goodbye",Terminator   ;;;;;; RELEVANT SUBROUTINES - PRINTSTRING AND NEWLINE CREATED BY KEITH S. OF CHIBIAKUMAS CompareStringLengths: ;HL = string 1 ;DE = string 2 ;CLOBBERS A,B,C push hl push de ex de,hl call GetStringLength ld b,c   ex de,hl call GetStringLength ld a,b cp c pop de pop hl ret ;returns carry set if HL < DE, zero set if equal, zero & carry clear if HL >= DE ;returns len(DE) in C, and len(HL) in B. ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; GetStringLength: ld b,0 loop_getStringLength: ld a,(hl) cp Terminator ret z inc hl inc b jr loop_getStringLength ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; NewLine: push af ld a,13 ;Carriage return call PrintChar ld a,10 ;Line Feed call PrintChar pop af ret ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; PrintString: ld a,(hl) cp Terminator ret z inc hl call PrintChar jr PrintString ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; ShowHex_NoLeadingZeroes: ;useful for printing values where leading zeroes don't make sense, ; such as money etc. push af and %11110000 ifdef gbz80 ;game boy swap a else ;zilog z80 rrca rrca rrca rrca endif or a call nz,PrintHexChar ;if top nibble of A is zero, don't print it. pop af and %00001111 or a ret z ;if bottom nibble of A is zero, don't print it! jp PrintHexChar ;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;; PrintHexChar: or a ;Clear Carry Flag daa add a,&F0 adc a,&40 ;This sequence converts a 4-bit hex digit to its ASCII equivalent. jp PrintChar
http://rosettacode.org/wiki/Conway%27s_Game_of_Life
Conway's Game of Life
The Game of Life is a   cellular automaton   devised by the British mathematician   John Horton Conway   in 1970.   It is the best-known example of a cellular automaton. Conway's game of life is described   here: A cell   C   is represented by a   1   when alive,   or   0   when dead,   in an   m-by-m   (or m×m)   square array of cells. We calculate   N   - the sum of live cells in C's   eight-location neighbourhood,   then cell   C   is alive or dead in the next generation based on the following table: C N new C 1 0,1 -> 0 # Lonely 1 4,5,6,7,8 -> 0 # Overcrowded 1 2,3 -> 1 # Lives 0 3 -> 1 # It takes three to give birth! 0 0,1,2,4,5,6,7,8 -> 0 # Barren Assume cells beyond the boundary are always dead. The "game" is actually a zero-player game, meaning that its evolution is determined by its initial state, needing no input from human players.   One interacts with the Game of Life by creating an initial configuration and observing how it evolves. Task Although you should test your implementation on more complex examples such as the   glider   in a larger universe,   show the action of the blinker   (three adjoining cells in a row all alive),   over three generations, in a 3 by 3 grid. References   Its creator John Conway, explains   the game of life.   Video from numberphile on youtube.   John Conway   Inventing Game of Life   - Numberphile video. Related task   Langton's ant   - another well known cellular automaton.
#F.23
F#
let count (a: _ [,]) x y = let m, n = a.GetLength 0, a.GetLength 1 let mutable c = 0 for x in x-1..x+1 do for y in y-1..y+1 do if x>=0 && x<m && y>=0 && y<n && a.[x, y] then c <- c + 1 if a.[x, y] then c-1 else c   let rule (a: _ [,]) x y = match a.[x, y], count a x y with | true, (2 | 3) | false, 3 -> true | _ -> false   open System.Windows open System.Windows.Media.Imaging   [<System.STAThread>] do let rand = System.Random() let n = 256 let game = Array2D.init n n (fun _ _ -> rand.Next 2 = 0) |> ref let image = Controls.Image(Stretch=Media.Stretch.Uniform) let format = Media.PixelFormats.Gray8 let pixel = Array.create (n*n) 0uy let update _ = game := rule !game |> Array2D.init n n for x in 0..n-1 do for y in 0..n-1 do pixel.[x+y*n] <- if (!game).[x, y] then 255uy else 0uy image.Source <- BitmapSource.Create(n, n, 1.0, 1.0, format, null, pixel, n) Media.CompositionTarget.Rendering.Add update Window(Content=image, Title="Game of Life") |> (Application()).Run |> ignore
http://rosettacode.org/wiki/Compound_data_type
Compound data type
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. Task Create a compound data type: Point(x,y) A compound data type is one that holds multiple independent values. Related task   Enumeration See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Visual_Basic_.NET
Visual Basic .NET
Structure Point Public X, Y As Integer End Structure
http://rosettacode.org/wiki/Compound_data_type
Compound data type
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. Task Create a compound data type: Point(x,y) A compound data type is one that holds multiple independent values. Related task   Enumeration See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#Wren
Wren
class Point { construct new(x, y) { _x = x _y = y } x { _x } y { _y }   // for illustration allow Points to be mutated x=(value) { _x = value } y=(value) { _y = value }   toString { "(%(_x), %(_y))" } }   var p = Point.new(1, 2) System.print(p.toString)   // mutate Point object p.x = 2 p.y = 3 // print without using the toString method System.printAll(["(", p.x, ", ", p.y, ")"])
http://rosettacode.org/wiki/Conditional_structures
Conditional structures
Control Structures These are examples of control structures. You may also be interested in: Conditional structures Exceptions Flow-control structures Loops Task List the conditional structures offered by a programming language. See Wikipedia: conditionals for descriptions. Common conditional structures include if-then-else and switch. Less common are arithmetic if, ternary operator and Hash-based conditionals. Arithmetic if allows tight control over computed gotos, which optimizers have a hard time to figure out.
#Burlesque
Burlesque
  blsq ) 9 2.%{"Odd""Even"}ch "Odd"  
http://rosettacode.org/wiki/Compare_a_list_of_strings
Compare a list of strings
Task Given a   list   of arbitrarily many strings, show how to:   test if they are all lexically equal   test if every string is lexically less than the one after it (i.e. whether the list is in strict ascending order) Each of those two tests should result in a single true or false value, which could be used as the condition of an   if   statement or similar. If the input list has less than two elements, the tests should always return true. There is no need to provide a complete program and output. Assume that the strings are already stored in an array/list/sequence/tuple variable (whatever is most idiomatic) with the name   strings,   and just show the expressions for performing those two tests on it (plus of course any includes and custom functions etc. that it needs),   with as little distractions as possible. Try to write your solution in a way that does not modify the original list,   but if it does then please add a note to make that clear to readers. If you need further guidance/clarification,   see #Perl and #Python for solutions that use implicit short-circuiting loops,   and #Raku for a solution that gets away with simply using a built-in language feature. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#JavaScript
JavaScript
function allEqual(a) { var out = true, i = 0; while (++i<a.length) { out = out && (a[i-1] === a[i]); } return out; }   function azSorted(a) { var out = true, i = 0; while (++i<a.length) { out = out && (a[i-1] < a[i]); } return out; }   var e = ['AA', 'AA', 'AA', 'AA'], s = ['AA', 'ACB', 'BB', 'CC'], empty = [], single = ['AA']; console.log(allEqual(e)); // true console.log(allEqual(s)); // false console.log(allEqual(empty)); // true console.log(allEqual(single)); // true console.log(azSorted(e)); // false console.log(azSorted(s)); // true console.log(azSorted(empty)); // true console.log(azSorted(single)); // true  
http://rosettacode.org/wiki/Comma_quibbling
Comma quibbling
Comma quibbling is a task originally set by Eric Lippert in his blog. Task Write a function to generate a string output which is the concatenation of input words from a list/sequence where: An input of no words produces the output string of just the two brace characters "{}". An input of just one word, e.g. ["ABC"], produces the output string of the word inside the two braces, e.g. "{ABC}". An input of two words, e.g. ["ABC", "DEF"], produces the output string of the two words inside the two braces with the words separated by the string " and ", e.g. "{ABC and DEF}". An input of three or more words, e.g. ["ABC", "DEF", "G", "H"], produces the output string of all but the last word separated by ", " with the last word separated by " and " and all within braces; e.g. "{ABC, DEF, G and H}". Test your function with the following series of inputs showing your output here on this page: [] # (No input words). ["ABC"] ["ABC", "DEF"] ["ABC", "DEF", "G", "H"] Note: Assume words are non-empty strings of uppercase characters for this task.
#CoffeeScript
CoffeeScript
quibble = ([most..., last]) -> '{' + (most.join ', ') + (if most.length then ' and ' else '') + (last or '') + '}'   console.log quibble(s) for s in [ [], ["ABC"], ["ABC", "DEF"], ["ABC", "DEF", "G", "H" ] ]  
http://rosettacode.org/wiki/Combinations_with_repetitions
Combinations with repetitions
The set of combinations with repetitions is computed from a set, S {\displaystyle S} (of cardinality n {\displaystyle n} ), and a size of resulting selection, k {\displaystyle k} , by reporting the sets of cardinality k {\displaystyle k} where each member of those sets is chosen from S {\displaystyle S} . In the real world, it is about choosing sets where there is a “large” supply of each type of element and where the order of choice does not matter. For example: Q: How many ways can a person choose two doughnuts from a store selling three types of doughnut: iced, jam, and plain? (i.e., S {\displaystyle S} is { i c e d , j a m , p l a i n } {\displaystyle \{\mathrm {iced} ,\mathrm {jam} ,\mathrm {plain} \}} , | S | = 3 {\displaystyle |S|=3} , and k = 2 {\displaystyle k=2} .) A: 6: {iced, iced}; {iced, jam}; {iced, plain}; {jam, jam}; {jam, plain}; {plain, plain}. Note that both the order of items within a pair, and the order of the pairs given in the answer is not significant; the pairs represent multisets. Also note that doughnut can also be spelled donut. Task Write a function/program/routine/.. to generate all the combinations with repetitions of n {\displaystyle n} types of things taken k {\displaystyle k} at a time and use it to show an answer to the doughnut example above. For extra credit, use the function to compute and show just the number of ways of choosing three doughnuts from a choice of ten types of doughnut. Do not show the individual choices for this part. References k-combination with repetitions See also The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#Erlang
Erlang
  -module(comb). -compile(export_all).   comb_rep(0,_) -> [[]]; comb_rep(_,[]) -> []; comb_rep(N,[H|T]=S) -> [[H|L] || L <- comb_rep(N-1,S)]++comb_rep(N,T).  
http://rosettacode.org/wiki/Combinations_with_repetitions
Combinations with repetitions
The set of combinations with repetitions is computed from a set, S {\displaystyle S} (of cardinality n {\displaystyle n} ), and a size of resulting selection, k {\displaystyle k} , by reporting the sets of cardinality k {\displaystyle k} where each member of those sets is chosen from S {\displaystyle S} . In the real world, it is about choosing sets where there is a “large” supply of each type of element and where the order of choice does not matter. For example: Q: How many ways can a person choose two doughnuts from a store selling three types of doughnut: iced, jam, and plain? (i.e., S {\displaystyle S} is { i c e d , j a m , p l a i n } {\displaystyle \{\mathrm {iced} ,\mathrm {jam} ,\mathrm {plain} \}} , | S | = 3 {\displaystyle |S|=3} , and k = 2 {\displaystyle k=2} .) A: 6: {iced, iced}; {iced, jam}; {iced, plain}; {jam, jam}; {jam, plain}; {plain, plain}. Note that both the order of items within a pair, and the order of the pairs given in the answer is not significant; the pairs represent multisets. Also note that doughnut can also be spelled donut. Task Write a function/program/routine/.. to generate all the combinations with repetitions of n {\displaystyle n} types of things taken k {\displaystyle k} at a time and use it to show an answer to the doughnut example above. For extra credit, use the function to compute and show just the number of ways of choosing three doughnuts from a choice of ten types of doughnut. Do not show the individual choices for this part. References k-combination with repetitions See also The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#Fortran
Fortran
  program main integer :: chosen(4) integer :: ssize   character(len=50) :: donuts(4) = [ "iced", "jam", "plain", "something completely different" ]   ssize = choose( chosen, 2, 3 ) write(*,*) "Total = ", ssize   contains   recursive function choose( got, len, maxTypes, nChosen, at ) result ( output ) integer :: got(:) integer :: len integer :: maxTypes integer :: output integer, optional :: nChosen integer, optional :: at   integer :: effNChosen integer :: effAt   integer :: i integer :: counter   effNChosen = 1 if( present(nChosen) ) effNChosen = nChosen   effAt = 1 if( present(at) ) effAt = at   if ( effNChosen == len+1 ) then do i=1,len write(*,"(A10,5X)", advance='no') donuts( got(i)+1 ) end do   write(*,*) ""   output = 1 return end if   counter = 0 do i=effAt,maxTypes got(effNChosen) = i-1 counter = counter + choose( got, len, maxTypes, effNChosen + 1, i ) end do   output = counter return end function choose   end program main  
http://rosettacode.org/wiki/Combinations_and_permutations
Combinations and permutations
This page uses content from Wikipedia. The original article was at Combination. 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) This page uses content from Wikipedia. The original article was at Permutation. 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) Task Implement the combination   (nCk)   and permutation   (nPk)   operators in the target language: n C k = ( n k ) = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle ^{n}\operatorname {C} _{k}={\binom {n}{k}}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} See the Wikipedia articles for a more detailed description. To test, generate and print examples of:   A sample of permutations from 1 to 12 and Combinations from 10 to 60 using exact Integer arithmetic.   A sample of permutations from 5 to 15000 and Combinations from 100 to 1000 using approximate Floating point arithmetic. This 'floating point' code could be implemented using an approximation, e.g., by calling the Gamma function. Related task   Evaluate binomial coefficients The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#M2000_Interpreter
M2000 Interpreter
  Module PermComb { Form 80, 50 perm=lambda (x,y) ->{ def i,z z=1 For i=x-y+1 to x :z*=i:next i =z } fact=lambda (x) ->{ def i,z z=1 For i=2 to x :z*=i:next i =z } comb=lambda (x as decimal, y as decimal) ->{ If y>x then { =0 } else.if x=y then { =1 } else { if x-y<y then y=x-y def decimal i, z=1, ym ym=y For i=x to x-y+1 z*=i z=z/ym ym-- : if ym<1 then ym=1@ next i =round(z,0)   } } Document Doc$ WriteLn("-- Permutations - from 1 to 12") For i=1 to 12 l$="" : For j=1 to i : l$+= format$("P({0},{1})={2} ",i, j,perm(i, j)) :next j Writetext(l$) next i WriteLn("-- Combinations from 10 to 60") For i=10 to 60 step 10 l$="" : For j=1 to i step i div 5 : l$+= format$("C({0},{1})={2} ",i, j,comb(i, j)) :next j Writetext(l$) Next i WriteLn("-- Permutations from 5000 to 15000") For i=5000 to 15000 step 5000 l$="" : For j=10 to 70 step 20: l$+= format$("P({0},{1})={2} ",i, j,perm(i, j)) :next j Writetext(l$) Next i WriteLn("-- Combinations from 200 to 1000") For i=200 to 1000 step 200 l$="" : For j=20 to 100 step 20: l$+= format$("C({0},{1})={2} ",i, j,comb(i, j)) :next j Writetext(l$) Next i ClipBoard Doc$ Sub WriteText(a$) doc$=a$+{ } Report a$ End Sub Sub WriteLn(a$) doc$=a$+{ } Print a$ End Sub } PermComb  
http://rosettacode.org/wiki/Combinations_and_permutations
Combinations and permutations
This page uses content from Wikipedia. The original article was at Combination. 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) This page uses content from Wikipedia. The original article was at Permutation. 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) Task Implement the combination   (nCk)   and permutation   (nPk)   operators in the target language: n C k = ( n k ) = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle ^{n}\operatorname {C} _{k}={\binom {n}{k}}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} See the Wikipedia articles for a more detailed description. To test, generate and print examples of:   A sample of permutations from 1 to 12 and Combinations from 10 to 60 using exact Integer arithmetic.   A sample of permutations from 5 to 15000 and Combinations from 100 to 1000 using approximate Floating point arithmetic. This 'floating point' code could be implemented using an approximation, e.g., by calling the Gamma function. Related task   Evaluate binomial coefficients The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#Maple
Maple
  comb := proc (n::integer, k::integer) return factorial(n)/(factorial(k)*factorial(n-k)); end proc; perm := proc (n::integer, k::integer) return factorial(n)/factorial(n-k); end proc;  
http://rosettacode.org/wiki/Compiler/lexical_analyzer
Compiler/lexical analyzer
Definition from Wikipedia: Lexical analysis is the process of converting a sequence of characters (such as in a computer program or web page) into a sequence of tokens (strings with an identified "meaning"). A program that performs lexical analysis may be called a lexer, tokenizer, or scanner (though "scanner" is also used to refer to the first stage of a lexer). Task[edit] Create a lexical analyzer for the simple programming language specified below. The program should read input from a file and/or stdin, and write output to a file and/or stdout. If the language being used has a lexer module/library/class, it would be great if two versions of the solution are provided: One without the lexer module, and one with. Input Specification The simple programming language to be analyzed is more or less a subset of C. It supports the following tokens: Operators Name Common name Character sequence Op_multiply multiply * Op_divide divide / Op_mod mod % Op_add plus + Op_subtract minus - Op_negate unary minus - Op_less less than < Op_lessequal less than or equal <= Op_greater greater than > Op_greaterequal greater than or equal >= Op_equal equal == Op_notequal not equal != Op_not unary not ! Op_assign assignment = Op_and logical and && Op_or logical or ¦¦ The - token should always be interpreted as Op_subtract by the lexer. Turning some Op_subtract into Op_negate will be the job of the syntax analyzer, which is not part of this task. Symbols Name Common name Character LeftParen left parenthesis ( RightParen right parenthesis ) LeftBrace left brace { RightBrace right brace } Semicolon semi-colon ; Comma comma , Keywords Name Character sequence Keyword_if if Keyword_else else Keyword_while while Keyword_print print Keyword_putc putc Identifiers and literals These differ from the the previous tokens, in that each occurrence of them has a value associated with it. Name Common name Format description Format regex Value Identifier identifier one or more letter/number/underscore characters, but not starting with a number [_a-zA-Z][_a-zA-Z0-9]* as is Integer integer literal one or more digits [0-9]+ as is, interpreted as a number Integer char literal exactly one character (anything except newline or single quote) or one of the allowed escape sequences, enclosed by single quotes '([^'\n]|\\n|\\\\)' the ASCII code point number of the character, e.g. 65 for 'A' and 10 for '\n' String string literal zero or more characters (anything except newline or double quote), enclosed by double quotes "[^"\n]*" the characters without the double quotes and with escape sequences converted For char and string literals, the \n escape sequence is supported to represent a new-line character. For char and string literals, to represent a backslash, use \\. No other special sequences are supported. This means that: Char literals cannot represent a single quote character (value 39). String literals cannot represent strings containing double quote characters. Zero-width tokens Name Location End_of_input when the end of the input stream is reached White space Zero or more whitespace characters, or comments enclosed in /* ... */, are allowed between any two tokens, with the exceptions noted below. "Longest token matching" is used to resolve conflicts (e.g., in order to match <= as a single token rather than the two tokens < and =). Whitespace is required between two tokens that have an alphanumeric character or underscore at the edge. This means: keywords, identifiers, and integer literals. e.g. ifprint is recognized as an identifier, instead of the keywords if and print. e.g. 42fred is invalid, and neither recognized as a number nor an identifier. Whitespace is not allowed inside of tokens (except for chars and strings where they are part of the value). e.g. & & is invalid, and not interpreted as the && operator. For example, the following two program fragments are equivalent, and should produce the same token stream except for the line and column positions: if ( p /* meaning n is prime */ ) { print ( n , " " ) ; count = count + 1 ; /* number of primes found so far */ } if(p){print(n," ");count=count+1;} Complete list of token names End_of_input Op_multiply Op_divide Op_mod Op_add Op_subtract Op_negate Op_not Op_less Op_lessequal Op_greater Op_greaterequal Op_equal Op_notequal Op_assign Op_and Op_or Keyword_if Keyword_else Keyword_while Keyword_print Keyword_putc LeftParen RightParen LeftBrace RightBrace Semicolon Comma Identifier Integer String Output Format The program output should be a sequence of lines, each consisting of the following whitespace-separated fields: the line number where the token starts the column number where the token starts the token name the token value (only for Identifier, Integer, and String tokens) the number of spaces between fields is up to you. Neatly aligned is nice, but not a requirement. This task is intended to be used as part of a pipeline, with the other compiler tasks - for example: lex < hello.t | parse | gen | vm Or possibly: lex hello.t lex.out parse lex.out parse.out gen parse.out gen.out vm gen.out This implies that the output of this task (the lexical analyzer) should be suitable as input to any of the Syntax Analyzer task programs. Diagnostics The following error conditions should be caught: Error Example Empty character constant '' Unknown escape sequence. \r Multi-character constant. 'xx' End-of-file in comment. Closing comment characters not found. End-of-file while scanning string literal. Closing string character not found. End-of-line while scanning string literal. Closing string character not found before end-of-line. Unrecognized character. | Invalid number. Starts like a number, but ends in non-numeric characters. 123abc Test Cases Input Output Test Case 1: /* Hello world */ print("Hello, World!\n"); 4 1 Keyword_print 4 6 LeftParen 4 7 String "Hello, World!\n" 4 24 RightParen 4 25 Semicolon 5 1 End_of_input Test Case 2: /* Show Ident and Integers */ phoenix_number = 142857; print(phoenix_number, "\n"); 4 1 Identifier phoenix_number 4 16 Op_assign 4 18 Integer 142857 4 24 Semicolon 5 1 Keyword_print 5 6 LeftParen 5 7 Identifier phoenix_number 5 21 Comma 5 23 String "\n" 5 27 RightParen 5 28 Semicolon 6 1 End_of_input Test Case 3: /* All lexical tokens - not syntactically correct, but that will have to wait until syntax analysis */ /* Print */ print /* Sub */ - /* Putc */ putc /* Lss */ < /* If */ if /* Gtr */ > /* Else */ else /* Leq */ <= /* While */ while /* Geq */ >= /* Lbrace */ { /* Eq */ == /* Rbrace */ } /* Neq */ != /* Lparen */ ( /* And */ && /* Rparen */ ) /* Or */ || /* Uminus */ - /* Semi */ ; /* Not */ ! /* Comma */ , /* Mul */ * /* Assign */ = /* Div */ / /* Integer */ 42 /* Mod */ % /* String */ "String literal" /* Add */ + /* Ident */ variable_name /* character literal */ '\n' /* character literal */ '\\' /* character literal */ ' ' 5 16 Keyword_print 5 40 Op_subtract 6 16 Keyword_putc 6 40 Op_less 7 16 Keyword_if 7 40 Op_greater 8 16 Keyword_else 8 40 Op_lessequal 9 16 Keyword_while 9 40 Op_greaterequal 10 16 LeftBrace 10 40 Op_equal 11 16 RightBrace 11 40 Op_notequal 12 16 LeftParen 12 40 Op_and 13 16 RightParen 13 40 Op_or 14 16 Op_subtract 14 40 Semicolon 15 16 Op_not 15 40 Comma 16 16 Op_multiply 16 40 Op_assign 17 16 Op_divide 17 40 Integer 42 18 16 Op_mod 18 40 String "String literal" 19 16 Op_add 19 40 Identifier variable_name 20 26 Integer 10 21 26 Integer 92 22 26 Integer 32 23 1 End_of_input Test Case 4: /*** test printing, embedded \n and comments with lots of '*' ***/ print(42); print("\nHello World\nGood Bye\nok\n"); print("Print a slash n - \\n.\n"); 2 1 Keyword_print 2 6 LeftParen 2 7 Integer 42 2 9 RightParen 2 10 Semicolon 3 1 Keyword_print 3 6 LeftParen 3 7 String "\nHello World\nGood Bye\nok\n" 3 38 RightParen 3 39 Semicolon 4 1 Keyword_print 4 6 LeftParen 4 7 String "Print a slash n - \\n.\n" 4 33 RightParen 4 34 Semicolon 5 1 End_of_input Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Syntax Analyzer task Code Generator task Virtual Machine Interpreter task AST Interpreter task
#FreeBASIC
FreeBASIC
enum Token_type tk_EOI tk_Mul tk_Div tk_Mod tk_Add tk_Sub tk_Negate tk_Not tk_Lss tk_Leq tk_Gtr tk_Geq tk_Eq tk_Neq tk_Assign tk_And tk_Or tk_If tk_Else tk_While tk_Print tk_Putc tk_Lparen tk_Rparen tk_Lbrace tk_Rbrace tk_Semi tk_Comma tk_Ident tk_Integer tk_String end enum   const NewLine = chr(10) const DoubleQuote = chr(34) const BackSlash = chr(92)   ' where we store keywords and variables type Symbol s_name as string tok as Token_type end type   dim shared symtab() as Symbol   dim shared cur_line as string dim shared cur_ch as string dim shared line_num as integer dim shared col_num as integer   function is_digit(byval ch as string) as long is_digit = ch >= "0" AndAlso ch <= "9" end function   function is_alnum(byval ch as string) as long is_alnum = (ucase(ch) >= "A" AndAlso ucase(ch) <= "Z") OrElse is_digit(ch) end function   sub error_msg(byval eline as integer, byval ecol as integer, byval msg as string) print "("; eline; ":"; ecol; ") "; msg print : print "Hit any to end program" sleep system end sub   ' add an identifier to the symbol table function install(byval s_name as string, byval tok as Token_type) as integer dim n as integer = ubound(symtab) + 1 redim preserve symtab(n)   symtab(n).s_name = s_name symtab(n).tok = tok return n end function   ' search for an identifier in the symbol table function lookup(byval s_name as string) as integer dim i as integer   for i = lbound(symtab) to ubound(symtab) if symtab(i).s_name = s_name then return i next return -1 end function   sub next_line() ' read the next line of input from the source file cur_line = "" cur_ch = "" ' empty cur_ch means end-of-file if eof(1) then exit sub line input #1, cur_line cur_line = cur_line + NewLine line_num += + 1 col_num = 1 end sub   sub next_char() ' get the next char cur_ch = "" col_num += 1 if col_num > len(cur_line) then next_line() if col_num <= len(cur_line) then cur_ch = mid(cur_line, col_num, 1) end sub   function follow(byval err_line as integer, byval err_col as integer, byval expect as string, byval ifyes as Token_type, byval ifno as Token_type) as Token_type if cur_ch = expect then next_char() return ifyes end if if ifno = tk_eoi then error_msg(err_line, err_col, "follow unrecognized character: " + cur_ch) return ifno end function   sub gettok(byref err_line as integer, byref err_col as integer, byref tok as Token_type, byref v as string) ' skip whitespace do while (cur_ch = " " or cur_ch = chr(9) or cur_ch = NewLine) and (cur_ch <> "") next_char() loop   err_line = line_num err_col = col_num   select case cur_ch case "": tok = tk_eoi: exit sub case "{": tok = tk_lbrace: next_char(): exit sub case "}": tok = tk_rbrace: next_char(): exit sub case "(": tok = tk_lparen: next_char(): exit sub case ")": tok = tk_rparen: next_char(): exit sub case "+": tok = tk_add: next_char(): exit sub case "-": tok = tk_sub: next_char(): exit sub case "*": tok = tk_mul: next_char(): exit sub case "%": tok = tk_Mod: next_char(): exit sub case ";": tok = tk_semi: next_char(): exit sub case ",": tok = tk_comma: next_char(): exit sub case "/": ' div or comment next_char() if cur_ch <> "*" then tok = tk_div exit sub end if ' skip comments next_char() do if cur_ch = "*" then next_char() if cur_ch = "/" then next_char() gettok(err_line, err_col, tok, v) exit sub end if elseif cur_ch = "" then error_msg(err_line, err_col, "EOF in comment") else next_char() end if loop case "'": ' single char literals next_char() v = str(asc(cur_ch)) if cur_ch = "'" then error_msg(err_line, err_col, "empty character constant") if cur_ch = BackSlash then next_char() if cur_ch = "n" then v = "10" elseif cur_ch = BackSlash then v = "92" else error_msg(err_line, err_col, "unknown escape sequence: " + cur_ch) end if end if next_char() if cur_ch <> "'" then error_msg(err_line, err_col, "multi-character constant") next_char() tok = tk_integer exit sub case "<": next_char(): tok = follow(err_line, err_col, "=", tk_Leq, tk_Lss): exit sub case ">": next_char(): tok = follow(err_line, err_col, "=", tk_Geq, tk_Gtr): exit sub case "!": next_char(): tok = follow(err_line, err_col, "=", tk_Neq, tk_Not): exit sub case "=": next_char(): tok = follow(err_line, err_col, "=", tk_Eq, tk_Assign): exit sub case "&": next_char(): tok = follow(err_line, err_col, "&", tk_And, tk_EOI): exit sub case "|": next_char(): tok = follow(err_line, err_col, "|", tk_Or, tk_EOI): exit sub case DoubleQuote: ' string v = cur_ch next_char() do while cur_ch <> DoubleQuote if cur_ch = NewLine then error_msg(err_line, err_col, "EOL in string") if cur_ch = "" then error_msg(err_line, err_col, "EOF in string") v += cur_ch next_char() loop v += cur_ch next_char() tok = tk_string exit sub case else ' integers or identifiers dim is_number as boolean = is_digit(cur_ch) v = "" do while is_alnum(cur_ch) orelse cur_ch = "_" if not is_digit(cur_ch) then is_number = false v += cur_ch next_char() loop if len(v) = 0 then error_msg(err_line, err_col, "unknown character: " + cur_ch) if is_digit(mid(v, 1, 1)) then if not is_number then error_msg(err_line, err_col, "invalid number: " + v) tok = tk_integer exit sub end if dim as integer index = lookup(v) if index = -1 then tok = tk_ident else tok = symtab(index).tok end if exit sub end select end sub   sub init_lex(byval filein as string) install("else", tk_else) install("if", tk_if) install("print", tk_print) install("putc", tk_putc) install("while", tk_while)   open filein for input as #1   cur_line = "" line_num = 0 col_num = 0 next_char() end sub   sub scanner() dim err_line as integer dim err_col as integer dim tok as Token_type dim v as string dim tok_list(tk_eoi to tk_string) as string   tok_list(tk_EOI ) = "End_of_input" tok_list(tk_Mul ) = "Op_multiply" tok_list(tk_Div ) = "Op_divide" tok_list(tk_Mod ) = "Op_mod" tok_list(tk_Add ) = "Op_add" tok_list(tk_Sub ) = "Op_subtract" tok_list(tk_Negate ) = "Op_negate" tok_list(tk_Not ) = "Op_not" tok_list(tk_Lss ) = "Op_less" tok_list(tk_Leq ) = "Op_lessequal" tok_list(tk_Gtr ) = "Op_greater" tok_list(tk_Geq ) = "Op_greaterequal" tok_list(tk_Eq ) = "Op_equal" tok_list(tk_Neq ) = "Op_notequal" tok_list(tk_Assign ) = "Op_assign" tok_list(tk_And ) = "Op_and" tok_list(tk_Or ) = "Op_or" tok_list(tk_If ) = "Keyword_if" tok_list(tk_Else ) = "Keyword_else" tok_list(tk_While ) = "Keyword_while" tok_list(tk_Print ) = "Keyword_print" tok_list(tk_Putc ) = "Keyword_putc" tok_list(tk_Lparen ) = "LeftParen" tok_list(tk_Rparen ) = "RightParen" tok_list(tk_Lbrace ) = "LeftBrace" tok_list(tk_Rbrace ) = "RightBrace" tok_list(tk_Semi ) = "Semicolon" tok_list(tk_Comma ) = "Comma" tok_list(tk_Ident ) = "Identifier" tok_list(tk_Integer) = "Integer" tok_list(tk_String ) = "String"   do gettok(err_line, err_col, tok, v) print using "##### ##### \ " + BackSlash; err_line; err_col; tok_list(tok); if tok = tk_integer orelse tok = tk_ident orelse tok = tk_string then print " " + v; print loop until tok = tk_eoi end sub   sub main() if command(1) = "" then print "filename required" : exit sub init_lex(command(1)) scanner() end sub   main() print : print "Hit any to end program" sleep system
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#Elixir
Elixir
#!/usr/bin/env elixir IO.puts 'Arguments:' Enum.map(System.argv(),&IO.puts(&1))
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#Emacs_Lisp
Emacs Lisp
(while argv (message "Argument: %S" (pop argv)))
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#Erlang
Erlang
3> init:get_arguments().
http://rosettacode.org/wiki/Comments
Comments
Task Show all ways to include text in a language source file that's completely ignored by the compiler or interpreter. Related tasks   Documentation   Here_document See also   Wikipedia   xkcd (Humor: hand gesture denoting // for "commenting out" people.)
#BQN
BQN
# This is a comment
http://rosettacode.org/wiki/Comments
Comments
Task Show all ways to include text in a language source file that's completely ignored by the compiler or interpreter. Related tasks   Documentation   Here_document See also   Wikipedia   xkcd (Humor: hand gesture denoting // for "commenting out" people.)
#Bracmat
Bracmat
This is a comment
http://rosettacode.org/wiki/Compiler/virtual_machine_interpreter
Compiler/virtual machine interpreter
A virtual machine implements a computer in software. Task[edit] Write a virtual machine interpreter. This interpreter should be able to run virtual assembly language programs created via the task. This is a byte-coded, 32-bit word stack based virtual machine. The program should read input from a file and/or stdin, and write output to a file and/or stdout. Input format: Given the following program: count = 1; while (count < 10) { print("count is: ", count, "\n"); count = count + 1; } The output from the Code generator is a virtual assembly code program: Output from gen, input to VM Datasize: 1 Strings: 2 "count is: " "\n" 0 push 1 5 store [0] 10 fetch [0] 15 push 10 20 lt 21 jz (43) 65 26 push 0 31 prts 32 fetch [0] 37 prti 38 push 1 43 prts 44 fetch [0] 49 push 1 54 add 55 store [0] 60 jmp (-51) 10 65 halt The first line of the input specifies the datasize required and the number of constant strings, in the order that they are reference via the code. The data can be stored in a separate array, or the data can be stored at the beginning of the stack. Data is addressed starting at 0. If there are 3 variables, the 3rd one if referenced at address 2. If there are one or more constant strings, they come next. The code refers to these strings by their index. The index starts at 0. So if there are 3 strings, and the code wants to reference the 3rd string, 2 will be used. Next comes the actual virtual assembly code. The first number is the code address of that instruction. After that is the instruction mnemonic, followed by optional operands, depending on the instruction. Registers: sp: the stack pointer - points to the next top of stack. The stack is a 32-bit integer array. pc: the program counter - points to the current instruction to be performed. The code is an array of bytes. Data: data string pool Instructions: Each instruction is one byte. The following instructions also have a 32-bit integer operand: fetch [index] where index is an index into the data array. store [index] where index is an index into the data array. push n where value is a 32-bit integer that will be pushed onto the stack. jmp (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. jz (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. The following instructions do not have an operand. They perform their operation directly against the stack: For the following instructions, the operation is performed against the top two entries in the stack: add sub mul div mod lt gt le ge eq ne and or For the following instructions, the operation is performed against the top entry in the stack: neg not Print the word at stack top as a character. prtc Print the word at stack top as an integer. prti Stack top points to an index into the string pool. Print that entry. prts Unconditional stop. halt A simple example virtual machine def run_vm(data_size) int stack[data_size + 1000] set stack[0..data_size - 1] to 0 int pc = 0 while True: op = code[pc] pc += 1   if op == FETCH: stack.append(stack[bytes_to_int(code[pc:pc+word_size])[0]]); pc += word_size elif op == STORE: stack[bytes_to_int(code[pc:pc+word_size])[0]] = stack.pop(); pc += word_size elif op == PUSH: stack.append(bytes_to_int(code[pc:pc+word_size])[0]); pc += word_size elif op == ADD: stack[-2] += stack[-1]; stack.pop() elif op == SUB: stack[-2] -= stack[-1]; stack.pop() elif op == MUL: stack[-2] *= stack[-1]; stack.pop() elif op == DIV: stack[-2] /= stack[-1]; stack.pop() elif op == MOD: stack[-2] %= stack[-1]; stack.pop() elif op == LT: stack[-2] = stack[-2] < stack[-1]; stack.pop() elif op == GT: stack[-2] = stack[-2] > stack[-1]; stack.pop() elif op == LE: stack[-2] = stack[-2] <= stack[-1]; stack.pop() elif op == GE: stack[-2] = stack[-2] >= stack[-1]; stack.pop() elif op == EQ: stack[-2] = stack[-2] == stack[-1]; stack.pop() elif op == NE: stack[-2] = stack[-2] != stack[-1]; stack.pop() elif op == AND: stack[-2] = stack[-2] and stack[-1]; stack.pop() elif op == OR: stack[-2] = stack[-2] or stack[-1]; stack.pop() elif op == NEG: stack[-1] = -stack[-1] elif op == NOT: stack[-1] = not stack[-1] elif op == JMP: pc += bytes_to_int(code[pc:pc+word_size])[0] elif op == JZ: if stack.pop() then pc += word_size else pc += bytes_to_int(code[pc:pc+word_size])[0] elif op == PRTC: print stack[-1] as a character; stack.pop() elif op == PRTS: print the constant string referred to by stack[-1]; stack.pop() elif op == PRTI: print stack[-1] as an integer; stack.pop() elif op == HALT: break Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Lexical Analyzer task Syntax Analyzer task Code Generator task AST Interpreter task
#Wren
Wren
import "/dynamic" for Enum import "/crypto" for Bytes import "/fmt" for Conv import "/ioutil" for FileUtil   var codes = [ "fetch", "store", "push", "add", "sub", "mul", "div", "mod", "lt", "gt", "le", "ge", "eq", "ne", "and", "or", "neg", "not", "jmp", "jz", "prtc", "prts", "prti", "halt" ]   var Code = Enum.create("Code", codes)   var codeMap = { "fetch": Code.fetch, "store": Code.store, "push": Code.push, "add": Code.add, "sub": Code.sub, "mul": Code.mul, "div": Code.div, "mod": Code.mod, "lt": Code.lt, "gt": Code.gt, "le": Code.le, "ge": Code.ge, "eq": Code.eq, "ne": Code.ne, "and": Code.and, "or": Code.or, "neg": Code.neg, "not": Code.not, "jmp": Code.jmp, "jz": Code.jz, "prtc": Code.prtc, "prts": Code.prts, "prti": Code.prti, "halt": Code.halt }   var object = [] var stringPool = []   var reportError = Fn.new { |msg| Fiber.abort("error : %(msg)") }   var emitByte = Fn.new { |c| object.add(c) }   var emitWord = Fn.new { |n| var bs = Bytes.fromIntLE(n) for (b in bs) emitByte.call(b) }   // Converts the 4 bytes starting at object[pc] to an unsigned 32 bit integer // and thence to a signed 32 bit integer var toInt32LE = Fn.new { |pc| var x = Bytes.toIntLE(object[pc...pc+4]) if (x >= 2.pow(31)) x = x - 2.pow(32) return x }   /* Virtual Machine interpreter */   var runVM = Fn.new { |dataSize| var stack = List.filled(dataSize + 1, 0) var pc = 0 while (true) { var op = object[pc] pc = pc + 1 if (op == Code.fetch) { var x = toInt32LE.call(pc) stack.add(stack[x]) pc = pc + 4 } else if (op == Code.store) { var x = toInt32LE.call(pc) var ln = stack.count stack[x] = stack[ln-1] stack = stack[0...ln-1] pc = pc + 4 } else if (op == Code.push) { var x = toInt32LE.call(pc) stack.add(x) pc = pc + 4 } else if (op == Code.add) { var ln = stack.count stack[ln-2] = stack[ln-2] + stack[ln-1] stack = stack[0...ln-1] } else if (op == Code.sub) { var ln = stack.count stack[ln-2] = stack[ln-2] - stack[ln-1] stack = stack[0...ln-1] } else if (op == Code.mul) { var ln = stack.count stack[ln-2] = stack[ln-2] * stack[ln-1] stack = stack[0...ln-1] } else if (op == Code.div) { var ln = stack.count stack[ln-2] = (stack[ln-2] / stack[ln-1]).truncate stack = stack[0...ln-1] } else if (op == Code.mod) { var ln = stack.count stack[ln-2] = stack[ln-2] % stack[ln-1] stack = stack[0...ln-1] } else if (op == Code.lt) { var ln = stack.count stack[ln-2] = Conv.btoi(stack[ln-2] < stack[ln-1]) stack = stack[0...ln-1] } else if (op == Code.gt) { var ln = stack.count stack[ln-2] = Conv.btoi(stack[ln-2] > stack[ln-1]) stack = stack[0...ln-1] } else if (op == Code.le) { var ln = stack.count stack[ln-2] = Conv.btoi(stack[ln-2] <= stack[ln-1]) stack = stack[0...ln-1] } else if (op == Code.ge) { var ln = stack.count stack[ln-2] = Conv.btoi(stack[ln-2] >= stack[ln-1]) stack = stack[0...ln-1] } else if (op == Code.eq) { var ln = stack.count stack[ln-2] = Conv.btoi(stack[ln-2] == stack[ln-1]) stack = stack[0...ln-1] } else if (op == Code.ne) { var ln = stack.count stack[ln-2] = Conv.btoi(stack[ln-2] != stack[ln-1]) stack = stack[0...ln-1] } else if (op == Code.and) { var ln = stack.count stack[ln-2] = Conv.btoi(Conv.itob(stack[ln-2]) && Conv.itob(stack[ln-1])) stack = stack[0...ln-1] } else if (op == Code.or) { var ln = stack.count stack[ln-2] = Conv.btoi(Conv.itob(stack[ln-2]) || Conv.itob(stack[ln-1])) stack = stack[0...ln-1] } else if (op == Code.neg) { var ln = stack.count stack[ln-1] = -stack[ln-1] } else if (op == Code.not) { var ln = stack.count stack[ln-1] = Conv.btoi(!Conv.itob(stack[ln-1])) } else if (op == Code.jmp) { var x = toInt32LE.call(pc) pc = pc + x } else if (op == Code.jz) { var ln = stack.count var v = stack[ln-1] stack = stack[0...ln-1] if (v != 0) { pc = pc + 4 } else { var x = toInt32LE.call(pc) pc = pc + x } } else if (op == Code.prtc) { var ln = stack.count System.write(String.fromByte(stack[ln-1])) stack = stack[0...ln-1] } else if (op == Code.prts) { var ln = stack.count System.write(stringPool[stack[ln-1]]) stack = stack[0...ln-1] } else if (op == Code.prti) { var ln = stack.count System.write(stack[ln-1]) stack = stack[0...ln-1] } else if (op == Code.halt) { return } else { reportError.call("Unknown opcode %(op)") } } }   var translate = Fn.new { |s| var d = "" var i = 0 while (i < s.count) { if (s[i] == "\\" && (i+1) < s.count) { if (s[i+1] == "n") { d = d + "\n" i = i + 1 } else if (s[i+1] == "\\") { d = d + "\\" i = i + 1 } } else { d = d + s[i] } i = i + 1 } return d }   var lines = [] var lineCount = 0 var lineNum = 0   var loadCode = Fn.new { var dataSize var firstLine = true while (lineNum < lineCount) { var line = lines[lineNum].trimEnd(" \t") lineNum = lineNum + 1 if (line.count == 0) { if (firstLine) { reportError.call("empty line") } else { break } } var lineList = line.split(" ").where { |s| s != "" }.toList if (firstLine) { dataSize = Num.fromString(lineList[1]) var nStrings = Num.fromString(lineList[3]) for (i in 0...nStrings) { var s = lines[lineNum].trim("\"\n") lineNum = lineNum + 1 stringPool.add(translate.call(s)) } firstLine = false continue } var offset = Num.fromString(lineList[0]) var instr = lineList[1] var opCode = codeMap[instr] if (!opCode) { reportError.call("Unknown instruction %(instr) at %(opCode)") } emitByte.call(opCode) if (opCode == Code.jmp || opCode == Code.jz) { var p = Num.fromString(lineList[3]) emitWord.call(p - offset - 1) } else if (opCode == Code.push) { var value = Num.fromString(lineList[2]) emitWord.call(value) } else if (opCode == Code.fetch || opCode == Code.store) { var value = Num.fromString(lineList[2].trim("[]")) emitWord.call(value) } } return dataSize }   lines = FileUtil.readLines("codegen.txt") lineCount = lines.count runVM.call(loadCode.call())
http://rosettacode.org/wiki/Compiler/code_generator
Compiler/code generator
A code generator translates the output of the syntax analyzer and/or semantic analyzer into lower level code, either assembly, object, or virtual. Task[edit] Take the output of the Syntax analyzer task - which is a flattened Abstract Syntax Tree (AST) - and convert it to virtual machine code, that can be run by the Virtual machine interpreter. The output is in text format, and represents virtual assembly code. The program should read input from a file and/or stdin, and write output to a file and/or stdout. Example - given the simple program (below), stored in a file called while.t, create the list of tokens, using one of the Lexical analyzer solutions lex < while.t > while.lex Run one of the Syntax analyzer solutions parse < while.lex > while.ast while.ast can be input into the code generator. The following table shows the input to lex, lex output, the AST produced by the parser, and the generated virtual assembly code. Run as: lex < while.t | parse | gen Input to lex Output from lex, input to parse Output from parse Output from gen, input to VM count = 1; while (count < 10) { print("count is: ", count, "\n"); count = count + 1; } 1 1 Identifier count 1 7 Op_assign 1 9 Integer 1 1 10 Semicolon 2 1 Keyword_while 2 7 LeftParen 2 8 Identifier count 2 14 Op_less 2 16 Integer 10 2 18 RightParen 2 20 LeftBrace 3 5 Keyword_print 3 10 LeftParen 3 11 String "count is: " 3 23 Comma 3 25 Identifier count 3 30 Comma 3 32 String "\n" 3 36 RightParen 3 37 Semicolon 4 5 Identifier count 4 11 Op_assign 4 13 Identifier count 4 19 Op_add 4 21 Integer 1 4 22 Semicolon 5 1 RightBrace 6 1 End_of_input Sequence Sequence ; Assign Identifier count Integer 1 While Less Identifier count Integer 10 Sequence Sequence ; Sequence Sequence Sequence ; Prts String "count is: " ; Prti Identifier count ; Prts String "\n" ; Assign Identifier count Add Identifier count Integer 1 Datasize: 1 Strings: 2 "count is: " "\n" 0 push 1 5 store [0] 10 fetch [0] 15 push 10 20 lt 21 jz (43) 65 26 push 0 31 prts 32 fetch [0] 37 prti 38 push 1 43 prts 44 fetch [0] 49 push 1 54 add 55 store [0] 60 jmp (-51) 10 65 halt Input format As shown in the table, above, the output from the syntax analyzer is a flattened AST. In the AST, Identifier, Integer, and String, are terminal nodes, e.g, they do not have child nodes. Loading this data into an internal parse tree should be as simple as:   def load_ast() line = readline() # Each line has at least one token line_list = tokenize the line, respecting double quotes   text = line_list[0] # first token is always the node type   if text == ";" return None   node_type = text # could convert to internal form if desired   # A line with two tokens is a leaf node # Leaf nodes are: Identifier, Integer String # The 2nd token is the value if len(line_list) > 1 return make_leaf(node_type, line_list[1])   left = load_ast() right = load_ast() return make_node(node_type, left, right)   Output format - refer to the table above The first line is the header: Size of data, and number of constant strings. size of data is the number of 32-bit unique variables used. In this example, one variable, count number of constant strings is just that - how many there are After that, the constant strings Finally, the assembly code Registers sp: the stack pointer - points to the next top of stack. The stack is a 32-bit integer array. pc: the program counter - points to the current instruction to be performed. The code is an array of bytes. Data 32-bit integers and strings Instructions Each instruction is one byte. The following instructions also have a 32-bit integer operand: fetch [index] where index is an index into the data array. store [index] where index is an index into the data array. push n where value is a 32-bit integer that will be pushed onto the stack. jmp (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. jz (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. The following instructions do not have an operand. They perform their operation directly against the stack: For the following instructions, the operation is performed against the top two entries in the stack: add sub mul div mod lt gt le ge eq ne and or For the following instructions, the operation is performed against the top entry in the stack: neg not prtc Print the word at stack top as a character. prti Print the word at stack top as an integer. prts Stack top points to an index into the string pool. Print that entry. halt Unconditional stop. Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Lexical Analyzer task Syntax Analyzer task Virtual Machine Interpreter task AST Interpreter task
#zkl
zkl
// This is a little endian machine   const WORD_SIZE=4; const{ var _n=-1; var[proxy]N=fcn{ _n+=1 }; } // enumerator const FETCH=N, STORE=N, PUSH=N, ADD=N, SUB=N, MUL=N, DIV=N, MOD=N, LT=N, GT=N, LE=N, GE=N, EQ=N, NE=N, AND=N, OR=N, NEG=N, NOT=N, JMP=N, JZ=N, PRTC=N, PRTS=N, PRTI=N, HALT=N; const nd_String=N, nd_Sequence=N, nd_If=N, nd_While=N; var all_syms=Dictionary( "Identifier" ,FETCH, "String" ,nd_String, "Integer" ,PUSH, "Sequence" ,nd_Sequence, "If" ,nd_If, "Prtc" ,PRTC, "Prts" ,PRTS, "Prti" ,PRTI, "While" ,nd_While, "Assign" ,STORE, "Negate" ,NEG, "Not" ,NOT, "Multiply" ,MUL, "Divide" ,DIV, "Mod" ,MOD, "Add" ,ADD, "Subtract" ,SUB, "Less" ,LT, "LessEqual" ,LE, "Greater" ,GT, "GreaterEqual",GE, "Equal" ,EQ, "NotEqual" ,NE, "And" ,AND, "Or" ,OR, "halt" ,HALT); var binOps=T(LT,GT,LE,GE,EQ,NE, AND,OR, SUB,ADD,DIV,MUL,MOD), unaryOps=T(NEG,NOT);   class Node{ fcn init(_node_type, _value, _left=Void, _right=Void){ var type=_node_type, left=_left, right=_right, value=_value; } }   var vars=Dictionary(), strings=Dictionary(); // ( value:offset, ...) fcn doVar(value){ var offset=-1; // fcn local static var offset=_doValue(value,vars,offset) } fcn doString(str){ str=str[1,-1]; // str is \"text\" var offset=-1; // fcn local static var str=str.replace("\\n","\n"); offset=_doValue(str,strings,offset) } fcn _doValue(value,vars,offset){ //--> offset of value in vars if(Void!=(n:=vars.find(value))) return(n); // fetch existing value vars[value]=offset+=1; // store new value }   fcn asm(node,code){ if(Void==node) return(code); emitB:='wrap(n){ code.append(n) }; emitW:='wrap(n){ code.append(n.toLittleEndian(WORD_SIZE)) }; // signed switch(node.type){ case(FETCH) { emitB(FETCH); emitW(doVar(node.value)); } case(PUSH) { emitB(PUSH); emitW(node.value); } case(nd_String){ emitB(PUSH); emitW(doString(node.value)); } case(STORE){ asm(node.right,code); emitB(STORE); emitW(doVar(node.left.value)); } case(nd_If){ asm(node.left,code); # expr emitB(JZ); # if false, jump p1,p2 := code.len(),0; emitW(0); # place holder for jump dest asm(node.right.left,code); # if true statements if (node.right.right!=Void){ emitB(JMP); # jump over else statements p2=code.len(); emitW(0); } code[p1,WORD_SIZE]=(code.len() - p1).toLittleEndian(WORD_SIZE); if(node.right.right!=Void){ asm(node.right.right,code); # else statements code[p2,WORD_SIZE]=(code.len() - p2).toLittleEndian(WORD_SIZE) } } case(nd_While){ p1:=code.len(); asm(node.left,code); emitB(JZ); p2:=code.len(); emitW(0); # place holder asm(node.right,code); emitB(JMP); # jump back to the top emitW(p1 - code.len()); code[p2,WORD_SIZE]=(code.len() - p2).toLittleEndian(WORD_SIZE); } case(nd_Sequence){ asm(node.left,code); asm(node.right,code); } case(PRTC,PRTI,PRTS){ asm(node.left,code); emitB(node.type); } else{ if(binOps.holds(node.type)){ asm(node.left,code); asm(node.right,code); emitB(node.type); } else if(unaryOps.holds(node.type)) { asm(node.left,code); emitB(node.type); } else throw(Exception.AssertionError( "error in code generator - found %d, expecting operator" .fmt(node.type))) } } code } fcn code_finish(code){ code.append(HALT); // prepend the strings to the code, // using my magic [66,1 byte len,text], no trailing '\0' needed idxs:=strings.pump(Dictionary(),"reverse"); idxs.keys.sort().reverse().pump(Void,'wrap(n){ text:=idxs[n]; code.insert(0,66,text.len(),text); }) }
http://rosettacode.org/wiki/Conway%27s_Game_of_Life
Conway's Game of Life
The Game of Life is a   cellular automaton   devised by the British mathematician   John Horton Conway   in 1970.   It is the best-known example of a cellular automaton. Conway's game of life is described   here: A cell   C   is represented by a   1   when alive,   or   0   when dead,   in an   m-by-m   (or m×m)   square array of cells. We calculate   N   - the sum of live cells in C's   eight-location neighbourhood,   then cell   C   is alive or dead in the next generation based on the following table: C N new C 1 0,1 -> 0 # Lonely 1 4,5,6,7,8 -> 0 # Overcrowded 1 2,3 -> 1 # Lives 0 3 -> 1 # It takes three to give birth! 0 0,1,2,4,5,6,7,8 -> 0 # Barren Assume cells beyond the boundary are always dead. The "game" is actually a zero-player game, meaning that its evolution is determined by its initial state, needing no input from human players.   One interacts with the Game of Life by creating an initial configuration and observing how it evolves. Task Although you should test your implementation on more complex examples such as the   glider   in a larger universe,   show the action of the blinker   (three adjoining cells in a row all alive),   over three generations, in a 3 by 3 grid. References   Its creator John Conway, explains   the game of life.   Video from numberphile on youtube.   John Conway   Inventing Game of Life   - Numberphile video. Related task   Langton's ant   - another well known cellular automaton.
#Fermat
Fermat
;{Conway's Game of Life in Fermat} ;{square grid with wrap-around boundaries}   size:=50; {how big a grid do you want? This fits my screen OK, change this for your own screen}   Array w1[size,size], w2[size,size]; {set up an active world and a 'scratchpad' world} act:=1; buf:=2; %[1]:=[w1]; {Fermat doesn't have 3D arrays in the normal sense--} %[2]:=[w2]; {we need to use the somewhat odd "array of arrays" functionality}   Func Cls = for i = 1 to size do !!; od.; {"clear screen" by printing a bunch of newlines}   Func Draw = {draw the active screen} for i = 1 to size do for j = 1 to size do if %[act][i, j] = 1 then !('# ') else !('. ') fi; od;  !; od; .;   Func Rnd = {randomize the grid with a density of 40% live cells} for i = 1 to size do for j = 1 to size do if Rand|5<2 then %[act][i, j] := 1 else %[act][i, j] := 0 fi; od; od; Cls; Draw; .;   Func Blinker = {clears the screen except for a blinker in the top left corner} for i = 1 to size do for j = 1 to size do  %[act][i, j] := 0; od; od;  %[act][1,2] := 1;  %[act][2,2] := 1;  %[act][3,2] := 1; Cls; Draw; .;   Func Iter = {do one iteration} for i = 1 to size do if i = 1 then im := size else im := i - 1 fi; {handle wrap around} if i = size then ip := 1 else ip := i + 1 fi; for j = 1 to size do if j = 1 then jm := size else jm := j - 1 fi; if j = size then jp := 1 else jp := j + 1 fi; neigh :=  %[act][im, jm]; {count neigbours} neigh :+ (%[act][im, j ]); neigh :+ (%[act][im, jp]); neigh :+ (%[act][i , jm]); neigh :+ (%[act][i , jp]); neigh :+ (%[act][ip, jm]); neigh :+ (%[act][ip, j ]); neigh :+ (%[act][ip, jp]); if neigh < 2 or neigh > 3 then %[buf][i, j] := 0 fi; {alive and dead rules} if neigh = 2 then %[buf][i, j] := %[act][i, j] fi; if neigh = 3 then %[buf][i, j] := 1 fi; od; od; Swap(act, buf); {rather than copying the scratch over into the active, just exchange their identities} Cls; Draw; .;   choice := 9; while choice <> 0 do {really rough menu, not the point of this exercise}  ?choice; if choice=4 then Cls fi; if choice=3 then Blinker fi; if choice=2 then Rnd fi; if choice=1 then Iter fi; od;   !!'John Horton Conway (26 December 1937 – 11 April 2020)';  
http://rosettacode.org/wiki/Compound_data_type
Compound data type
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. Task Create a compound data type: Point(x,y) A compound data type is one that holds multiple independent values. Related task   Enumeration See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#XSLT
XSLT
<point x="20" y="30"/>   <!-- context is a point node. The '@' prefix selects named attributes of the current node. --> <fo:block>Point = <xsl:value-of select="@x"/>, <xsl:value-of select="@y"/></fo:block>
http://rosettacode.org/wiki/Compound_data_type
Compound data type
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. Task Create a compound data type: Point(x,y) A compound data type is one that holds multiple independent values. Related task   Enumeration See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#zkl
zkl
class Point{ var x,y; fcn init(x,y){self.x=x.toFloat(); self.y=y.toFloat(); } fcn toString{ "P(%f,%f)".fmt(x,y) } fcn __opADD(P){} //+: add Point, constant or whatever //... __opEQ == etc } Point(1,2).println() //-->P(1.000000,2.000000)
http://rosettacode.org/wiki/Conditional_structures
Conditional structures
Control Structures These are examples of control structures. You may also be interested in: Conditional structures Exceptions Flow-control structures Loops Task List the conditional structures offered by a programming language. See Wikipedia: conditionals for descriptions. Common conditional structures include if-then-else and switch. Less common are arithmetic if, ternary operator and Hash-based conditionals. Arithmetic if allows tight control over computed gotos, which optimizers have a hard time to figure out.
#C
C
if (condition) { // Some Task }   if (condition) { // Some Task } else if (condition2) { // Some Task } else { // Some Task }
http://rosettacode.org/wiki/Compare_a_list_of_strings
Compare a list of strings
Task Given a   list   of arbitrarily many strings, show how to:   test if they are all lexically equal   test if every string is lexically less than the one after it (i.e. whether the list is in strict ascending order) Each of those two tests should result in a single true or false value, which could be used as the condition of an   if   statement or similar. If the input list has less than two elements, the tests should always return true. There is no need to provide a complete program and output. Assume that the strings are already stored in an array/list/sequence/tuple variable (whatever is most idiomatic) with the name   strings,   and just show the expressions for performing those two tests on it (plus of course any includes and custom functions etc. that it needs),   with as little distractions as possible. Try to write your solution in a way that does not modify the original list,   but if it does then please add a note to make that clear to readers. If you need further guidance/clarification,   see #Perl and #Python for solutions that use implicit short-circuiting loops,   and #Raku for a solution that gets away with simply using a built-in language feature. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#jq
jq
# Are the strings all equal? def lexically_equal: . as $in | reduce range(0;length-1) as $i (true; if . then $in[$i] == $in[$i + 1] else false end);   # Are the strings in strictly ascending order? def lexically_ascending: . as $in | reduce range(0;length-1) as $i (true; if . then $in[$i] < $in[$i + 1] else false end);
http://rosettacode.org/wiki/Compare_a_list_of_strings
Compare a list of strings
Task Given a   list   of arbitrarily many strings, show how to:   test if they are all lexically equal   test if every string is lexically less than the one after it (i.e. whether the list is in strict ascending order) Each of those two tests should result in a single true or false value, which could be used as the condition of an   if   statement or similar. If the input list has less than two elements, the tests should always return true. There is no need to provide a complete program and output. Assume that the strings are already stored in an array/list/sequence/tuple variable (whatever is most idiomatic) with the name   strings,   and just show the expressions for performing those two tests on it (plus of course any includes and custom functions etc. that it needs),   with as little distractions as possible. Try to write your solution in a way that does not modify the original list,   but if it does then please add a note to make that clear to readers. If you need further guidance/clarification,   see #Perl and #Python for solutions that use implicit short-circuiting loops,   and #Raku for a solution that gets away with simply using a built-in language feature. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Jsish
Jsish
/* Compare list of strings, in Jsish */ function allEqual(a) { var out = true, i = 0; while (++i<a.length) { out = out && (a[i-1] === a[i]); } return out; }   function allAscending(a) { var out = true, i = 0; while (++i<a.length) { out = out && (a[i-1] < a[i]); } return out; }   if (allEqual(strings)) puts("strings array all equal"); else puts("strings array not all equal");   if (allAscending(strings)) puts("strings array in strict ascending order"); else puts("strings array not in strict ascending order");
http://rosettacode.org/wiki/Comma_quibbling
Comma quibbling
Comma quibbling is a task originally set by Eric Lippert in his blog. Task Write a function to generate a string output which is the concatenation of input words from a list/sequence where: An input of no words produces the output string of just the two brace characters "{}". An input of just one word, e.g. ["ABC"], produces the output string of the word inside the two braces, e.g. "{ABC}". An input of two words, e.g. ["ABC", "DEF"], produces the output string of the two words inside the two braces with the words separated by the string " and ", e.g. "{ABC and DEF}". An input of three or more words, e.g. ["ABC", "DEF", "G", "H"], produces the output string of all but the last word separated by ", " with the last word separated by " and " and all within braces; e.g. "{ABC, DEF, G and H}". Test your function with the following series of inputs showing your output here on this page: [] # (No input words). ["ABC"] ["ABC", "DEF"] ["ABC", "DEF", "G", "H"] Note: Assume words are non-empty strings of uppercase characters for this task.
#Common_Lisp
Common Lisp
  (defun quibble (&rest args) (format t "{~{~a~#[~; and ~:;, ~]~}}" args))   (quibble) (quibble "ABC") (quibble "ABC" "DEF") (quibble "ABC" "DEF" "G" "H")  
http://rosettacode.org/wiki/Comma_quibbling
Comma quibbling
Comma quibbling is a task originally set by Eric Lippert in his blog. Task Write a function to generate a string output which is the concatenation of input words from a list/sequence where: An input of no words produces the output string of just the two brace characters "{}". An input of just one word, e.g. ["ABC"], produces the output string of the word inside the two braces, e.g. "{ABC}". An input of two words, e.g. ["ABC", "DEF"], produces the output string of the two words inside the two braces with the words separated by the string " and ", e.g. "{ABC and DEF}". An input of three or more words, e.g. ["ABC", "DEF", "G", "H"], produces the output string of all but the last word separated by ", " with the last word separated by " and " and all within braces; e.g. "{ABC, DEF, G and H}". Test your function with the following series of inputs showing your output here on this page: [] # (No input words). ["ABC"] ["ABC", "DEF"] ["ABC", "DEF", "G", "H"] Note: Assume words are non-empty strings of uppercase characters for this task.
#Cowgol
Cowgol
include "cowgol.coh";   sub quibble(words: [[uint8]], length: intptr, buf: [uint8]): (out: [uint8]) is sub append(s: [uint8]) is while [s] != 0 loop [buf] := [s]; buf := @next buf; s := @next s; end loop; end sub;   out := buf;   append("{"); while length > 0 loop append([words]); words := @next words; case length is when 1: break; when 2: append(" and "); when else: append(", "); end case; length := length - 1; end loop; append("}");   [buf] := 0; end sub;   var w1: [uint8][] := {}; var w2: [uint8][] := {"ABC"}; var w3: [uint8][] := {"ABC","DEF"}; var w4: [uint8][] := {"ABC","DEF","G","H"};   print(quibble(&w1[0], @sizeof w1, LOMEM)); print_nl(); print(quibble(&w2[0], @sizeof w2, LOMEM)); print_nl(); print(quibble(&w3[0], @sizeof w3, LOMEM)); print_nl(); print(quibble(&w4[0], @sizeof w4, LOMEM)); print_nl();  
http://rosettacode.org/wiki/Combinations_with_repetitions
Combinations with repetitions
The set of combinations with repetitions is computed from a set, S {\displaystyle S} (of cardinality n {\displaystyle n} ), and a size of resulting selection, k {\displaystyle k} , by reporting the sets of cardinality k {\displaystyle k} where each member of those sets is chosen from S {\displaystyle S} . In the real world, it is about choosing sets where there is a “large” supply of each type of element and where the order of choice does not matter. For example: Q: How many ways can a person choose two doughnuts from a store selling three types of doughnut: iced, jam, and plain? (i.e., S {\displaystyle S} is { i c e d , j a m , p l a i n } {\displaystyle \{\mathrm {iced} ,\mathrm {jam} ,\mathrm {plain} \}} , | S | = 3 {\displaystyle |S|=3} , and k = 2 {\displaystyle k=2} .) A: 6: {iced, iced}; {iced, jam}; {iced, plain}; {jam, jam}; {jam, plain}; {plain, plain}. Note that both the order of items within a pair, and the order of the pairs given in the answer is not significant; the pairs represent multisets. Also note that doughnut can also be spelled donut. Task Write a function/program/routine/.. to generate all the combinations with repetitions of n {\displaystyle n} types of things taken k {\displaystyle k} at a time and use it to show an answer to the doughnut example above. For extra credit, use the function to compute and show just the number of ways of choosing three doughnuts from a choice of ten types of doughnut. Do not show the individual choices for this part. References k-combination with repetitions See also The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#FreeBASIC
FreeBASIC
sub iterate( byval curr as string, byval start as uinteger,_ byval stp as uinteger, byval depth as uinteger,_ names() as string ) dim as uinteger i for i = start to stp if depth = 0 then print curr + " " + names(i) else iterate curr+" "+names(i), i, stp, depth-1, names() end if next i return end sub   dim as uinteger m, n, o, i input "Enter n comb m. ", n, m dim as string outstr = "" dim as string names(0 to m-1) for i = 0 to m - 1 print "Name for item ",+i input names(i) next i iterate outstr, 0, m-1, n-1, names()
http://rosettacode.org/wiki/Combinations_and_permutations
Combinations and permutations
This page uses content from Wikipedia. The original article was at Combination. 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) This page uses content from Wikipedia. The original article was at Permutation. 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) Task Implement the combination   (nCk)   and permutation   (nPk)   operators in the target language: n C k = ( n k ) = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle ^{n}\operatorname {C} _{k}={\binom {n}{k}}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} See the Wikipedia articles for a more detailed description. To test, generate and print examples of:   A sample of permutations from 1 to 12 and Combinations from 10 to 60 using exact Integer arithmetic.   A sample of permutations from 5 to 15000 and Combinations from 100 to 1000 using approximate Floating point arithmetic. This 'floating point' code could be implemented using an approximation, e.g., by calling the Gamma function. Related task   Evaluate binomial coefficients The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#Mathematica_.2F_Wolfram_Language
Mathematica / Wolfram Language
ClearAll[Combination,Permutation] Combination[n_,k_]:=Binomial[n,k] Permutation[n_,k_]:=Binomial[n,k]k!   TableForm[Array[Permutation,{12,12}],TableHeadings->{Range[12],Range[12]}] TableForm[Array[Combination,{6,6},{{10,60},{10,60}}],TableHeadings->{Range[10,60,10],Range[10,60,10]}] {Row[{#,"P",#-2}," "],N@Permutation[#,#-2]}&/@{5,1000,5000,10000,15000}//Grid {Row[{#,"C",#/2}," "],N@Combination[#,#/2]}&/@Range[100,1000,100]//Grid
http://rosettacode.org/wiki/Combinations_and_permutations
Combinations and permutations
This page uses content from Wikipedia. The original article was at Combination. 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) This page uses content from Wikipedia. The original article was at Permutation. 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) Task Implement the combination   (nCk)   and permutation   (nPk)   operators in the target language: n C k = ( n k ) = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle ^{n}\operatorname {C} _{k}={\binom {n}{k}}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} See the Wikipedia articles for a more detailed description. To test, generate and print examples of:   A sample of permutations from 1 to 12 and Combinations from 10 to 60 using exact Integer arithmetic.   A sample of permutations from 5 to 15000 and Combinations from 100 to 1000 using approximate Floating point arithmetic. This 'floating point' code could be implemented using an approximation, e.g., by calling the Gamma function. Related task   Evaluate binomial coefficients The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#.D0.9C.D0.9A-61.2F52
МК-61/52
П2 <-> П1 -> <-> П7 КПП7 С/П ИП1 ИП2 - ПП 53 П3 ИП1 ПП 53 ИП3 / В/О 1 ИП1 * L2 21 В/О ИП1 ИП2 - ПП 53 П3 ИП2 ПП 53 ИП3 * П3 ИП1 ПП 53 ИП3 / В/О ИП1 ИП2 + 1 - П1 ПП 26 В/О ВП П0 1 ИП0 * L0 56 В/О
http://rosettacode.org/wiki/Compiler/lexical_analyzer
Compiler/lexical analyzer
Definition from Wikipedia: Lexical analysis is the process of converting a sequence of characters (such as in a computer program or web page) into a sequence of tokens (strings with an identified "meaning"). A program that performs lexical analysis may be called a lexer, tokenizer, or scanner (though "scanner" is also used to refer to the first stage of a lexer). Task[edit] Create a lexical analyzer for the simple programming language specified below. The program should read input from a file and/or stdin, and write output to a file and/or stdout. If the language being used has a lexer module/library/class, it would be great if two versions of the solution are provided: One without the lexer module, and one with. Input Specification The simple programming language to be analyzed is more or less a subset of C. It supports the following tokens: Operators Name Common name Character sequence Op_multiply multiply * Op_divide divide / Op_mod mod % Op_add plus + Op_subtract minus - Op_negate unary minus - Op_less less than < Op_lessequal less than or equal <= Op_greater greater than > Op_greaterequal greater than or equal >= Op_equal equal == Op_notequal not equal != Op_not unary not ! Op_assign assignment = Op_and logical and && Op_or logical or ¦¦ The - token should always be interpreted as Op_subtract by the lexer. Turning some Op_subtract into Op_negate will be the job of the syntax analyzer, which is not part of this task. Symbols Name Common name Character LeftParen left parenthesis ( RightParen right parenthesis ) LeftBrace left brace { RightBrace right brace } Semicolon semi-colon ; Comma comma , Keywords Name Character sequence Keyword_if if Keyword_else else Keyword_while while Keyword_print print Keyword_putc putc Identifiers and literals These differ from the the previous tokens, in that each occurrence of them has a value associated with it. Name Common name Format description Format regex Value Identifier identifier one or more letter/number/underscore characters, but not starting with a number [_a-zA-Z][_a-zA-Z0-9]* as is Integer integer literal one or more digits [0-9]+ as is, interpreted as a number Integer char literal exactly one character (anything except newline or single quote) or one of the allowed escape sequences, enclosed by single quotes '([^'\n]|\\n|\\\\)' the ASCII code point number of the character, e.g. 65 for 'A' and 10 for '\n' String string literal zero or more characters (anything except newline or double quote), enclosed by double quotes "[^"\n]*" the characters without the double quotes and with escape sequences converted For char and string literals, the \n escape sequence is supported to represent a new-line character. For char and string literals, to represent a backslash, use \\. No other special sequences are supported. This means that: Char literals cannot represent a single quote character (value 39). String literals cannot represent strings containing double quote characters. Zero-width tokens Name Location End_of_input when the end of the input stream is reached White space Zero or more whitespace characters, or comments enclosed in /* ... */, are allowed between any two tokens, with the exceptions noted below. "Longest token matching" is used to resolve conflicts (e.g., in order to match <= as a single token rather than the two tokens < and =). Whitespace is required between two tokens that have an alphanumeric character or underscore at the edge. This means: keywords, identifiers, and integer literals. e.g. ifprint is recognized as an identifier, instead of the keywords if and print. e.g. 42fred is invalid, and neither recognized as a number nor an identifier. Whitespace is not allowed inside of tokens (except for chars and strings where they are part of the value). e.g. & & is invalid, and not interpreted as the && operator. For example, the following two program fragments are equivalent, and should produce the same token stream except for the line and column positions: if ( p /* meaning n is prime */ ) { print ( n , " " ) ; count = count + 1 ; /* number of primes found so far */ } if(p){print(n," ");count=count+1;} Complete list of token names End_of_input Op_multiply Op_divide Op_mod Op_add Op_subtract Op_negate Op_not Op_less Op_lessequal Op_greater Op_greaterequal Op_equal Op_notequal Op_assign Op_and Op_or Keyword_if Keyword_else Keyword_while Keyword_print Keyword_putc LeftParen RightParen LeftBrace RightBrace Semicolon Comma Identifier Integer String Output Format The program output should be a sequence of lines, each consisting of the following whitespace-separated fields: the line number where the token starts the column number where the token starts the token name the token value (only for Identifier, Integer, and String tokens) the number of spaces between fields is up to you. Neatly aligned is nice, but not a requirement. This task is intended to be used as part of a pipeline, with the other compiler tasks - for example: lex < hello.t | parse | gen | vm Or possibly: lex hello.t lex.out parse lex.out parse.out gen parse.out gen.out vm gen.out This implies that the output of this task (the lexical analyzer) should be suitable as input to any of the Syntax Analyzer task programs. Diagnostics The following error conditions should be caught: Error Example Empty character constant '' Unknown escape sequence. \r Multi-character constant. 'xx' End-of-file in comment. Closing comment characters not found. End-of-file while scanning string literal. Closing string character not found. End-of-line while scanning string literal. Closing string character not found before end-of-line. Unrecognized character. | Invalid number. Starts like a number, but ends in non-numeric characters. 123abc Test Cases Input Output Test Case 1: /* Hello world */ print("Hello, World!\n"); 4 1 Keyword_print 4 6 LeftParen 4 7 String "Hello, World!\n" 4 24 RightParen 4 25 Semicolon 5 1 End_of_input Test Case 2: /* Show Ident and Integers */ phoenix_number = 142857; print(phoenix_number, "\n"); 4 1 Identifier phoenix_number 4 16 Op_assign 4 18 Integer 142857 4 24 Semicolon 5 1 Keyword_print 5 6 LeftParen 5 7 Identifier phoenix_number 5 21 Comma 5 23 String "\n" 5 27 RightParen 5 28 Semicolon 6 1 End_of_input Test Case 3: /* All lexical tokens - not syntactically correct, but that will have to wait until syntax analysis */ /* Print */ print /* Sub */ - /* Putc */ putc /* Lss */ < /* If */ if /* Gtr */ > /* Else */ else /* Leq */ <= /* While */ while /* Geq */ >= /* Lbrace */ { /* Eq */ == /* Rbrace */ } /* Neq */ != /* Lparen */ ( /* And */ && /* Rparen */ ) /* Or */ || /* Uminus */ - /* Semi */ ; /* Not */ ! /* Comma */ , /* Mul */ * /* Assign */ = /* Div */ / /* Integer */ 42 /* Mod */ % /* String */ "String literal" /* Add */ + /* Ident */ variable_name /* character literal */ '\n' /* character literal */ '\\' /* character literal */ ' ' 5 16 Keyword_print 5 40 Op_subtract 6 16 Keyword_putc 6 40 Op_less 7 16 Keyword_if 7 40 Op_greater 8 16 Keyword_else 8 40 Op_lessequal 9 16 Keyword_while 9 40 Op_greaterequal 10 16 LeftBrace 10 40 Op_equal 11 16 RightBrace 11 40 Op_notequal 12 16 LeftParen 12 40 Op_and 13 16 RightParen 13 40 Op_or 14 16 Op_subtract 14 40 Semicolon 15 16 Op_not 15 40 Comma 16 16 Op_multiply 16 40 Op_assign 17 16 Op_divide 17 40 Integer 42 18 16 Op_mod 18 40 String "String literal" 19 16 Op_add 19 40 Identifier variable_name 20 26 Integer 10 21 26 Integer 92 22 26 Integer 32 23 1 End_of_input Test Case 4: /*** test printing, embedded \n and comments with lots of '*' ***/ print(42); print("\nHello World\nGood Bye\nok\n"); print("Print a slash n - \\n.\n"); 2 1 Keyword_print 2 6 LeftParen 2 7 Integer 42 2 9 RightParen 2 10 Semicolon 3 1 Keyword_print 3 6 LeftParen 3 7 String "\nHello World\nGood Bye\nok\n" 3 38 RightParen 3 39 Semicolon 4 1 Keyword_print 4 6 LeftParen 4 7 String "Print a slash n - \\n.\n" 4 33 RightParen 4 34 Semicolon 5 1 End_of_input Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Syntax Analyzer task Code Generator task Virtual Machine Interpreter task AST Interpreter task
#Go
Go
package main   import ( "bufio" "fmt" "log" "os" )   type TokenType int   const ( tkEOI TokenType = iota tkMul tkDiv tkMod tkAdd tkSub tkNegate tkNot tkLss tkLeq tkGtr tkGeq tkEq tkNeq tkAssign tkAnd tkOr tkIf tkElse tkWhile tkPrint tkPutc tkLparen tkRparen tkLbrace tkRbrace tkSemi tkComma tkIdent tkInteger tkString )   type Symbol struct { name string tok TokenType }   // symbol table var symtab []Symbol   var scanner *bufio.Scanner   var ( curLine = "" curCh byte lineNum = 0 colNum = 0 )   const etx byte = 4 // used to signify EOI   func isDigit(ch byte) bool { return ch >= '0' && ch <= '9' }   func isAlnum(ch byte) bool { return (ch >= 'a' && ch <= 'z') || (ch >= 'A' && ch <= 'Z') || isDigit(ch) }   func errorMsg(eline, ecol int, msg string) { log.Fatalf("(%d:%d) %s", eline, ecol, msg) }   // add an identifier to the symbol table func install(name string, tok TokenType) { sym := Symbol{name, tok} symtab = append(symtab, sym) }   // search for an identifier in the symbol table func lookup(name string) int { for i := 0; i < len(symtab); i++ { if symtab[i].name == name { return i } } return -1 }   // read the next line of input from the source file func nextLine() { if scanner.Scan() { curLine = scanner.Text() lineNum++ colNum = 0 if curLine == "" { // skip blank lines nextLine() } } else { err := scanner.Err() if err == nil { // EOF curCh = etx curLine = "" lineNum++ colNum = 1 } else { log.Fatal(err) } } }   // get the next char func nextChar() { if colNum >= len(curLine) { nextLine() } if colNum < len(curLine) { curCh = curLine[colNum] colNum++ } }   func follow(eline, ecol int, expect byte, ifyes, ifno TokenType) TokenType { if curCh == expect { nextChar() return ifyes } if ifno == tkEOI { errorMsg(eline, ecol, "follow unrecognized character: "+string(curCh)) } return ifno }   func gettok() (eline, ecol int, tok TokenType, v string) { // skip whitespace for curCh == ' ' || curCh == '\t' || curCh == '\n' { nextChar() } eline = lineNum ecol = colNum switch curCh { case etx: tok = tkEOI return case '{': tok = tkLbrace nextChar() return case '}': tok = tkRbrace nextChar() return case '(': tok = tkLparen nextChar() return case ')': tok = tkRparen nextChar() return case '+': tok = tkAdd nextChar() return case '-': tok = tkSub nextChar() return case '*': tok = tkMul nextChar() return case '%': tok = tkMod nextChar() return case ';': tok = tkSemi nextChar() return case ',': tok = tkComma nextChar() return case '/': // div or comment nextChar() if curCh != '*' { tok = tkDiv return } // skip comments nextChar() for { if curCh == '*' { nextChar() if curCh == '/' { nextChar() eline, ecol, tok, v = gettok() return } } else if curCh == etx { errorMsg(eline, ecol, "EOF in comment") } else { nextChar() } } case '\'': // single char literals nextChar() v = fmt.Sprintf("%d", curCh) if curCh == '\'' { errorMsg(eline, ecol, "Empty character constant") } if curCh == '\\' { nextChar() if curCh == 'n' { v = "10" } else if curCh == '\\' { v = "92" } else { errorMsg(eline, ecol, "unknown escape sequence: "+string(curCh)) } } nextChar() if curCh != '\'' { errorMsg(eline, ecol, "multi-character constant") } nextChar() tok = tkInteger return case '<': nextChar() tok = follow(eline, ecol, '=', tkLeq, tkLss) return case '>': nextChar() tok = follow(eline, ecol, '=', tkGeq, tkGtr) return case '!': nextChar() tok = follow(eline, ecol, '=', tkNeq, tkNot) return case '=': nextChar() tok = follow(eline, ecol, '=', tkEq, tkAssign) return case '&': nextChar() tok = follow(eline, ecol, '&', tkAnd, tkEOI) return case '|': nextChar() tok = follow(eline, ecol, '|', tkOr, tkEOI) return case '"': // string v = string(curCh) nextChar() for curCh != '"' { if curCh == '\n' { errorMsg(eline, ecol, "EOL in string") } if curCh == etx { errorMsg(eline, ecol, "EOF in string") } v += string(curCh) nextChar() } v += string(curCh) nextChar() tok = tkString return default: // integers or identifiers isNumber := isDigit(curCh) v = "" for isAlnum(curCh) || curCh == '_' { if !isDigit(curCh) { isNumber = false } v += string(curCh) nextChar() } if len(v) == 0 { errorMsg(eline, ecol, "unknown character: "+string(curCh)) } if isDigit(v[0]) { if !isNumber { errorMsg(eline, ecol, "invalid number: "+string(curCh)) } tok = tkInteger return } index := lookup(v) if index == -1 { tok = tkIdent } else { tok = symtab[index].tok } return } }   func initLex() { install("else", tkElse) install("if", tkIf) install("print", tkPrint) install("putc", tkPutc) install("while", tkWhile) nextChar() }   func process() { tokMap := make(map[TokenType]string) tokMap[tkEOI] = "End_of_input" tokMap[tkMul] = "Op_multiply" tokMap[tkDiv] = "Op_divide" tokMap[tkMod] = "Op_mod" tokMap[tkAdd] = "Op_add" tokMap[tkSub] = "Op_subtract" tokMap[tkNegate] = "Op_negate" tokMap[tkNot] = "Op_not" tokMap[tkLss] = "Op_less" tokMap[tkLeq] = "Op_lessequal" tokMap[tkGtr] = "Op_greater" tokMap[tkGeq] = "Op_greaterequal" tokMap[tkEq] = "Op_equal" tokMap[tkNeq] = "Op_notequal" tokMap[tkAssign] = "Op_assign" tokMap[tkAnd] = "Op_and" tokMap[tkOr] = "Op_or" tokMap[tkIf] = "Keyword_if" tokMap[tkElse] = "Keyword_else" tokMap[tkWhile] = "Keyword_while" tokMap[tkPrint] = "Keyword_print" tokMap[tkPutc] = "Keyword_putc" tokMap[tkLparen] = "LeftParen" tokMap[tkRparen] = "RightParen" tokMap[tkLbrace] = "LeftBrace" tokMap[tkRbrace] = "RightBrace" tokMap[tkSemi] = "Semicolon" tokMap[tkComma] = "Comma" tokMap[tkIdent] = "Identifier" tokMap[tkInteger] = "Integer" tokMap[tkString] = "String"   for { eline, ecol, tok, v := gettok() fmt.Printf("%5d  %5d %-16s", eline, ecol, tokMap[tok]) if tok == tkInteger || tok == tkIdent || tok == tkString { fmt.Println(v) } else { fmt.Println() } if tok == tkEOI { return } } }   func check(err error) { if err != nil { log.Fatal(err) } }   func main() { if len(os.Args) < 2 { fmt.Println("Filename required") return } f, err := os.Open(os.Args[1]) check(err) defer f.Close() scanner = bufio.NewScanner(f) initLex() process() }
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#Euphoria
Euphoria
constant cmd = command_line() printf(1,"Interpreter/executable name: %s\n",{cmd[1]}) printf(1,"Program file name: %s\n",{cmd[2]}) if length(cmd)>2 then puts(1,"Command line arguments:\n") for i = 3 to length(cmd) do printf(1,"#%d : %s\n",{i,cmd[i]}) end for end if
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#F.23
F#
#light [<EntryPoint>] let main args = Array.iter (fun x -> printfn "%s" x) args 0
http://rosettacode.org/wiki/Comments
Comments
Task Show all ways to include text in a language source file that's completely ignored by the compiler or interpreter. Related tasks   Documentation   Here_document See also   Wikipedia   xkcd (Humor: hand gesture denoting // for "commenting out" people.)
#Brainf.2A.2A.2A
Brainf***
This is a comment
http://rosettacode.org/wiki/Comments
Comments
Task Show all ways to include text in a language source file that's completely ignored by the compiler or interpreter. Related tasks   Documentation   Here_document See also   Wikipedia   xkcd (Humor: hand gesture denoting // for "commenting out" people.)
#Brat
Brat
# Single line comment   #* Multi Line Comment *#
http://rosettacode.org/wiki/Compiler/virtual_machine_interpreter
Compiler/virtual machine interpreter
A virtual machine implements a computer in software. Task[edit] Write a virtual machine interpreter. This interpreter should be able to run virtual assembly language programs created via the task. This is a byte-coded, 32-bit word stack based virtual machine. The program should read input from a file and/or stdin, and write output to a file and/or stdout. Input format: Given the following program: count = 1; while (count < 10) { print("count is: ", count, "\n"); count = count + 1; } The output from the Code generator is a virtual assembly code program: Output from gen, input to VM Datasize: 1 Strings: 2 "count is: " "\n" 0 push 1 5 store [0] 10 fetch [0] 15 push 10 20 lt 21 jz (43) 65 26 push 0 31 prts 32 fetch [0] 37 prti 38 push 1 43 prts 44 fetch [0] 49 push 1 54 add 55 store [0] 60 jmp (-51) 10 65 halt The first line of the input specifies the datasize required and the number of constant strings, in the order that they are reference via the code. The data can be stored in a separate array, or the data can be stored at the beginning of the stack. Data is addressed starting at 0. If there are 3 variables, the 3rd one if referenced at address 2. If there are one or more constant strings, they come next. The code refers to these strings by their index. The index starts at 0. So if there are 3 strings, and the code wants to reference the 3rd string, 2 will be used. Next comes the actual virtual assembly code. The first number is the code address of that instruction. After that is the instruction mnemonic, followed by optional operands, depending on the instruction. Registers: sp: the stack pointer - points to the next top of stack. The stack is a 32-bit integer array. pc: the program counter - points to the current instruction to be performed. The code is an array of bytes. Data: data string pool Instructions: Each instruction is one byte. The following instructions also have a 32-bit integer operand: fetch [index] where index is an index into the data array. store [index] where index is an index into the data array. push n where value is a 32-bit integer that will be pushed onto the stack. jmp (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. jz (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. The following instructions do not have an operand. They perform their operation directly against the stack: For the following instructions, the operation is performed against the top two entries in the stack: add sub mul div mod lt gt le ge eq ne and or For the following instructions, the operation is performed against the top entry in the stack: neg not Print the word at stack top as a character. prtc Print the word at stack top as an integer. prti Stack top points to an index into the string pool. Print that entry. prts Unconditional stop. halt A simple example virtual machine def run_vm(data_size) int stack[data_size + 1000] set stack[0..data_size - 1] to 0 int pc = 0 while True: op = code[pc] pc += 1   if op == FETCH: stack.append(stack[bytes_to_int(code[pc:pc+word_size])[0]]); pc += word_size elif op == STORE: stack[bytes_to_int(code[pc:pc+word_size])[0]] = stack.pop(); pc += word_size elif op == PUSH: stack.append(bytes_to_int(code[pc:pc+word_size])[0]); pc += word_size elif op == ADD: stack[-2] += stack[-1]; stack.pop() elif op == SUB: stack[-2] -= stack[-1]; stack.pop() elif op == MUL: stack[-2] *= stack[-1]; stack.pop() elif op == DIV: stack[-2] /= stack[-1]; stack.pop() elif op == MOD: stack[-2] %= stack[-1]; stack.pop() elif op == LT: stack[-2] = stack[-2] < stack[-1]; stack.pop() elif op == GT: stack[-2] = stack[-2] > stack[-1]; stack.pop() elif op == LE: stack[-2] = stack[-2] <= stack[-1]; stack.pop() elif op == GE: stack[-2] = stack[-2] >= stack[-1]; stack.pop() elif op == EQ: stack[-2] = stack[-2] == stack[-1]; stack.pop() elif op == NE: stack[-2] = stack[-2] != stack[-1]; stack.pop() elif op == AND: stack[-2] = stack[-2] and stack[-1]; stack.pop() elif op == OR: stack[-2] = stack[-2] or stack[-1]; stack.pop() elif op == NEG: stack[-1] = -stack[-1] elif op == NOT: stack[-1] = not stack[-1] elif op == JMP: pc += bytes_to_int(code[pc:pc+word_size])[0] elif op == JZ: if stack.pop() then pc += word_size else pc += bytes_to_int(code[pc:pc+word_size])[0] elif op == PRTC: print stack[-1] as a character; stack.pop() elif op == PRTS: print the constant string referred to by stack[-1]; stack.pop() elif op == PRTI: print stack[-1] as an integer; stack.pop() elif op == HALT: break Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Lexical Analyzer task Syntax Analyzer task Code Generator task AST Interpreter task
#Zig
Zig
  const std = @import("std");   pub const VirtualMachineError = error{OutOfMemory};   pub const VirtualMachine = struct { allocator: std.mem.Allocator, stack: [stack_size]i32, program: std.ArrayList(u8), sp: usize, // stack pointer pc: usize, // program counter string_pool: std.ArrayList([]const u8), // all the strings in the program globals: std.ArrayList(i32), // all the variables in the program, they are global output: std.ArrayList(u8), // Instead of outputting to stdout, we do it here for better testing.   const Self = @This(); const stack_size = 32; // Can be arbitrarily increased/decreased as long as we have enough. const word_size = @sizeOf(i32);   pub fn init( allocator: std.mem.Allocator, program: std.ArrayList(u8), string_pool: std.ArrayList([]const u8), globals: std.ArrayList(i32), ) Self { return VirtualMachine{ .allocator = allocator, .stack = [_]i32{std.math.maxInt(i32)} ** stack_size, .program = program, .sp = 0, .pc = 0, .string_pool = string_pool, .globals = globals, .output = std.ArrayList(u8).init(allocator), }; }   pub fn interp(self: *Self) VirtualMachineError!void { while (true) : (self.pc += 1) { switch (@intToEnum(Op, self.program.items[self.pc])) { .push => self.push(self.unpackInt()), .store => self.globals.items[@intCast(usize, self.unpackInt())] = self.pop(), .fetch => self.push(self.globals.items[@intCast(usize, self.unpackInt())]), .jmp => self.pc = @intCast(usize, self.unpackInt() - 1), .jz => { if (self.pop() == 0) { // -1 because `while` increases it with every iteration. // This doesn't allow to jump to location 0 because we use `usize` for `pc`, // just arbitrary implementation limitation. self.pc = @intCast(usize, self.unpackInt() - 1); } else { self.pc += word_size; } }, .prts => try self.out("{s}", .{self.string_pool.items[@intCast(usize, self.pop())]}), .prti => try self.out("{d}", .{self.pop()}), .prtc => try self.out("{c}", .{@intCast(u8, self.pop())}), .lt => self.binOp(lt), .le => self.binOp(le), .gt => self.binOp(gt), .ge => self.binOp(ge), .eq => self.binOp(eq), .ne => self.binOp(ne), .add => self.binOp(add), .mul => self.binOp(mul), .sub => self.binOp(sub), .div => self.binOp(div), .mod => self.binOp(mod), .@"and" => self.binOp(@"and"), .@"or" => self.binOp(@"or"), .not => self.push(@boolToInt(self.pop() == 0)), .neg => self.push(-self.pop()), .halt => break, } } }   fn push(self: *Self, n: i32) void { self.sp += 1; self.stack[self.sp] = n; }   fn pop(self: *Self) i32 { std.debug.assert(self.sp != 0); self.sp -= 1; return self.stack[self.sp + 1]; }   fn unpackInt(self: *Self) i32 { const arg_ptr = @ptrCast(*[4]u8, self.program.items[self.pc + 1 .. self.pc + 1 + word_size]); self.pc += word_size; var arg_array = arg_ptr.*; const arg = @ptrCast(*i32, @alignCast(@alignOf(i32), &arg_array)); return arg.*; }   pub fn out(self: *Self, comptime format: []const u8, args: anytype) VirtualMachineError!void { try self.output.writer().print(format, args); }   fn binOp(self: *Self, func: fn (a: i32, b: i32) i32) void { const a = self.pop(); const b = self.pop(); // Note that arguments are in reversed order because this is how we interact with // push/pop operations of the stack. const result = func(b, a); self.push(result); }   fn lt(a: i32, b: i32) i32 { return @boolToInt(a < b); } fn le(a: i32, b: i32) i32 { return @boolToInt(a <= b); } fn gt(a: i32, b: i32) i32 { return @boolToInt(a > b); } fn ge(a: i32, b: i32) i32 { return @boolToInt(a >= b); } fn eq(a: i32, b: i32) i32 { return @boolToInt(a == b); } fn ne(a: i32, b: i32) i32 { return @boolToInt(a != b); } fn add(a: i32, b: i32) i32 { return a + b; } fn sub(a: i32, b: i32) i32 { return a - b; } fn mul(a: i32, b: i32) i32 { return a * b; } fn div(a: i32, b: i32) i32 { return @divTrunc(a, b); } fn mod(a: i32, b: i32) i32 { return @mod(a, b); } fn @"or"(a: i32, b: i32) i32 { return @boolToInt((a != 0) or (b != 0)); } fn @"and"(a: i32, b: i32) i32 { return @boolToInt((a != 0) and (b != 0)); } };   pub fn main() !void { var arena = std.heap.ArenaAllocator.init(std.heap.page_allocator); defer arena.deinit(); const allocator = arena.allocator();   var arg_it = std.process.args(); _ = try arg_it.next(allocator) orelse unreachable; // program name const file_name = arg_it.next(allocator); // We accept both files and standard input. var file_handle = blk: { if (file_name) |file_name_delimited| { const fname: []const u8 = try file_name_delimited; break :blk try std.fs.cwd().openFile(fname, .{}); } else { break :blk std.io.getStdIn(); } }; defer file_handle.close(); const input_content = try file_handle.readToEndAlloc(allocator, std.math.maxInt(usize));   var string_pool = std.ArrayList([]const u8).init(allocator); var globals = std.ArrayList(i32).init(allocator); const bytecode = try loadBytecode(allocator, input_content, &string_pool, &globals); var vm = VirtualMachine.init(allocator, bytecode, string_pool, globals); try vm.interp(); const result: []const u8 = vm.output.items; _ = try std.io.getStdOut().write(result); }   pub const Op = enum(u8) { fetch, store, push, add, sub, mul, div, mod, lt, gt, le, ge, eq, ne, @"and", @"or", neg, not, jmp, jz, prtc, prts, prti, halt,   const from_string = std.ComptimeStringMap(Op, .{ .{ "fetch", .fetch }, .{ "store", .store }, .{ "push", .push }, .{ "add", .add }, .{ "sub", .sub }, .{ "mul", .mul }, .{ "div", .div }, .{ "mod", .mod }, .{ "lt", .lt }, .{ "gt", .gt }, .{ "le", .le }, .{ "ge", .ge }, .{ "eq", .eq }, .{ "ne", .ne }, .{ "and", .@"and" }, .{ "or", .@"or" }, .{ "neg", .neg }, .{ "not", .not }, .{ "jmp", .jmp }, .{ "jz", .jz }, .{ "prtc", .prtc }, .{ "prts", .prts }, .{ "prti", .prti }, .{ "halt", .halt }, });   pub fn fromString(str: []const u8) Op { return from_string.get(str).?; } };   // 100 lines of code to load serialized bytecode, eh fn loadBytecode( allocator: std.mem.Allocator, str: []const u8, string_pool: *std.ArrayList([]const u8), globals: *std.ArrayList(i32), ) !std.ArrayList(u8) { var result = std.ArrayList(u8).init(allocator); var line_it = std.mem.split(u8, str, "\n"); while (line_it.next()) |line| { if (std.mem.indexOf(u8, line, "halt")) |_| { var tok_it = std.mem.tokenize(u8, line, " "); const size = try std.fmt.parseInt(usize, tok_it.next().?, 10); try result.resize(size + 1); break; } }   line_it.index = 0; const first_line = line_it.next().?; const strings_index = std.mem.indexOf(u8, first_line, " Strings: ").?; const globals_size = try std.fmt.parseInt(usize, first_line["Datasize: ".len..strings_index], 10); const string_pool_size = try std.fmt.parseInt(usize, first_line[strings_index + " Strings: ".len ..], 10); try globals.resize(globals_size); try string_pool.ensureTotalCapacity(string_pool_size); var string_cnt: usize = 0; while (string_cnt < string_pool_size) : (string_cnt += 1) { const line = line_it.next().?; var program_string = try std.ArrayList(u8).initCapacity(allocator, line.len); var escaped = false; // Skip double quotes for (line[1 .. line.len - 1]) |ch| { if (escaped) { escaped = false; switch (ch) { '\\' => try program_string.append('\\'), 'n' => try program_string.append('\n'), else => { std.debug.print("unknown escape sequence: {c}\n", .{ch}); std.os.exit(1); }, } } else { switch (ch) { '\\' => escaped = true, else => try program_string.append(ch), } } } try string_pool.append(program_string.items); } while (line_it.next()) |line| { if (line.len == 0) break;   var tok_it = std.mem.tokenize(u8, line, " "); const address = try std.fmt.parseInt(usize, tok_it.next().?, 10); const op = Op.fromString(tok_it.next().?); result.items[address] = @enumToInt(op); switch (op) { .fetch, .store => { const index_bracketed = tok_it.rest(); const index = try std.fmt.parseInt(i32, index_bracketed[1 .. index_bracketed.len - 1], 10); insertInt(&result, address + 1, index); }, .push => { insertInt(&result, address + 1, try std.fmt.parseInt(i32, tok_it.rest(), 10)); }, .jmp, .jz => { _ = tok_it.next(); insertInt(&result, address + 1, try std.fmt.parseInt(i32, tok_it.rest(), 10)); }, else => {}, } } return result; }   fn insertInt(array: *std.ArrayList(u8), address: usize, n: i32) void { const word_size = @sizeOf(i32); var i: usize = 0; var n_var = n; var n_bytes = @ptrCast(*[4]u8, &n_var); while (i < word_size) : (i += 1) { array.items[@intCast(usize, address + i)] = n_bytes[@intCast(usize, i)]; } }  
http://rosettacode.org/wiki/Conway%27s_Game_of_Life
Conway's Game of Life
The Game of Life is a   cellular automaton   devised by the British mathematician   John Horton Conway   in 1970.   It is the best-known example of a cellular automaton. Conway's game of life is described   here: A cell   C   is represented by a   1   when alive,   or   0   when dead,   in an   m-by-m   (or m×m)   square array of cells. We calculate   N   - the sum of live cells in C's   eight-location neighbourhood,   then cell   C   is alive or dead in the next generation based on the following table: C N new C 1 0,1 -> 0 # Lonely 1 4,5,6,7,8 -> 0 # Overcrowded 1 2,3 -> 1 # Lives 0 3 -> 1 # It takes three to give birth! 0 0,1,2,4,5,6,7,8 -> 0 # Barren Assume cells beyond the boundary are always dead. The "game" is actually a zero-player game, meaning that its evolution is determined by its initial state, needing no input from human players.   One interacts with the Game of Life by creating an initial configuration and observing how it evolves. Task Although you should test your implementation on more complex examples such as the   glider   in a larger universe,   show the action of the blinker   (three adjoining cells in a row all alive),   over three generations, in a 3 by 3 grid. References   Its creator John Conway, explains   the game of life.   Video from numberphile on youtube.   John Conway   Inventing Game of Life   - Numberphile video. Related task   Langton's ant   - another well known cellular automaton.
#Forth
Forth
\ The fast wrapping requires dimensions that are powers of 2. 1 6 lshift constant w \ 64 1 4 lshift constant h \ 16    : rows w * 2* ; 1 rows constant row h rows constant size   create world size allot world value old old w + value new   variable gens  : clear world size erase 0 gens ! ;  : age new old to new to old 1 gens +! ;    : col+ 1+ ;  : col- 1- dup w and + ; \ avoid borrow into row  : row+ row + ;  : row- row - ;  : wrap ( i -- i ) [ size w - 1- ] literal and ;  : w@ ( i -- 0/1 ) wrap old + c@ ;  : w! ( 0/1 i -- ) wrap old + c! ;    : foreachrow ( xt -- ) size 0 do I over execute row +loop drop ;    : showrow ( i -- ) cr old + w over + swap do I c@ if [char] * else bl then emit loop ;  : show ['] showrow foreachrow cr ." Generation " gens @ . ;    : sum-neighbors ( i -- i n ) dup col- row- w@ over row- w@ + over col+ row- w@ + over col- w@ + over col+ w@ + over col- row+ w@ + over row+ w@ + over col+ row+ w@ + ;  : gencell ( i -- ) sum-neighbors over old + c@ or 3 = 1 and swap new + c! ;  : genrow ( i -- ) w over + swap do I gencell loop ;  : gen ['] genrow foreachrow age ;    : life begin gen 0 0 at-xy show key? until ;   \ patterns char | constant '|'  : pat ( i addr len -- ) rot dup 2swap over + swap do I c@ '|' = if drop row+ dup else I c@ bl = 1+ over w! col+ then loop 2drop ;    : blinker s" ***" pat ;  : toad s" ***| ***" pat ;  : pentomino s" **| **| *" pat ;  : pi s" **| **|**" pat ;  : glider s" *| *|***" pat ;  : pulsar s" *****|* *" pat ;  : ship s" ****|* *| *| *" pat ;  : pentadecathalon s" **********" pat ;  : clock s" *| **|**| *" pat ;   clear 0 glider show * * ***   Generation 0 ok gen show   * * ** * Generation 1 ok
http://rosettacode.org/wiki/Compound_data_type
Compound data type
Data Structure This illustrates a data structure, a means of storing data within a program. You may see other such structures in the Data Structures category. Task Create a compound data type: Point(x,y) A compound data type is one that holds multiple independent values. Related task   Enumeration See also Array Associative array: Creation, Iteration Collections Compound data type Doubly-linked list: Definition, Element definition, Element insertion, List Traversal, Element Removal Linked list Queue: Definition, Usage Set Singly-linked list: Element definition, Element insertion, List Traversal, Element Removal Stack
#zonnon
zonnon
  {ref,public} (* class *) Point = object(ord,abs: integer) var (* instance variables *) {public,immutable} x,y: integer;   (* method *) procedure {public} Ord():integer; begin return y end Ord;   (* method *) procedure {public} Abs():integer; begin return x end Abs;   (* constructor *) begin self.x := ord; self.y := abs; end Point;  
http://rosettacode.org/wiki/Conditional_structures
Conditional structures
Control Structures These are examples of control structures. You may also be interested in: Conditional structures Exceptions Flow-control structures Loops Task List the conditional structures offered by a programming language. See Wikipedia: conditionals for descriptions. Common conditional structures include if-then-else and switch. Less common are arithmetic if, ternary operator and Hash-based conditionals. Arithmetic if allows tight control over computed gotos, which optimizers have a hard time to figure out.
#C.23
C#
if (condition) { // Some Task }   if (condition) { // Some Task } else if (condition2) { // Some Task } else { // Some Task }
http://rosettacode.org/wiki/Compare_a_list_of_strings
Compare a list of strings
Task Given a   list   of arbitrarily many strings, show how to:   test if they are all lexically equal   test if every string is lexically less than the one after it (i.e. whether the list is in strict ascending order) Each of those two tests should result in a single true or false value, which could be used as the condition of an   if   statement or similar. If the input list has less than two elements, the tests should always return true. There is no need to provide a complete program and output. Assume that the strings are already stored in an array/list/sequence/tuple variable (whatever is most idiomatic) with the name   strings,   and just show the expressions for performing those two tests on it (plus of course any includes and custom functions etc. that it needs),   with as little distractions as possible. Try to write your solution in a way that does not modify the original list,   but if it does then please add a note to make that clear to readers. If you need further guidance/clarification,   see #Perl and #Python for solutions that use implicit short-circuiting loops,   and #Raku for a solution that gets away with simply using a built-in language feature. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Julia
Julia
allequal(arr::AbstractArray) = isempty(arr) || all(x -> x == first(arr), arr)   test = [["RC", "RC", "RC"], ["RC", "RC", "Rc"], ["RA", "RB", "RC"], ["RC"], String[], ones(Int64, 4), 1:4]   for v in test println("\n# Testing $v:") println("The elements are $("not " ^ !allequal(v))all equal.") println("The elements are $("not " ^ !issorted(v))strictly increasing.") end
http://rosettacode.org/wiki/Compare_a_list_of_strings
Compare a list of strings
Task Given a   list   of arbitrarily many strings, show how to:   test if they are all lexically equal   test if every string is lexically less than the one after it (i.e. whether the list is in strict ascending order) Each of those two tests should result in a single true or false value, which could be used as the condition of an   if   statement or similar. If the input list has less than two elements, the tests should always return true. There is no need to provide a complete program and output. Assume that the strings are already stored in an array/list/sequence/tuple variable (whatever is most idiomatic) with the name   strings,   and just show the expressions for performing those two tests on it (plus of course any includes and custom functions etc. that it needs),   with as little distractions as possible. Try to write your solution in a way that does not modify the original list,   but if it does then please add a note to make that clear to readers. If you need further guidance/clarification,   see #Perl and #Python for solutions that use implicit short-circuiting loops,   and #Raku for a solution that gets away with simply using a built-in language feature. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Klong
Klong
  {:[2>#x;1;&/=:'x]}:(["test" "test" "test"]) 1 {:[2>#x;1;&/<:'x]}:(["bar" "baz" "foo"]) 1  
http://rosettacode.org/wiki/Comma_quibbling
Comma quibbling
Comma quibbling is a task originally set by Eric Lippert in his blog. Task Write a function to generate a string output which is the concatenation of input words from a list/sequence where: An input of no words produces the output string of just the two brace characters "{}". An input of just one word, e.g. ["ABC"], produces the output string of the word inside the two braces, e.g. "{ABC}". An input of two words, e.g. ["ABC", "DEF"], produces the output string of the two words inside the two braces with the words separated by the string " and ", e.g. "{ABC and DEF}". An input of three or more words, e.g. ["ABC", "DEF", "G", "H"], produces the output string of all but the last word separated by ", " with the last word separated by " and " and all within braces; e.g. "{ABC, DEF, G and H}". Test your function with the following series of inputs showing your output here on this page: [] # (No input words). ["ABC"] ["ABC", "DEF"] ["ABC", "DEF", "G", "H"] Note: Assume words are non-empty strings of uppercase characters for this task.
#D
D
import std.stdio, std.string;   string quibbler(in string[] seq) pure /*nothrow*/ { if (seq.length <= 1) return format("{%-(%s, %)}", seq); else return format("{%-(%s, %) and %s}", seq[0 .. $-1], seq[$-1]); }   void main() { //foreach (immutable test; [[], foreach (const test; [[], ["ABC"], ["ABC", "DEF"], ["ABC", "DEF", "G", "H"]]) test.quibbler.writeln; }
http://rosettacode.org/wiki/Combinations_with_repetitions
Combinations with repetitions
The set of combinations with repetitions is computed from a set, S {\displaystyle S} (of cardinality n {\displaystyle n} ), and a size of resulting selection, k {\displaystyle k} , by reporting the sets of cardinality k {\displaystyle k} where each member of those sets is chosen from S {\displaystyle S} . In the real world, it is about choosing sets where there is a “large” supply of each type of element and where the order of choice does not matter. For example: Q: How many ways can a person choose two doughnuts from a store selling three types of doughnut: iced, jam, and plain? (i.e., S {\displaystyle S} is { i c e d , j a m , p l a i n } {\displaystyle \{\mathrm {iced} ,\mathrm {jam} ,\mathrm {plain} \}} , | S | = 3 {\displaystyle |S|=3} , and k = 2 {\displaystyle k=2} .) A: 6: {iced, iced}; {iced, jam}; {iced, plain}; {jam, jam}; {jam, plain}; {plain, plain}. Note that both the order of items within a pair, and the order of the pairs given in the answer is not significant; the pairs represent multisets. Also note that doughnut can also be spelled donut. Task Write a function/program/routine/.. to generate all the combinations with repetitions of n {\displaystyle n} types of things taken k {\displaystyle k} at a time and use it to show an answer to the doughnut example above. For extra credit, use the function to compute and show just the number of ways of choosing three doughnuts from a choice of ten types of doughnut. Do not show the individual choices for this part. References k-combination with repetitions See also The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#GAP
GAP
# Built-in UnorderedTuples(["iced", "jam", "plain"], 2);
http://rosettacode.org/wiki/Combinations_with_repetitions
Combinations with repetitions
The set of combinations with repetitions is computed from a set, S {\displaystyle S} (of cardinality n {\displaystyle n} ), and a size of resulting selection, k {\displaystyle k} , by reporting the sets of cardinality k {\displaystyle k} where each member of those sets is chosen from S {\displaystyle S} . In the real world, it is about choosing sets where there is a “large” supply of each type of element and where the order of choice does not matter. For example: Q: How many ways can a person choose two doughnuts from a store selling three types of doughnut: iced, jam, and plain? (i.e., S {\displaystyle S} is { i c e d , j a m , p l a i n } {\displaystyle \{\mathrm {iced} ,\mathrm {jam} ,\mathrm {plain} \}} , | S | = 3 {\displaystyle |S|=3} , and k = 2 {\displaystyle k=2} .) A: 6: {iced, iced}; {iced, jam}; {iced, plain}; {jam, jam}; {jam, plain}; {plain, plain}. Note that both the order of items within a pair, and the order of the pairs given in the answer is not significant; the pairs represent multisets. Also note that doughnut can also be spelled donut. Task Write a function/program/routine/.. to generate all the combinations with repetitions of n {\displaystyle n} types of things taken k {\displaystyle k} at a time and use it to show an answer to the doughnut example above. For extra credit, use the function to compute and show just the number of ways of choosing three doughnuts from a choice of ten types of doughnut. Do not show the individual choices for this part. References k-combination with repetitions See also The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#Go
Go
package main   import "fmt"   func combrep(n int, lst []string) [][]string { if n == 0 { return [][]string{nil} } if len(lst) == 0 { return nil } r := combrep(n, lst[1:]) for _, x := range combrep(n-1, lst) { r = append(r, append(x, lst[0])) } return r }   func main() { fmt.Println(combrep(2, []string{"iced", "jam", "plain"})) fmt.Println(len(combrep(3, []string{"1", "2", "3", "4", "5", "6", "7", "8", "9", "10"}))) }
http://rosettacode.org/wiki/Combinations_and_permutations
Combinations and permutations
This page uses content from Wikipedia. The original article was at Combination. 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) This page uses content from Wikipedia. The original article was at Permutation. 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) Task Implement the combination   (nCk)   and permutation   (nPk)   operators in the target language: n C k = ( n k ) = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle ^{n}\operatorname {C} _{k}={\binom {n}{k}}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} See the Wikipedia articles for a more detailed description. To test, generate and print examples of:   A sample of permutations from 1 to 12 and Combinations from 10 to 60 using exact Integer arithmetic.   A sample of permutations from 5 to 15000 and Combinations from 100 to 1000 using approximate Floating point arithmetic. This 'floating point' code could be implemented using an approximation, e.g., by calling the Gamma function. Related task   Evaluate binomial coefficients The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#Nim
Nim
import bigints   proc perm(n, k: int32): BigInt = result = initBigInt 1 var k = n - k n = n while n > k: result *= n dec n   proc comb(n, k: int32): BigInt = result = perm(n, k) var k = k while k > 0: result = result div k dec k   echo "P(1000, 969) = ", perm(1000, 969) echo "C(1000, 969) = ", comb(1000, 969)
http://rosettacode.org/wiki/Combinations_and_permutations
Combinations and permutations
This page uses content from Wikipedia. The original article was at Combination. 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) This page uses content from Wikipedia. The original article was at Permutation. 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) Task Implement the combination   (nCk)   and permutation   (nPk)   operators in the target language: n C k = ( n k ) = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle ^{n}\operatorname {C} _{k}={\binom {n}{k}}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} See the Wikipedia articles for a more detailed description. To test, generate and print examples of:   A sample of permutations from 1 to 12 and Combinations from 10 to 60 using exact Integer arithmetic.   A sample of permutations from 5 to 15000 and Combinations from 100 to 1000 using approximate Floating point arithmetic. This 'floating point' code could be implemented using an approximation, e.g., by calling the Gamma function. Related task   Evaluate binomial coefficients The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#PARI.2FGP
PARI/GP
sample(f,a,b)=for(i=1,4, my(n1=random(b-a)+a,n2=random(b-a)+a); [n1,n2]=[max(n1,n2),min(n1,n2)]; print(n1", "n2": "f(n1,n2))) permExact(m,n)=factorback([m-n+1..m]); combExact=binomial; permApprox(m,n)=exp(lngamma(m+1)-lngamma(m-n+1)); combApprox(m,n)=exp(lngamma(m+1)-lngamma(n+1)-lngamma(m-n+1));   sample(permExact, 1, 12); sample(combExact, 10, 60); sample(permApprox, 5, 15000); sample(combApprox, 100, 1000);
http://rosettacode.org/wiki/Compiler/lexical_analyzer
Compiler/lexical analyzer
Definition from Wikipedia: Lexical analysis is the process of converting a sequence of characters (such as in a computer program or web page) into a sequence of tokens (strings with an identified "meaning"). A program that performs lexical analysis may be called a lexer, tokenizer, or scanner (though "scanner" is also used to refer to the first stage of a lexer). Task[edit] Create a lexical analyzer for the simple programming language specified below. The program should read input from a file and/or stdin, and write output to a file and/or stdout. If the language being used has a lexer module/library/class, it would be great if two versions of the solution are provided: One without the lexer module, and one with. Input Specification The simple programming language to be analyzed is more or less a subset of C. It supports the following tokens: Operators Name Common name Character sequence Op_multiply multiply * Op_divide divide / Op_mod mod % Op_add plus + Op_subtract minus - Op_negate unary minus - Op_less less than < Op_lessequal less than or equal <= Op_greater greater than > Op_greaterequal greater than or equal >= Op_equal equal == Op_notequal not equal != Op_not unary not ! Op_assign assignment = Op_and logical and && Op_or logical or ¦¦ The - token should always be interpreted as Op_subtract by the lexer. Turning some Op_subtract into Op_negate will be the job of the syntax analyzer, which is not part of this task. Symbols Name Common name Character LeftParen left parenthesis ( RightParen right parenthesis ) LeftBrace left brace { RightBrace right brace } Semicolon semi-colon ; Comma comma , Keywords Name Character sequence Keyword_if if Keyword_else else Keyword_while while Keyword_print print Keyword_putc putc Identifiers and literals These differ from the the previous tokens, in that each occurrence of them has a value associated with it. Name Common name Format description Format regex Value Identifier identifier one or more letter/number/underscore characters, but not starting with a number [_a-zA-Z][_a-zA-Z0-9]* as is Integer integer literal one or more digits [0-9]+ as is, interpreted as a number Integer char literal exactly one character (anything except newline or single quote) or one of the allowed escape sequences, enclosed by single quotes '([^'\n]|\\n|\\\\)' the ASCII code point number of the character, e.g. 65 for 'A' and 10 for '\n' String string literal zero or more characters (anything except newline or double quote), enclosed by double quotes "[^"\n]*" the characters without the double quotes and with escape sequences converted For char and string literals, the \n escape sequence is supported to represent a new-line character. For char and string literals, to represent a backslash, use \\. No other special sequences are supported. This means that: Char literals cannot represent a single quote character (value 39). String literals cannot represent strings containing double quote characters. Zero-width tokens Name Location End_of_input when the end of the input stream is reached White space Zero or more whitespace characters, or comments enclosed in /* ... */, are allowed between any two tokens, with the exceptions noted below. "Longest token matching" is used to resolve conflicts (e.g., in order to match <= as a single token rather than the two tokens < and =). Whitespace is required between two tokens that have an alphanumeric character or underscore at the edge. This means: keywords, identifiers, and integer literals. e.g. ifprint is recognized as an identifier, instead of the keywords if and print. e.g. 42fred is invalid, and neither recognized as a number nor an identifier. Whitespace is not allowed inside of tokens (except for chars and strings where they are part of the value). e.g. & & is invalid, and not interpreted as the && operator. For example, the following two program fragments are equivalent, and should produce the same token stream except for the line and column positions: if ( p /* meaning n is prime */ ) { print ( n , " " ) ; count = count + 1 ; /* number of primes found so far */ } if(p){print(n," ");count=count+1;} Complete list of token names End_of_input Op_multiply Op_divide Op_mod Op_add Op_subtract Op_negate Op_not Op_less Op_lessequal Op_greater Op_greaterequal Op_equal Op_notequal Op_assign Op_and Op_or Keyword_if Keyword_else Keyword_while Keyword_print Keyword_putc LeftParen RightParen LeftBrace RightBrace Semicolon Comma Identifier Integer String Output Format The program output should be a sequence of lines, each consisting of the following whitespace-separated fields: the line number where the token starts the column number where the token starts the token name the token value (only for Identifier, Integer, and String tokens) the number of spaces between fields is up to you. Neatly aligned is nice, but not a requirement. This task is intended to be used as part of a pipeline, with the other compiler tasks - for example: lex < hello.t | parse | gen | vm Or possibly: lex hello.t lex.out parse lex.out parse.out gen parse.out gen.out vm gen.out This implies that the output of this task (the lexical analyzer) should be suitable as input to any of the Syntax Analyzer task programs. Diagnostics The following error conditions should be caught: Error Example Empty character constant '' Unknown escape sequence. \r Multi-character constant. 'xx' End-of-file in comment. Closing comment characters not found. End-of-file while scanning string literal. Closing string character not found. End-of-line while scanning string literal. Closing string character not found before end-of-line. Unrecognized character. | Invalid number. Starts like a number, but ends in non-numeric characters. 123abc Test Cases Input Output Test Case 1: /* Hello world */ print("Hello, World!\n"); 4 1 Keyword_print 4 6 LeftParen 4 7 String "Hello, World!\n" 4 24 RightParen 4 25 Semicolon 5 1 End_of_input Test Case 2: /* Show Ident and Integers */ phoenix_number = 142857; print(phoenix_number, "\n"); 4 1 Identifier phoenix_number 4 16 Op_assign 4 18 Integer 142857 4 24 Semicolon 5 1 Keyword_print 5 6 LeftParen 5 7 Identifier phoenix_number 5 21 Comma 5 23 String "\n" 5 27 RightParen 5 28 Semicolon 6 1 End_of_input Test Case 3: /* All lexical tokens - not syntactically correct, but that will have to wait until syntax analysis */ /* Print */ print /* Sub */ - /* Putc */ putc /* Lss */ < /* If */ if /* Gtr */ > /* Else */ else /* Leq */ <= /* While */ while /* Geq */ >= /* Lbrace */ { /* Eq */ == /* Rbrace */ } /* Neq */ != /* Lparen */ ( /* And */ && /* Rparen */ ) /* Or */ || /* Uminus */ - /* Semi */ ; /* Not */ ! /* Comma */ , /* Mul */ * /* Assign */ = /* Div */ / /* Integer */ 42 /* Mod */ % /* String */ "String literal" /* Add */ + /* Ident */ variable_name /* character literal */ '\n' /* character literal */ '\\' /* character literal */ ' ' 5 16 Keyword_print 5 40 Op_subtract 6 16 Keyword_putc 6 40 Op_less 7 16 Keyword_if 7 40 Op_greater 8 16 Keyword_else 8 40 Op_lessequal 9 16 Keyword_while 9 40 Op_greaterequal 10 16 LeftBrace 10 40 Op_equal 11 16 RightBrace 11 40 Op_notequal 12 16 LeftParen 12 40 Op_and 13 16 RightParen 13 40 Op_or 14 16 Op_subtract 14 40 Semicolon 15 16 Op_not 15 40 Comma 16 16 Op_multiply 16 40 Op_assign 17 16 Op_divide 17 40 Integer 42 18 16 Op_mod 18 40 String "String literal" 19 16 Op_add 19 40 Identifier variable_name 20 26 Integer 10 21 26 Integer 92 22 26 Integer 32 23 1 End_of_input Test Case 4: /*** test printing, embedded \n and comments with lots of '*' ***/ print(42); print("\nHello World\nGood Bye\nok\n"); print("Print a slash n - \\n.\n"); 2 1 Keyword_print 2 6 LeftParen 2 7 Integer 42 2 9 RightParen 2 10 Semicolon 3 1 Keyword_print 3 6 LeftParen 3 7 String "\nHello World\nGood Bye\nok\n" 3 38 RightParen 3 39 Semicolon 4 1 Keyword_print 4 6 LeftParen 4 7 String "Print a slash n - \\n.\n" 4 33 RightParen 4 34 Semicolon 5 1 End_of_input Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Syntax Analyzer task Code Generator task Virtual Machine Interpreter task AST Interpreter task
#Haskell
Haskell
import Control.Applicative hiding (many, some) import Control.Monad.State.Lazy import Control.Monad.Trans.Maybe (MaybeT, runMaybeT) import Data.Char (isAsciiLower, isAsciiUpper, isDigit, ord) import Data.Foldable (asum) import Data.Functor (($>)) import Data.Text (Text) import qualified Data.Text as T import Prelude hiding (lex) import System.Environment (getArgs) import System.IO import Text.Printf     -- Tokens -------------------------------------------------------------------------------------------------------------- data Val = IntVal Int -- value | TextVal String Text -- name value | SymbolVal String -- name | Skip | LexError String -- message   data Token = Token Val Int Int -- value line column     instance Show Val where show (IntVal value) = printf "%-18s%d\n" "Integer" value show (TextVal "String" value) = printf "%-18s%s\n" "String" (show $ T.unpack value) -- show escaped characters show (TextVal name value) = printf "%-18s%s\n" name (T.unpack value) show (SymbolVal name ) = printf "%s\n" name show (LexError msg ) = printf "%-18s%s\n" "Error" msg show Skip = printf ""   instance Show Token where show (Token val line column) = printf "%2d  %2d  %s" line column (show val)     printTokens :: [Token] -> String printTokens tokens = "Location Token name Value\n" ++ "--------------------------------------\n" ++ (concatMap show tokens)     -- Tokenizers ---------------------------------------------------------------------------------------------------------- makeToken :: Lexer Val -> Lexer Token makeToken lexer = do (t, l, c) <- get val <- lexer   case val of Skip -> nextToken   LexError msg -> do (_, l', c') <- get   let code = T.unpack $ T.take (c' - c + 1) t let str = printf "%s\n%s(%d, %d): %s" msg (replicate 27 ' ') l' c' code   ch <- peek unless (ch == '\0') $ advance 1   return $ Token (LexError str) l c   _ -> return $ Token val l c     simpleToken :: String -> String -> Lexer Val simpleToken lexeme name = lit lexeme $> SymbolVal name     makeTokenizers :: [(String, String)] -> Lexer Val makeTokenizers = asum . map (uncurry simpleToken)     keywords :: Lexer Val keywords = makeTokenizers [("if", "Keyword_if"), ("else", "Keyword_else"), ("while", "Keyword_while"), ("print", "Keyword_print"), ("putc", "Keyword_putc")]     operators :: Lexer Val operators = makeTokenizers [("*", "Op_multiply"), ("/", "Op_divide"), ("%", "Op_mod"), ("+", "Op_add"), ("-", "Op_subtract"), ("<=", "Op_lessequal"), ("<", "Op_less"), (">=", "Op_greaterequal"), (">", "Op_greater"), ("==", "Op_equal"), ("!=", "Op_notequal"), ("!", "Op_not"), ("=", "Op_assign"), ("&&", "Op_and"), ("||", "Op_or")]     symbols :: Lexer Val symbols = makeTokenizers [("(", "LeftParen"), (")", "RightParen"), ("{", "LeftBrace"), ("}", "RightBrace"), (";", "Semicolon"), (",", "Comma")]     isIdStart :: Char -> Bool isIdStart ch = isAsciiLower ch || isAsciiUpper ch || ch == '_'   isIdEnd :: Char -> Bool isIdEnd ch = isIdStart ch || isDigit ch   identifier :: Lexer Val identifier = TextVal "Identifier" <$> lexeme where lexeme = T.cons <$> (one isIdStart) <*> (many isIdEnd)     integer :: Lexer Val integer = do lexeme <- some isDigit next_ch <- peek   if (isIdStart next_ch) then return $ LexError "Invalid number. Starts like a number, but ends in non-numeric characters." else do let num = read (T.unpack lexeme) :: Int return $ IntVal num     character :: Lexer Val character = do lit "'" str <- lookahead 3   case str of (ch : '\'' : _) -> advance 2 $> IntVal (ord ch) "\\n'" -> advance 3 $> IntVal 10 "\\\\'" -> advance 3 $> IntVal 92 ('\\' : ch : "\'") -> advance 2 $> LexError (printf "Unknown escape sequence \\%c" ch) ('\'' : _) -> return $ LexError "Empty character constant" _ -> advance 2 $> LexError "Multi-character constant"     string :: Lexer Val string = do lit "\""   loop (T.pack "") =<< peek where loop t ch = case ch of '\\' -> do next_ch <- next   case next_ch of 'n' -> loop (T.snoc t '\n') =<< next '\\' -> loop (T.snoc t '\\') =<< next _ -> return $ LexError $ printf "Unknown escape sequence \\%c" next_ch   '"' -> next $> TextVal "String" t   '\n' -> return $ LexError $ "End-of-line while scanning string literal." ++ " Closing string character not found before end-of-line."   '\0' -> return $ LexError $ "End-of-file while scanning string literal." ++ " Closing string character not found."   _ -> loop (T.snoc t ch) =<< next     skipComment :: Lexer Val skipComment = do lit "/*"   loop =<< peek where loop ch = case ch of '\0' -> return $ LexError "End-of-file in comment. Closing comment characters not found."   '*' -> do next_ch <- next   case next_ch of '/' -> next $> Skip _ -> loop next_ch   _ -> loop =<< next     nextToken :: Lexer Token nextToken = do skipWhitespace   makeToken $ skipComment <|> keywords <|> identifier <|> integer <|> character <|> string <|> operators <|> symbols <|> simpleToken "\0" "End_of_input" <|> (return $ LexError "Unrecognized character.")     main :: IO () main = do args <- getArgs (hin, hout) <- getIOHandles args   withHandles hin hout $ printTokens . (lex nextToken)     ------------------------------------------------------------------------------------------------------------------------ -- Machinery ------------------------------------------------------------------------------------------------------------------------   -- File handling ------------------------------------------------------------------------------------------------------- getIOHandles :: [String] -> IO (Handle, Handle) getIOHandles [] = return (stdin, stdout)   getIOHandles [infile] = do inhandle <- openFile infile ReadMode return (inhandle, stdout)   getIOHandles (infile : outfile : _) = do inhandle <- openFile infile ReadMode outhandle <- openFile outfile WriteMode return (inhandle, outhandle)     withHandles :: Handle -> Handle -> (String -> String) -> IO () withHandles in_handle out_handle f = do contents <- hGetContents in_handle let contents' = contents ++ "\0" -- adding \0 simplifies treatment of EOF   hPutStr out_handle $ f contents'   unless (in_handle == stdin) $ hClose in_handle unless (out_handle == stdout) $ hClose out_handle     -- Lexer --------------------------------------------------------------------------------------------------------------- type LexerState = (Text, Int, Int) -- input line column type Lexer = MaybeT (State LexerState)     lexerAdvance :: Int -> LexerState -> LexerState lexerAdvance 0 ctx = ctx   lexerAdvance 1 (t, l, c) | ch == '\n' = (rest, l + 1, 1 ) | otherwise = (rest, l, c + 1) where (ch, rest) = (T.head t, T.tail t)   lexerAdvance n ctx = lexerAdvance (n - 1) $ lexerAdvance 1 ctx     advance :: Int -> Lexer () advance n = modify $ lexerAdvance n     peek :: Lexer Char peek = gets $ \(t, _, _) -> T.head t     lookahead :: Int -> Lexer String lookahead n = gets $ \(t, _, _) -> T.unpack $ T.take n t     next :: Lexer Char next = advance 1 >> peek     skipWhitespace :: Lexer () skipWhitespace = do ch <- peek when (ch `elem` " \n") (next >> skipWhitespace)     lit :: String -> Lexer () lit lexeme = do (t, _, _) <- get guard $ T.isPrefixOf (T.pack lexeme) t advance $ length lexeme     one :: (Char -> Bool) -> Lexer Char one f = do ch <- peek guard $ f ch next return ch     lexerMany :: (Char -> Bool) -> LexerState -> (Text, LexerState) lexerMany f (t, l, c) = (lexeme, (t', l', c')) where (lexeme, _) = T.span f t (t', l', c') = lexerAdvance (T.length lexeme) (t, l, c)     many :: (Char -> Bool) -> Lexer Text many f = state $ lexerMany f     some :: (Char -> Bool) -> Lexer Text some f = T.cons <$> (one f) <*> (many f)     lex :: Lexer a -> String -> [a] lex lexer str = loop lexer (T.pack str, 1, 1) where loop lexer s | T.null txt = [t] | otherwise = t : loop lexer s'   where (Just t, s') = runState (runMaybeT lexer) s (txt, _, _) = s'
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#Factor
Factor
USING: io sequences command-line ; (command-line) [ print ] each
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#Fancy
Fancy
ARGV each: |a| { a println # print each given command line argument }
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#Fantom
Fantom
  class Main { public static Void main (Str[] args) { echo ("command-line args are: " + args) } }  
http://rosettacode.org/wiki/Comments
Comments
Task Show all ways to include text in a language source file that's completely ignored by the compiler or interpreter. Related tasks   Documentation   Here_document See also   Wikipedia   xkcd (Humor: hand gesture denoting // for "commenting out" people.)
#Brlcad
Brlcad
  # Comments in mget scripts are prefixed with a hash symbol ls # comments may appear at the end of a line  
http://rosettacode.org/wiki/Comments
Comments
Task Show all ways to include text in a language source file that's completely ignored by the compiler or interpreter. Related tasks   Documentation   Here_document See also   Wikipedia   xkcd (Humor: hand gesture denoting // for "commenting out" people.)
#Burlesque
Burlesque
  "I'm sort of a comment"vv  
http://rosettacode.org/wiki/Compiler/virtual_machine_interpreter
Compiler/virtual machine interpreter
A virtual machine implements a computer in software. Task[edit] Write a virtual machine interpreter. This interpreter should be able to run virtual assembly language programs created via the task. This is a byte-coded, 32-bit word stack based virtual machine. The program should read input from a file and/or stdin, and write output to a file and/or stdout. Input format: Given the following program: count = 1; while (count < 10) { print("count is: ", count, "\n"); count = count + 1; } The output from the Code generator is a virtual assembly code program: Output from gen, input to VM Datasize: 1 Strings: 2 "count is: " "\n" 0 push 1 5 store [0] 10 fetch [0] 15 push 10 20 lt 21 jz (43) 65 26 push 0 31 prts 32 fetch [0] 37 prti 38 push 1 43 prts 44 fetch [0] 49 push 1 54 add 55 store [0] 60 jmp (-51) 10 65 halt The first line of the input specifies the datasize required and the number of constant strings, in the order that they are reference via the code. The data can be stored in a separate array, or the data can be stored at the beginning of the stack. Data is addressed starting at 0. If there are 3 variables, the 3rd one if referenced at address 2. If there are one or more constant strings, they come next. The code refers to these strings by their index. The index starts at 0. So if there are 3 strings, and the code wants to reference the 3rd string, 2 will be used. Next comes the actual virtual assembly code. The first number is the code address of that instruction. After that is the instruction mnemonic, followed by optional operands, depending on the instruction. Registers: sp: the stack pointer - points to the next top of stack. The stack is a 32-bit integer array. pc: the program counter - points to the current instruction to be performed. The code is an array of bytes. Data: data string pool Instructions: Each instruction is one byte. The following instructions also have a 32-bit integer operand: fetch [index] where index is an index into the data array. store [index] where index is an index into the data array. push n where value is a 32-bit integer that will be pushed onto the stack. jmp (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. jz (n) addr where (n) is a 32-bit integer specifying the distance between the current location and the desired location. addr is an unsigned value of the actual code address. The following instructions do not have an operand. They perform their operation directly against the stack: For the following instructions, the operation is performed against the top two entries in the stack: add sub mul div mod lt gt le ge eq ne and or For the following instructions, the operation is performed against the top entry in the stack: neg not Print the word at stack top as a character. prtc Print the word at stack top as an integer. prti Stack top points to an index into the string pool. Print that entry. prts Unconditional stop. halt A simple example virtual machine def run_vm(data_size) int stack[data_size + 1000] set stack[0..data_size - 1] to 0 int pc = 0 while True: op = code[pc] pc += 1   if op == FETCH: stack.append(stack[bytes_to_int(code[pc:pc+word_size])[0]]); pc += word_size elif op == STORE: stack[bytes_to_int(code[pc:pc+word_size])[0]] = stack.pop(); pc += word_size elif op == PUSH: stack.append(bytes_to_int(code[pc:pc+word_size])[0]); pc += word_size elif op == ADD: stack[-2] += stack[-1]; stack.pop() elif op == SUB: stack[-2] -= stack[-1]; stack.pop() elif op == MUL: stack[-2] *= stack[-1]; stack.pop() elif op == DIV: stack[-2] /= stack[-1]; stack.pop() elif op == MOD: stack[-2] %= stack[-1]; stack.pop() elif op == LT: stack[-2] = stack[-2] < stack[-1]; stack.pop() elif op == GT: stack[-2] = stack[-2] > stack[-1]; stack.pop() elif op == LE: stack[-2] = stack[-2] <= stack[-1]; stack.pop() elif op == GE: stack[-2] = stack[-2] >= stack[-1]; stack.pop() elif op == EQ: stack[-2] = stack[-2] == stack[-1]; stack.pop() elif op == NE: stack[-2] = stack[-2] != stack[-1]; stack.pop() elif op == AND: stack[-2] = stack[-2] and stack[-1]; stack.pop() elif op == OR: stack[-2] = stack[-2] or stack[-1]; stack.pop() elif op == NEG: stack[-1] = -stack[-1] elif op == NOT: stack[-1] = not stack[-1] elif op == JMP: pc += bytes_to_int(code[pc:pc+word_size])[0] elif op == JZ: if stack.pop() then pc += word_size else pc += bytes_to_int(code[pc:pc+word_size])[0] elif op == PRTC: print stack[-1] as a character; stack.pop() elif op == PRTS: print the constant string referred to by stack[-1]; stack.pop() elif op == PRTI: print stack[-1] as an integer; stack.pop() elif op == HALT: break Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Lexical Analyzer task Syntax Analyzer task Code Generator task AST Interpreter task
#zkl
zkl
// This is a little endian machine const WORD_SIZE=4; const{ var _n=-1; var[proxy]N=fcn{ _n+=1 } } // enumerator const FETCH=N, STORE=N, PUSH=N, ADD=N, SUB=N, MUL=N, DIV=N, MOD=N, LT=N, GT=N, LE=N, GE=N, EQ=N, NE=N, AND=N, OR=N, NEG=N, NOT=N, JMP=N, JZ=N, PRTC=N, PRTS=N, PRTI=N, HALT=N;   var [const] bops=Dictionary(ADD,'+, SUB,'-, MUL,'*, DIV,'/, MOD,'%, LT,'<, GT,'>, LE,'<=, GE,'>=, NE,'!=, EQ,'==, NE,'!=), strings=List(); // filled in by the loader ;   // do a binary op fcn bop(stack,op){ a,b:=stack.pop(),stack.pop(); stack.append(bops[op](b,a)) }   fcn run_vm(code,stackSz){ stack,pc := List.createLong(stackSz,0), 0; while(True){ op:=code[pc]; pc+=1; switch(op){ case(FETCH){ stack.append(stack[code.toLittleEndian(pc,WORD_SIZE,False)]); pc+=WORD_SIZE; } case(STORE){ stack[code.toLittleEndian(pc,WORD_SIZE)]=stack.pop(); pc+=WORD_SIZE; } case(PUSH){ stack.append(code.toLittleEndian(pc,WORD_SIZE,False)); // signed pc+=WORD_SIZE; } case(ADD,SUB,MUL,DIV,MOD,LT,GT,LE,GE,EQ,NE) { bop(stack,op) } case(AND){ stack[-2] = stack[-2] and stack[-1]; stack.pop() } case(OR) { stack[-2] = stack[-2] or stack[-1]; stack.pop() } case(NEG){ stack[-1] = -stack[-1] } case(NOT){ stack[-1] = not stack[-1] } case(JMP){ pc+=code.toLittleEndian(pc,WORD_SIZE,False); } // signed case(JZ) { if(stack.pop()) pc+=WORD_SIZE; else pc+=code.toLittleEndian(pc,WORD_SIZE,False); } case(PRTC){ } // not implemented case(PRTS){ print(strings[stack.pop()]) } case(PRTI){ print(stack.pop()) } case(HALT){ break } else{ throw(Exception.AssertionError( "Bad op code (%d) @%d".fmt(op,pc-1))) } } } }   code:=File(vm.nthArg(0)).read(); // binary code file // the string table is prepended to the code: // 66,1 byte len,text, no trailing '\0' needed while(code[0]==66){ // read the string table sz:=code[1]; strings.append(code[2,sz].text); code.del(0,sz+2); } run_vm(code,1000);
http://rosettacode.org/wiki/Conway%27s_Game_of_Life
Conway's Game of Life
The Game of Life is a   cellular automaton   devised by the British mathematician   John Horton Conway   in 1970.   It is the best-known example of a cellular automaton. Conway's game of life is described   here: A cell   C   is represented by a   1   when alive,   or   0   when dead,   in an   m-by-m   (or m×m)   square array of cells. We calculate   N   - the sum of live cells in C's   eight-location neighbourhood,   then cell   C   is alive or dead in the next generation based on the following table: C N new C 1 0,1 -> 0 # Lonely 1 4,5,6,7,8 -> 0 # Overcrowded 1 2,3 -> 1 # Lives 0 3 -> 1 # It takes three to give birth! 0 0,1,2,4,5,6,7,8 -> 0 # Barren Assume cells beyond the boundary are always dead. The "game" is actually a zero-player game, meaning that its evolution is determined by its initial state, needing no input from human players.   One interacts with the Game of Life by creating an initial configuration and observing how it evolves. Task Although you should test your implementation on more complex examples such as the   glider   in a larger universe,   show the action of the blinker   (three adjoining cells in a row all alive),   over three generations, in a 3 by 3 grid. References   Its creator John Conway, explains   the game of life.   Video from numberphile on youtube.   John Conway   Inventing Game of Life   - Numberphile video. Related task   Langton's ant   - another well known cellular automaton.
#Fortran
Fortran
PROGRAM LIFE_2D IMPLICIT NONE   INTEGER, PARAMETER :: gridsize = 10 LOGICAL :: cells(0:gridsize+1,0:gridsize+1) = .FALSE. INTEGER :: i, j, generation=0 REAL :: rnums(gridsize,gridsize)   ! Start patterns ! ************** ! cells(2,1:3) = .TRUE.  ! Blinker ! cells(3,4:6) = .TRUE. ; cells(4,3:5) = .TRUE.  ! Toad ! cells(1,2) = .TRUE. ; cells(2,3) = .TRUE. ; cells(3,1:3) = .TRUE.  ! Glider cells(3:5,3:5) = .TRUE. ; cells(6:8,6:8) = .TRUE. ! Figure of Eight ! CALL RANDOM_SEED ! CALL RANDOM_NUMBER(rnums) ! WHERE (rnums>0.6) cells(1:gridsize,1:gridsize) = .TRUE.  ! Random universe   CALL Drawgen(cells(1:gridsize, 1:gridsize), generation) DO generation = 1, 8 CALL NextgenV2(cells) CALL Drawgen(cells(1:gridsize, 1:gridsize), generation) END DO   CONTAINS   SUBROUTINE Drawgen(cells, gen) LOGICAL, INTENT(IN OUT) :: cells(:,:) INTEGER, INTENT(IN) :: gen   WRITE(*, "(A,I0)") "Generation ", gen DO i = 1, SIZE(cells,1) DO j = 1, SIZE(cells,2) IF (cells(i,j)) THEN WRITE(*, "(A)", ADVANCE = "NO") "#" ELSE WRITE(*, "(A)", ADVANCE = "NO") " " END IF END DO WRITE(*,*) END DO WRITE(*,*) END SUBROUTINE Drawgen   SUBROUTINE Nextgen(cells) LOGICAL, INTENT(IN OUT) :: cells(0:,0:) LOGICAL :: buffer(0:SIZE(cells, 1)-1, 0:SIZE(cells, 2)-1) INTEGER :: neighbours, i, j   buffer = cells ! Store current status DO j = 1, SIZE(cells, 2)-2 DO i = 1, SIZE(cells, 1)-2 if(buffer(i, j)) then neighbours = sum(count(buffer(i-1:i+1, j-1:j+1), 1)) - 1 else neighbours = sum(count(buffer(i-1:i+1, j-1:j+1), 1)) end if   SELECT CASE(neighbours) CASE (0:1, 4:8) cells(i,j) = .FALSE.   CASE (2) ! No change   CASE (3) cells(i,j) = .TRUE. END SELECT   END DO END DO END SUBROUTINE Nextgen   !########################################################################### ! In this version instead of cycling through all points an integer array ! is used the sum the live neighbors of all points. The sum is done with ! the entire array cycling through the eight positions of the neighbors. ! Executing a grid size of 10000 in 500 generations this version gave a ! speedup of almost 4 times. !########################################################################### PURE SUBROUTINE NextgenV2(cells) LOGICAL, INTENT(IN OUT) :: cells(:,:) INTEGER(KIND=1) :: buffer(1:SIZE(cells, 1)-2,1:SIZE(cells, 2)-2) INTEGER :: gridsize, i, j   gridsize=SIZE(cells, 1) buffer=0   DO j=-1, 1 DO i=-1,1 IF(i==0 .AND. j==0) CYCLE WHERE(cells(i+2:gridsize-i-1,j+2:gridsize-j-1)) buffer=buffer+1 END DO END DO   WHERE(buffer<2 .or. buffer>3) cells(2:gridsize-1,2:gridsize-1) = .FALSE. WHERE(buffer==3) cells(2:gridsize-1,2:gridsize-1) = .TRUE. END SUBROUTINE NextgenV2 !########################################################################### END PROGRAM LIFE_2D
http://rosettacode.org/wiki/Conditional_structures
Conditional structures
Control Structures These are examples of control structures. You may also be interested in: Conditional structures Exceptions Flow-control structures Loops Task List the conditional structures offered by a programming language. See Wikipedia: conditionals for descriptions. Common conditional structures include if-then-else and switch. Less common are arithmetic if, ternary operator and Hash-based conditionals. Arithmetic if allows tight control over computed gotos, which optimizers have a hard time to figure out.
#C.2B.2B
C++
template<bool Condition, typename ThenType, typename Elsetype> struct ifthenelse;   template<typename ThenType, typename ElseType> struct ifthenelse<true, ThenType, ElseType> { typedef ThenType type; };   template<typename ThenType, typename ElseType> struct ifthenelse<false, ThenType, ElseType> { typedef ElseType type; };   // example usage: select type based on size ifthenelse<INT_MAX == 32767, // 16 bit int? long int, // in that case, we'll need a long int int> // otherwise an int will do ::type myvar; // define variable myvar with that type
http://rosettacode.org/wiki/Compare_a_list_of_strings
Compare a list of strings
Task Given a   list   of arbitrarily many strings, show how to:   test if they are all lexically equal   test if every string is lexically less than the one after it (i.e. whether the list is in strict ascending order) Each of those two tests should result in a single true or false value, which could be used as the condition of an   if   statement or similar. If the input list has less than two elements, the tests should always return true. There is no need to provide a complete program and output. Assume that the strings are already stored in an array/list/sequence/tuple variable (whatever is most idiomatic) with the name   strings,   and just show the expressions for performing those two tests on it (plus of course any includes and custom functions etc. that it needs),   with as little distractions as possible. Try to write your solution in a way that does not modify the original list,   but if it does then please add a note to make that clear to readers. If you need further guidance/clarification,   see #Perl and #Python for solutions that use implicit short-circuiting loops,   and #Raku for a solution that gets away with simply using a built-in language feature. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Kotlin
Kotlin
// version 1.0.6   fun areEqual(strings: Array<String>): Boolean { if (strings.size < 2) return true return (1 until strings.size).all { strings[it] == strings[it - 1] } }   fun areAscending(strings: Array<String>): Boolean { if (strings.size < 2) return true return (1 until strings.size).all { strings[it] > strings[it - 1] } }   // The strings are given in the command line arguments   fun main(args: Array<String>) { println("The strings are : ${args.joinToString()}") if (areEqual(args)) println("They are all equal") else if (areAscending(args)) println("They are in strictly ascending order") else println("They are neither equal nor in ascending order") }
http://rosettacode.org/wiki/Compare_a_list_of_strings
Compare a list of strings
Task Given a   list   of arbitrarily many strings, show how to:   test if they are all lexically equal   test if every string is lexically less than the one after it (i.e. whether the list is in strict ascending order) Each of those two tests should result in a single true or false value, which could be used as the condition of an   if   statement or similar. If the input list has less than two elements, the tests should always return true. There is no need to provide a complete program and output. Assume that the strings are already stored in an array/list/sequence/tuple variable (whatever is most idiomatic) with the name   strings,   and just show the expressions for performing those two tests on it (plus of course any includes and custom functions etc. that it needs),   with as little distractions as possible. Try to write your solution in a way that does not modify the original list,   but if it does then please add a note to make that clear to readers. If you need further guidance/clarification,   see #Perl and #Python for solutions that use implicit short-circuiting loops,   and #Raku for a solution that gets away with simply using a built-in language feature. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Lambdatalk
Lambdatalk
  {def allsame {def allsame.r {lambda {:s :n :i} {if {= :i :n} then true else {if {not {W.equal? {A.get :i :s} {A.get 0 :s}}} then false else {allsame.r :s :n {+ :i 1}} }}}} {lambda {:s} {allsame.r :s {- {A.length :s} 1} 0} }} -> allsame   {def strict_order {def strict_order.r {lambda {:s :n :i} {if {= :i :n} then true else {if {W.inforequal? {A.get :i :s} {A.get {- :i 1} :s}} then false else {strict_order.r :s :n {+ :i 1}}}} }} {lambda {:s} {if {= {A.length :s} 1} then true else {strict_order.r :s {A.length :s} 1} }}} -> strict_order   {S.map allsame {A.new AA BB CC} {A.new AA AA AA} {A.new AA CC BB} {A.new AA ACB BB CC} {A.new single} } -> false true false false true   {S.map strict_order {A.new AA BB CC} {A.new AA AA AA} {A.new AA CC BB} {A.new AA ACB BB CC} {A.new single} } -> true false false true true    
http://rosettacode.org/wiki/Comma_quibbling
Comma quibbling
Comma quibbling is a task originally set by Eric Lippert in his blog. Task Write a function to generate a string output which is the concatenation of input words from a list/sequence where: An input of no words produces the output string of just the two brace characters "{}". An input of just one word, e.g. ["ABC"], produces the output string of the word inside the two braces, e.g. "{ABC}". An input of two words, e.g. ["ABC", "DEF"], produces the output string of the two words inside the two braces with the words separated by the string " and ", e.g. "{ABC and DEF}". An input of three or more words, e.g. ["ABC", "DEF", "G", "H"], produces the output string of all but the last word separated by ", " with the last word separated by " and " and all within braces; e.g. "{ABC, DEF, G and H}". Test your function with the following series of inputs showing your output here on this page: [] # (No input words). ["ABC"] ["ABC", "DEF"] ["ABC", "DEF", "G", "H"] Note: Assume words are non-empty strings of uppercase characters for this task.
#DCL
DCL
$ list = "[]" $ gosub comma_quibbling $ write sys$output return_string $ $ list = "[""ABC""]" $ gosub comma_quibbling $ write sys$output return_string $ $ list = "[""ABC"", ""DEF""]" $ gosub comma_quibbling $ write sys$output return_string $ $ list = "[""ABC"", ""DEF"", ""G"", ""H""]" $ gosub comma_quibbling $ write sys$output return_string $ $ exit $ $ comma_quibbling: $ list = list - "[" - "]" $ return_string = "{}" $ if list .eqs. "" then $ return $ return_string = "{" + f$element( 0, ",", list ) - """" - """" $ if f$locate( ",", list ) .eq. f$length( list ) then $ goto done2 $ i = 1 $ loop: $ word = f$element( i, ",", list ) - """" - """" $ if word .eqs. "," then $ goto done1 $ return_string = return_string - "^" + "^," + word $ i = i + 1 $ goto loop $ done1: $ return_string = f$element( 0, "^", return_string ) + " and" + ( f$element( 1, "^", return_string ) - "," ) $ done2: $ return_string = return_string + "}" $ return
http://rosettacode.org/wiki/Combinations_with_repetitions
Combinations with repetitions
The set of combinations with repetitions is computed from a set, S {\displaystyle S} (of cardinality n {\displaystyle n} ), and a size of resulting selection, k {\displaystyle k} , by reporting the sets of cardinality k {\displaystyle k} where each member of those sets is chosen from S {\displaystyle S} . In the real world, it is about choosing sets where there is a “large” supply of each type of element and where the order of choice does not matter. For example: Q: How many ways can a person choose two doughnuts from a store selling three types of doughnut: iced, jam, and plain? (i.e., S {\displaystyle S} is { i c e d , j a m , p l a i n } {\displaystyle \{\mathrm {iced} ,\mathrm {jam} ,\mathrm {plain} \}} , | S | = 3 {\displaystyle |S|=3} , and k = 2 {\displaystyle k=2} .) A: 6: {iced, iced}; {iced, jam}; {iced, plain}; {jam, jam}; {jam, plain}; {plain, plain}. Note that both the order of items within a pair, and the order of the pairs given in the answer is not significant; the pairs represent multisets. Also note that doughnut can also be spelled donut. Task Write a function/program/routine/.. to generate all the combinations with repetitions of n {\displaystyle n} types of things taken k {\displaystyle k} at a time and use it to show an answer to the doughnut example above. For extra credit, use the function to compute and show just the number of ways of choosing three doughnuts from a choice of ten types of doughnut. Do not show the individual choices for this part. References k-combination with repetitions See also The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#Haskell
Haskell
-- Return the combinations, with replacement, of k items from the -- list. We ignore the case where k is greater than the length of -- the list. combsWithRep :: Int -> [a] -> [[a]] combsWithRep 0 _ = [[]] combsWithRep _ [] = [] combsWithRep k xxs@(x:xs) = (x :) <$> combsWithRep (k - 1) xxs ++ combsWithRep k xs   binomial n m = f n `div` f (n - m) `div` f m where f n = if n == 0 then 1 else n * f (n - 1)   countCombsWithRep :: Int -> [a] -> Int countCombsWithRep k lst = binomial (k - 1 + length lst) k   -- countCombsWithRep k = length . combsWithRep k main :: IO () main = do print $ combsWithRep 2 ["iced", "jam", "plain"] print $ countCombsWithRep 3 [1 .. 10]
http://rosettacode.org/wiki/Combinations_and_permutations
Combinations and permutations
This page uses content from Wikipedia. The original article was at Combination. 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) This page uses content from Wikipedia. The original article was at Permutation. 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) Task Implement the combination   (nCk)   and permutation   (nPk)   operators in the target language: n C k = ( n k ) = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle ^{n}\operatorname {C} _{k}={\binom {n}{k}}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} See the Wikipedia articles for a more detailed description. To test, generate and print examples of:   A sample of permutations from 1 to 12 and Combinations from 10 to 60 using exact Integer arithmetic.   A sample of permutations from 5 to 15000 and Combinations from 100 to 1000 using approximate Floating point arithmetic. This 'floating point' code could be implemented using an approximation, e.g., by calling the Gamma function. Related task   Evaluate binomial coefficients The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#Perl
Perl
use strict; use warnings;   showoff( "Permutations", \&P, "P", 1 .. 12 ); showoff( "Combinations", \&C, "C", map $_*10, 1..6 ); showoff( "Permutations", \&P_big, "P", 5, 50, 500, 1000, 5000, 15000 ); showoff( "Combinations", \&C_big, "C", map $_*100, 1..10 );   sub showoff { my ($text, $code, $fname, @n) = @_; print "\nA sample of $text from $n[0] to $n[-1]\n"; for my $n ( @n ) { my $k = int( $n / 3 ); print $n, " $fname $k = ", $code->($n, $k), "\n"; } }   sub P { my ($n, $k) = @_; my $x = 1; $x *= $_ for $n - $k + 1 .. $n ; $x; }   sub P_big { my ($n, $k) = @_; my $x = 0; $x += log($_) for $n - $k + 1 .. $n ; eshow($x); }   sub C { my ($n, $k) = @_; my $x = 1; $x *= ($n - $_ + 1) / $_ for 1 .. $k; $x; }   sub C_big { my ($n, $k) = @_; my $x = 0; $x += log($n - $_ + 1) - log($_) for 1 .. $k; exp($x); }   sub eshow { my ($x) = @_; my $e = int( $x / log(10) ); sprintf "%.8Fe%+d", exp($x - $e * log(10)), $e; }  
http://rosettacode.org/wiki/Compiler/lexical_analyzer
Compiler/lexical analyzer
Definition from Wikipedia: Lexical analysis is the process of converting a sequence of characters (such as in a computer program or web page) into a sequence of tokens (strings with an identified "meaning"). A program that performs lexical analysis may be called a lexer, tokenizer, or scanner (though "scanner" is also used to refer to the first stage of a lexer). Task[edit] Create a lexical analyzer for the simple programming language specified below. The program should read input from a file and/or stdin, and write output to a file and/or stdout. If the language being used has a lexer module/library/class, it would be great if two versions of the solution are provided: One without the lexer module, and one with. Input Specification The simple programming language to be analyzed is more or less a subset of C. It supports the following tokens: Operators Name Common name Character sequence Op_multiply multiply * Op_divide divide / Op_mod mod % Op_add plus + Op_subtract minus - Op_negate unary minus - Op_less less than < Op_lessequal less than or equal <= Op_greater greater than > Op_greaterequal greater than or equal >= Op_equal equal == Op_notequal not equal != Op_not unary not ! Op_assign assignment = Op_and logical and && Op_or logical or ¦¦ The - token should always be interpreted as Op_subtract by the lexer. Turning some Op_subtract into Op_negate will be the job of the syntax analyzer, which is not part of this task. Symbols Name Common name Character LeftParen left parenthesis ( RightParen right parenthesis ) LeftBrace left brace { RightBrace right brace } Semicolon semi-colon ; Comma comma , Keywords Name Character sequence Keyword_if if Keyword_else else Keyword_while while Keyword_print print Keyword_putc putc Identifiers and literals These differ from the the previous tokens, in that each occurrence of them has a value associated with it. Name Common name Format description Format regex Value Identifier identifier one or more letter/number/underscore characters, but not starting with a number [_a-zA-Z][_a-zA-Z0-9]* as is Integer integer literal one or more digits [0-9]+ as is, interpreted as a number Integer char literal exactly one character (anything except newline or single quote) or one of the allowed escape sequences, enclosed by single quotes '([^'\n]|\\n|\\\\)' the ASCII code point number of the character, e.g. 65 for 'A' and 10 for '\n' String string literal zero or more characters (anything except newline or double quote), enclosed by double quotes "[^"\n]*" the characters without the double quotes and with escape sequences converted For char and string literals, the \n escape sequence is supported to represent a new-line character. For char and string literals, to represent a backslash, use \\. No other special sequences are supported. This means that: Char literals cannot represent a single quote character (value 39). String literals cannot represent strings containing double quote characters. Zero-width tokens Name Location End_of_input when the end of the input stream is reached White space Zero or more whitespace characters, or comments enclosed in /* ... */, are allowed between any two tokens, with the exceptions noted below. "Longest token matching" is used to resolve conflicts (e.g., in order to match <= as a single token rather than the two tokens < and =). Whitespace is required between two tokens that have an alphanumeric character or underscore at the edge. This means: keywords, identifiers, and integer literals. e.g. ifprint is recognized as an identifier, instead of the keywords if and print. e.g. 42fred is invalid, and neither recognized as a number nor an identifier. Whitespace is not allowed inside of tokens (except for chars and strings where they are part of the value). e.g. & & is invalid, and not interpreted as the && operator. For example, the following two program fragments are equivalent, and should produce the same token stream except for the line and column positions: if ( p /* meaning n is prime */ ) { print ( n , " " ) ; count = count + 1 ; /* number of primes found so far */ } if(p){print(n," ");count=count+1;} Complete list of token names End_of_input Op_multiply Op_divide Op_mod Op_add Op_subtract Op_negate Op_not Op_less Op_lessequal Op_greater Op_greaterequal Op_equal Op_notequal Op_assign Op_and Op_or Keyword_if Keyword_else Keyword_while Keyword_print Keyword_putc LeftParen RightParen LeftBrace RightBrace Semicolon Comma Identifier Integer String Output Format The program output should be a sequence of lines, each consisting of the following whitespace-separated fields: the line number where the token starts the column number where the token starts the token name the token value (only for Identifier, Integer, and String tokens) the number of spaces between fields is up to you. Neatly aligned is nice, but not a requirement. This task is intended to be used as part of a pipeline, with the other compiler tasks - for example: lex < hello.t | parse | gen | vm Or possibly: lex hello.t lex.out parse lex.out parse.out gen parse.out gen.out vm gen.out This implies that the output of this task (the lexical analyzer) should be suitable as input to any of the Syntax Analyzer task programs. Diagnostics The following error conditions should be caught: Error Example Empty character constant '' Unknown escape sequence. \r Multi-character constant. 'xx' End-of-file in comment. Closing comment characters not found. End-of-file while scanning string literal. Closing string character not found. End-of-line while scanning string literal. Closing string character not found before end-of-line. Unrecognized character. | Invalid number. Starts like a number, but ends in non-numeric characters. 123abc Test Cases Input Output Test Case 1: /* Hello world */ print("Hello, World!\n"); 4 1 Keyword_print 4 6 LeftParen 4 7 String "Hello, World!\n" 4 24 RightParen 4 25 Semicolon 5 1 End_of_input Test Case 2: /* Show Ident and Integers */ phoenix_number = 142857; print(phoenix_number, "\n"); 4 1 Identifier phoenix_number 4 16 Op_assign 4 18 Integer 142857 4 24 Semicolon 5 1 Keyword_print 5 6 LeftParen 5 7 Identifier phoenix_number 5 21 Comma 5 23 String "\n" 5 27 RightParen 5 28 Semicolon 6 1 End_of_input Test Case 3: /* All lexical tokens - not syntactically correct, but that will have to wait until syntax analysis */ /* Print */ print /* Sub */ - /* Putc */ putc /* Lss */ < /* If */ if /* Gtr */ > /* Else */ else /* Leq */ <= /* While */ while /* Geq */ >= /* Lbrace */ { /* Eq */ == /* Rbrace */ } /* Neq */ != /* Lparen */ ( /* And */ && /* Rparen */ ) /* Or */ || /* Uminus */ - /* Semi */ ; /* Not */ ! /* Comma */ , /* Mul */ * /* Assign */ = /* Div */ / /* Integer */ 42 /* Mod */ % /* String */ "String literal" /* Add */ + /* Ident */ variable_name /* character literal */ '\n' /* character literal */ '\\' /* character literal */ ' ' 5 16 Keyword_print 5 40 Op_subtract 6 16 Keyword_putc 6 40 Op_less 7 16 Keyword_if 7 40 Op_greater 8 16 Keyword_else 8 40 Op_lessequal 9 16 Keyword_while 9 40 Op_greaterequal 10 16 LeftBrace 10 40 Op_equal 11 16 RightBrace 11 40 Op_notequal 12 16 LeftParen 12 40 Op_and 13 16 RightParen 13 40 Op_or 14 16 Op_subtract 14 40 Semicolon 15 16 Op_not 15 40 Comma 16 16 Op_multiply 16 40 Op_assign 17 16 Op_divide 17 40 Integer 42 18 16 Op_mod 18 40 String "String literal" 19 16 Op_add 19 40 Identifier variable_name 20 26 Integer 10 21 26 Integer 92 22 26 Integer 32 23 1 End_of_input Test Case 4: /*** test printing, embedded \n and comments with lots of '*' ***/ print(42); print("\nHello World\nGood Bye\nok\n"); print("Print a slash n - \\n.\n"); 2 1 Keyword_print 2 6 LeftParen 2 7 Integer 42 2 9 RightParen 2 10 Semicolon 3 1 Keyword_print 3 6 LeftParen 3 7 String "\nHello World\nGood Bye\nok\n" 3 38 RightParen 3 39 Semicolon 4 1 Keyword_print 4 6 LeftParen 4 7 String "Print a slash n - \\n.\n" 4 33 RightParen 4 34 Semicolon 5 1 End_of_input Additional examples Your solution should pass all the test cases above and the additional tests found Here. Reference The C and Python versions can be considered reference implementations. Related Tasks Syntax Analyzer task Code Generator task Virtual Machine Interpreter task AST Interpreter task
#Icon
Icon
# # The Rosetta Code lexical analyzer in Icon with co-expressions. Based # upon the ATS implementation. # # Usage: lex [INPUTFILE [OUTPUTFILE]] # If INPUTFILE or OUTPUTFILE is "-" or missing, then standard input # or standard output is used, respectively. *) #   $define EOF -1   $define TOKEN_ELSE 0 $define TOKEN_IF 1 $define TOKEN_PRINT 2 $define TOKEN_PUTC 3 $define TOKEN_WHILE 4 $define TOKEN_MULTIPLY 5 $define TOKEN_DIVIDE 6 $define TOKEN_MOD 7 $define TOKEN_ADD 8 $define TOKEN_SUBTRACT 9 $define TOKEN_NEGATE 10 $define TOKEN_LESS 11 $define TOKEN_LESSEQUAL 12 $define TOKEN_GREATER 13 $define TOKEN_GREATEREQUAL 14 $define TOKEN_EQUAL 15 $define TOKEN_NOTEQUAL 16 $define TOKEN_NOT 17 $define TOKEN_ASSIGN 18 $define TOKEN_AND 19 $define TOKEN_OR 20 $define TOKEN_LEFTPAREN 21 $define TOKEN_RIGHTPAREN 22 $define TOKEN_LEFTBRACE 23 $define TOKEN_RIGHTBRACE 24 $define TOKEN_SEMICOLON 25 $define TOKEN_COMMA 26 $define TOKEN_IDENTIFIER 27 $define TOKEN_INTEGER 28 $define TOKEN_STRING 29 $define TOKEN_END_OF_INPUT 30   global whitespace global ident_start global ident_continuation   procedure main(args) local inpf, outf local pushback_buffer, inp, pushback   initial { whitespace := ' \t\v\f\r\n' ident_start := '_' ++ &letters ident_continuation := ident_start ++ &digits }   inpf := &input outf := &output if 1 <= *args & args[1] ~== "-" then { inpf := open(args[1], "rt") | stop("cannot open ", args[1], " for input") } if 2 <= *args & args[2] ~== "-" then { outf := open(args[2], "wt") | stop("cannot open ", args[2], " for output") }   pushback_buffer := [] inp := create inputter(inpf, pushback_buffer) pushback := create repeat push(pushback_buffer, \@&source) @pushback # The first invocation does nothing.   scan_text(outf, inp, pushback) end   procedure scan_text(outf, inp, pushback) local ch   while /ch | ch[1] ~=== EOF do { skip_spaces_and_comments(inp, pushback) ch := @inp if ch[1] === EOF then { print_token(outf, [TOKEN_END_OF_INPUT, "", ch[2], ch[3]]) } else { ch @pushback print_token(outf, get_next_token(inp, pushback)) } } end   procedure get_next_token(inp, pushback) local ch, ch1 local ln, cn   skip_spaces_and_comments(inp, pushback) ch := @inp ln := ch[2] # line number cn := ch[3] # column number case ch[1] of { "," : return [TOKEN_COMMA, ",", ln, cn] ";" : return [TOKEN_SEMICOLON, ";", ln, cn] "(" : return [TOKEN_LEFTPAREN, "(", ln, cn] ")" : return [TOKEN_RIGHTPAREN, ")", ln, cn] "{" : return [TOKEN_LEFTBRACE, "{", ln, cn] "}" : return [TOKEN_RIGHTBRACE, "}", ln, cn] "*" : return [TOKEN_MULTIPLY, "*", ln, cn] "/" : return [TOKEN_DIVIDE, "/", ln, cn] "%" : return [TOKEN_MOD, "%", ln, cn] "+" : return [TOKEN_ADD, "+", ln, cn] "-" : return [TOKEN_SUBTRACT, "-", ln, cn] "<" : { ch1 := @inp if ch1[1] === "=" then { return [TOKEN_LESSEQUAL, "<=", ln, cn] } else { ch1 @pushback return [TOKEN_LESS, "<", ln, cn] } } ">" : { ch1 := @inp if ch1[1] === "=" then { return [TOKEN_GREATEREQUAL, ">=", ln, cn] } else { ch1 @pushback return [TOKEN_GREATER, ">", ln, cn] } } "=" : { ch1 := @inp if ch1[1] === "=" then { return [TOKEN_EQUAL, "==", ln, cn] } else { ch1 @pushback return [TOKEN_ASSIGN, "=", ln, cn] } } "!" : { ch1 := @inp if ch1[1] === "=" then { return [TOKEN_NOTEQUAL, "!=", ln, cn] } else { ch1 @pushback return [TOKEN_NOT, "!", ln, cn] } } "&" : { ch1 := @inp if ch1[1] === "&" then { return [TOKEN_AND, "&&", ln, cn] } else { unexpected_character(ln, cn, ch) } } "|" : { ch1 := @inp if ch1[1] === "|" then { return [TOKEN_OR, "||", ln, cn] } else { unexpected_character(ln, cn, ch) } } "\"" : { ch @pushback return scan_string_literal(inp) } "'" : { ch @pushback return scan_character_literal(inp, pushback) } default : { if any(&digits, ch[1]) then { ch @pushback return scan_integer_literal(inp, pushback) } else if any(ident_start, ch[1]) then { ch @pushback return scan_identifier_or_reserved_word (inp, pushback) } else { unexpected_character(ln, cn, ch) } } } end   procedure scan_identifier_or_reserved_word(inp, pushback) local ch local s local line_no, column_no   s := "" ch := @inp line_no := ch[2] column_no := ch[3] while EOF ~=== ch[1] & any(ident_continuation, ch[1]) do { s ||:= ch[1] ch := @inp } ch @pushback return reserved_word_lookup (s, line_no, column_no) end   procedure scan_integer_literal(inp, pushback) local ch local s local line_no, column_no   s := "" ch := @inp line_no := ch[2] column_no := ch[3] while EOF ~=== ch[1] & any(ident_continuation, ch[1]) do { s ||:= ch[1] ch := @inp } ch @pushback not upto(~&digits, s) | invalid_integer_literal(line_no, column_no, s) return [TOKEN_INTEGER, s, line_no, column_no] end   procedure scan_character_literal(inp, pushback) local ch, ch1 local close_quote local toktup local line_no, column_no   ch := @inp # The opening quote. close_quote := ch[1] # Same as the opening quote. ch @pushback   line_no := ch[2] column_no := ch[3]   toktup := scan_character_literal_without_checking_end(inp) ch1 := @inp if ch1[1] ~=== close_quote then { repeat { case ch1[1] of { EOF : unterminated_character_literal(line_no, column_no) close_quote : multicharacter_literal(line_no, column_no) default : ch1 := @inp } } } return toktup end   procedure scan_character_literal_without_checking_end(inp) local ch, ch1, ch2   ch := @inp # The opening quote. ch1 := @inp EOF ~=== ch1[1] | unterminated_character_literal(ch[2], ch[3]) if ch1[1] == "\\" then { ch2 := @inp EOF ~=== ch2[1] | unterminated_character_literal(ch[2], ch[3]) case ch2[1] of { "n" : return [TOKEN_INTEGER, string(ord("\n")), ch[2], ch[3]] "\\" : return [TOKEN_INTEGER, string(ord("\\")), ch[2], ch[3]] default : unsupported_escape(ch1[2], ch1[3], ch2) } } else { return [TOKEN_INTEGER, string(ord(ch1[1])), ch[2], ch[3]] } end   procedure scan_string_literal(inp) local ch, ch1, ch2 local line_no, column_no local close_quote local s local retval   ch := @inp # The opening quote close_quote := ch[1] # Same as the opening quote. line_no := ch[2] column_no := ch[3]   s := ch[1] until \retval do { ch1 := @inp ch1[1] ~=== EOF | unterminated_string_literal (line_no, column_no, "end of input") ch1[1] ~== "\n" | unterminated_string_literal (line_no, column_no, "end of line") if ch1[1] == close_quote then { retval := [TOKEN_STRING, s || close_quote, line_no, column_no] } else if ch1[1] ~== "\\" then { s ||:= ch1[1] } else { ch2 := @inp EOF ~=== ch2[1] | unsupported_escape(line_no, column_no, ch2) case ch2[1] of { "n" : s ||:= "\\n" "\\" : s ||:= "\\\\" default : unsupported_escape(line_no, column_no, ch2) } } } return retval end   procedure skip_spaces_and_comments(inp, pushback) local ch, ch1   repeat { ch := @inp (EOF === ch[1]) & { ch @pushback; return } if not any(whitespace, ch[1]) then { (ch[1] == "/") | { ch @pushback; return } (ch1 := @inp) | { ch @pushback; return } (ch1[1] == "*") | { ch1 @pushback; ch @pushback; return } scan_comment(inp, ch[2], ch[3]) } } end   procedure scan_comment(inp, line_no, column_no) local ch, ch1   until (\ch)[1] == "*" & (\ch1)[1] == "/" do { ch := @inp (EOF === ch[1]) & unterminated_comment(line_no, column_no) if ch[1] == "*" then { ch1 := @inp (EOF === ch1[1]) & unterminated_comment(line_no, column_no) } } return end   procedure reserved_word_lookup(s, line_no, column_no)   # Lookup is by an extremely simple perfect hash.   static reserved_words static reserved_word_tokens local hashval, token, toktup   initial { reserved_words := ["if", "print", "else", "", "putc", "", "", "while", ""] reserved_word_tokens := [TOKEN_IF, TOKEN_PRINT, TOKEN_ELSE, TOKEN_IDENTIFIER, TOKEN_PUTC, TOKEN_IDENTIFIER, TOKEN_IDENTIFIER, TOKEN_WHILE, TOKEN_IDENTIFIER] }   if *s < 2 then { toktup := [TOKEN_IDENTIFIER, s, line_no, column_no] } else { hashval := ((ord(s[1]) + ord(s[2])) % (*reserved_words)) + 1 token := reserved_word_tokens[hashval] if token = TOKEN_IDENTIFIER | s ~== reserved_words[hashval] then { toktup := [TOKEN_IDENTIFIER, s, line_no, column_no] } else { toktup := [token, s, line_no, column_no] } } return toktup end   procedure print_token(outf, toktup) static token_names local s_line, s_column   initial { token_names := ["Keyword_else", "Keyword_if", "Keyword_print", "Keyword_putc", "Keyword_while", "Op_multiply", "Op_divide", "Op_mod", "Op_add", "Op_subtract", "Op_negate", "Op_less", "Op_lessequal", "Op_greater", "Op_greaterequal", "Op_equal", "Op_notequal", "Op_not", "Op_assign", "Op_and", "Op_or", "LeftParen", "RightParen", "LeftBrace", "RightBrace", "Semicolon", "Comma", "Identifier", "Integer", "String", "End_of_input"] }   /outf := &output s_line := string(toktup[3]) s_column := string(toktup[4]) writes(outf, right (s_line, max(5, *s_line))) writes(outf, " ") writes(outf, right (s_column, max(5, *s_column))) writes(outf, " ") writes(outf, token_names[toktup[1] + 1]) case toktup[1] of { TOKEN_IDENTIFIER : writes(outf, " ", toktup[2]) TOKEN_INTEGER : writes(outf, " ", toktup[2]) TOKEN_STRING : writes(outf, " ", toktup[2]) } write(outf) return end   procedure inputter(inpf, pushback_buffer) local buffer local line_no, column_no local c   buffer := "" line_no := 1 column_no := 1   repeat { buffer? { until *pushback_buffer = 0 & pos(0) do { if *pushback_buffer ~= 0 then { suspend pop(pushback_buffer) } else { c := move(1) suspend [c, line_no, column_no] if c == "\n" then { line_no +:= 1 column_no := 1 } else { column_no +:= 1 } } } } (buffer := reads(inpf, 2048)) | suspend [EOF, line_no, column_no] } end   procedure unterminated_comment(line_no, column_no) error("unterminated comment starting at ", line_no, ":", column_no) end   procedure unexpected_character(line_no, column_no, ch) error("unexpected character '", ch[1], "' starting at ", line_no, ":", column_no) end   procedure unterminated_string_literal (line_no, column_no, cause) error("unterminated string literal (", cause, ") starting at ", line_no, ":", column_no) end   procedure unsupported_escape (line_no, column_no, ch) if ch[1] === EOF then { error("unexpected \\ at end of input", " starting at ", line_no, ":", column_no) } else { error("unsupported escape \\", ch[1], " starting at ", line_no, ":", column_no) } end   procedure invalid_integer_literal(line_no, column_no, s) error("invalid integer literal ", s, " starting at ", line_no, ":", column_no) end   procedure unterminated_character_literal(line_no, column_no) error("unterminated character literal starting at ", line_no, ":", column_no) end   procedure multicharacter_literal(line_no, column_no) error("unsupported multicharacter literal starting at ", line_no, ":", column_no) end   procedure error(args[]) write!([&errout] ||| args) exit(1) end   procedure max(x, y) return (if x < y then y else x) end
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#Forth
Forth
\ args.f: print each command line argument on a separate line : main argc @ 0 do i arg type cr loop ;   main bye
http://rosettacode.org/wiki/Command-line_arguments
Command-line arguments
Command-line arguments is part of Short Circuit's Console Program Basics selection. Scripted main See also Program name. For parsing command line arguments intelligently, see Parsing command-line arguments. Example command line: myprogram -c "alpha beta" -h "gamma"
#Fortran
Fortran
program command_line_arguments   implicit none integer, parameter :: len_max = 256 integer :: i , nargs character (len_max) :: arg   nargs = command_argument_count() !nargs = iargc() do i = 0, nargs call get_command_argument (i, arg) !call getarg (i, arg) write (*, '(a)') trim (arg) end do   end program command_line_arguments  
http://rosettacode.org/wiki/Comments
Comments
Task Show all ways to include text in a language source file that's completely ignored by the compiler or interpreter. Related tasks   Documentation   Here_document See also   Wikipedia   xkcd (Humor: hand gesture denoting // for "commenting out" people.)
#C
C
/* This is a comment. */ /* So is this multiline comment. */
http://rosettacode.org/wiki/Comments
Comments
Task Show all ways to include text in a language source file that's completely ignored by the compiler or interpreter. Related tasks   Documentation   Here_document See also   Wikipedia   xkcd (Humor: hand gesture denoting // for "commenting out" people.)
#C.23
C#
//This is a comment. //This is other comment.   /* This is a comment too. */   /* This is a multi-line comment */
http://rosettacode.org/wiki/Conway%27s_Game_of_Life
Conway's Game of Life
The Game of Life is a   cellular automaton   devised by the British mathematician   John Horton Conway   in 1970.   It is the best-known example of a cellular automaton. Conway's game of life is described   here: A cell   C   is represented by a   1   when alive,   or   0   when dead,   in an   m-by-m   (or m×m)   square array of cells. We calculate   N   - the sum of live cells in C's   eight-location neighbourhood,   then cell   C   is alive or dead in the next generation based on the following table: C N new C 1 0,1 -> 0 # Lonely 1 4,5,6,7,8 -> 0 # Overcrowded 1 2,3 -> 1 # Lives 0 3 -> 1 # It takes three to give birth! 0 0,1,2,4,5,6,7,8 -> 0 # Barren Assume cells beyond the boundary are always dead. The "game" is actually a zero-player game, meaning that its evolution is determined by its initial state, needing no input from human players.   One interacts with the Game of Life by creating an initial configuration and observing how it evolves. Task Although you should test your implementation on more complex examples such as the   glider   in a larger universe,   show the action of the blinker   (three adjoining cells in a row all alive),   over three generations, in a 3 by 3 grid. References   Its creator John Conway, explains   the game of life.   Video from numberphile on youtube.   John Conway   Inventing Game of Life   - Numberphile video. Related task   Langton's ant   - another well known cellular automaton.
#Frink
Frink
  start = now[] // Generate a random 10x10 grid with "1" being on and "0" being off instructions = ["1000100110","0001100010","1000111101","1001111110","0000110011","1111000001","0100001110","1011101001","1001011000","1101110111"]   // Create dictionary of starting positions. rowCounter = 0 display = new dict for instructionStr = instructions { rowCounter = rowCounter + 1 columnCounter = 0 instructionArr = charList[instructionStr] for instruction = instructionArr { columnCounter = columnCounter + 1 arr = [rowCounter,columnCounter] if instruction == "1" display@arr = 1 else display@arr = 0 } }   // Create toggle dictionary to track changes. It starts off with everything off. toggle = new dict multifor[x,y] = [new range[1,10],new range[1,10]] { arr = [x,y] toggle@arr = 0 }   // Animate the game of life a = new Animation[3/s] win = undef   // Loop through 10 changes to the grid. The starting points will tick down to two stable unchanging shapes in 10 steps. for i = 1 to 12 // 12 steps so animation will pause on final state. { // Graphics item for this frame of the animation. g = new graphics g.backgroundColor[1,1,1] // Add in a transparent shape to prevent the image from jiggle to automatic scaling. g.color[0,0,0,0] // Transparent black g.fillRectSides[-1, -1, 12, 12] // Set minimum size g.clipRectSides[-1, -1, 12, 12] // Set maximum size g.color[0,0,0] // Color back to default black multifor[x1,y1] = [new range[1,10],new range[1,10]] { tval = [x1,y1] // This is programmed with a hard edge. Points beyond the border aren't considered. xmax = min[x1+1,10] xmin = max[x1-1,1] ymax = min[y1+1,10] ymin = max[y1-1,1] // Range will be 8 surrounding cells or cells up to border. pointx = new range[xmin,xmax] pointy = new range[ymin,ymax] pointsum = 0 status = 0 // Process each surrounded point multifor[x2,y2] = [pointx,pointy] { // Assign the array to a variable so it can be used as a dictionary reference. point = [x2,y2] if x2 == x1 && y2 == y1 { status = display@point } else // Calculate the total of surrounding points { pointsum = pointsum + display@point } } // Animate if the point is on. if status == 1 { g.color[0,0,0] g.fillEllipseCenter[x1,y1,1,1] } toggle@tval = status // This will be overwritten if needed by neighbor check conditions below. // Check if off point has 3 on point neighbors if status == 0 && pointsum == 3 { toggle@tval = 1 } // Check if on point has between 2 and 3 on point neighbors if status == 1 && (pointsum < 2 || pointsum > 3) { toggle@tval = 0 } } // Add the current frame to the animation a.add[g] // Replace the current display with the toggle values. for toggleKeys = keys[toggle] { val = toggle@toggleKeys display@toggleKeys = val } }   // Write the animation file a.write["FrinkAnimationGoL.gif",400,400]   end = now[] println["Program run time: " + ((end - start)*1.0 -> "seconds")]  
http://rosettacode.org/wiki/Conditional_structures
Conditional structures
Control Structures These are examples of control structures. You may also be interested in: Conditional structures Exceptions Flow-control structures Loops Task List the conditional structures offered by a programming language. See Wikipedia: conditionals for descriptions. Common conditional structures include if-then-else and switch. Less common are arithmetic if, ternary operator and Hash-based conditionals. Arithmetic if allows tight control over computed gotos, which optimizers have a hard time to figure out.
#Clean
Clean
bool2int b = if b 1 0
http://rosettacode.org/wiki/Compare_a_list_of_strings
Compare a list of strings
Task Given a   list   of arbitrarily many strings, show how to:   test if they are all lexically equal   test if every string is lexically less than the one after it (i.e. whether the list is in strict ascending order) Each of those two tests should result in a single true or false value, which could be used as the condition of an   if   statement or similar. If the input list has less than two elements, the tests should always return true. There is no need to provide a complete program and output. Assume that the strings are already stored in an array/list/sequence/tuple variable (whatever is most idiomatic) with the name   strings,   and just show the expressions for performing those two tests on it (plus of course any includes and custom functions etc. that it needs),   with as little distractions as possible. Try to write your solution in a way that does not modify the original list,   but if it does then please add a note to make that clear to readers. If you need further guidance/clarification,   see #Perl and #Python for solutions that use implicit short-circuiting loops,   and #Raku for a solution that gets away with simply using a built-in language feature. Other tasks related to string operations: Metrics Array length String length Copy a string Empty string  (assignment) Counting Word frequency Letter frequency Jewels and stones I before E except after C Bioinformatics/base count Count occurrences of a substring Count how many vowels and consonants occur in a string Remove/replace XXXX redacted Conjugate a Latin verb Remove vowels from a string String interpolation (included) Strip block comments Strip comments from a string Strip a set of characters from a string Strip whitespace from a string -- top and tail Strip control codes and extended characters from a string Anagrams/Derangements/shuffling Word wheel ABC problem Sattolo cycle Knuth shuffle Ordered words Superpermutation minimisation Textonyms (using a phone text pad) Anagrams Anagrams/Deranged anagrams Permutations/Derangements Find/Search/Determine ABC words Odd words Word ladder Semordnilap Word search Wordiff  (game) String matching Tea cup rim text Alternade words Changeable words State name puzzle String comparison Unique characters Unique characters in each string Extract file extension Levenshtein distance Palindrome detection Common list elements Longest common suffix Longest common prefix Compare a list of strings Longest common substring Find common directory path Words from neighbour ones Change e letters to i in words Non-continuous subsequences Longest common subsequence Longest palindromic substrings Longest increasing subsequence Words containing "the" substring Sum of the digits of n is substring of n Determine if a string is numeric Determine if a string is collapsible Determine if a string is squeezable Determine if a string has all unique characters Determine if a string has all the same characters Longest substrings without repeating characters Find words which contains all the vowels Find words which contains most consonants Find words which contains more than 3 vowels Find words which first and last three letters are equals Find words which odd letters are consonants and even letters are vowels or vice_versa Formatting Substring Rep-string Word wrap String case Align columns Literals/String Repeat a string Brace expansion Brace expansion using ranges Reverse a string Phrase reversals Comma quibbling Special characters String concatenation Substring/Top and tail Commatizing numbers Reverse words in a string Suffixation of decimal numbers Long literals, with continuations Numerical and alphabetical suffixes Abbreviations, easy Abbreviations, simple Abbreviations, automatic Song lyrics/poems/Mad Libs/phrases Mad Libs Magic 8-ball 99 Bottles of Beer The Name Game (a song) The Old lady swallowed a fly The Twelve Days of Christmas Tokenize Text between Tokenize a string Word break problem Tokenize a string with escaping Split a character string based on change of character Sequences Show ASCII table De Bruijn sequences Self-referential sequences Generate lower case ASCII alphabet
#Lua
Lua
function identical(t_str) _, fst = next(t_str) if fst then for _, i in pairs(t_str) do if i ~= fst then return false end end end return true end   function ascending(t_str) prev = false for _, i in ipairs(t_str) do if prev and prev >= i then return false end prev = i end return true end   function check(str) t_str = {} for i in string.gmatch(str, "[%a_]+") do table.insert(t_str, i) end str = str .. ": " if not identical(t_str) then str = str .. "not " end str = str .. "identical and " if not ascending(t_str) then str = str .. "not " end print(str .. "ascending.") end   check("ayu dab dog gar panda tui yak") check("oy oy oy oy oy oy oy oy oy oy") check("somehow somewhere sometime") check("Hoosiers") check("AA,BB,CC") check("AA,AA,AA") check("AA,CC,BB") check("AA,ACB,BB,CC") check("single_element")
http://rosettacode.org/wiki/Comma_quibbling
Comma quibbling
Comma quibbling is a task originally set by Eric Lippert in his blog. Task Write a function to generate a string output which is the concatenation of input words from a list/sequence where: An input of no words produces the output string of just the two brace characters "{}". An input of just one word, e.g. ["ABC"], produces the output string of the word inside the two braces, e.g. "{ABC}". An input of two words, e.g. ["ABC", "DEF"], produces the output string of the two words inside the two braces with the words separated by the string " and ", e.g. "{ABC and DEF}". An input of three or more words, e.g. ["ABC", "DEF", "G", "H"], produces the output string of all but the last word separated by ", " with the last word separated by " and " and all within braces; e.g. "{ABC, DEF, G and H}". Test your function with the following series of inputs showing your output here on this page: [] # (No input words). ["ABC"] ["ABC", "DEF"] ["ABC", "DEF", "G", "H"] Note: Assume words are non-empty strings of uppercase characters for this task.
#Delphi
Delphi
comma-quibble lst: "}" ) if lst: pop-from lst if lst: " and " pop-from lst for item in lst: item ", " concat( "{"   !. comma-quibble [] !. comma-quibble [ "ABC" ] !. comma-quibble [ "ABC" "DEF" ] !. comma-quibble [ "ABC" "DEF" "G" "H" ]
http://rosettacode.org/wiki/Comma_quibbling
Comma quibbling
Comma quibbling is a task originally set by Eric Lippert in his blog. Task Write a function to generate a string output which is the concatenation of input words from a list/sequence where: An input of no words produces the output string of just the two brace characters "{}". An input of just one word, e.g. ["ABC"], produces the output string of the word inside the two braces, e.g. "{ABC}". An input of two words, e.g. ["ABC", "DEF"], produces the output string of the two words inside the two braces with the words separated by the string " and ", e.g. "{ABC and DEF}". An input of three or more words, e.g. ["ABC", "DEF", "G", "H"], produces the output string of all but the last word separated by ", " with the last word separated by " and " and all within braces; e.g. "{ABC, DEF, G and H}". Test your function with the following series of inputs showing your output here on this page: [] # (No input words). ["ABC"] ["ABC", "DEF"] ["ABC", "DEF", "G", "H"] Note: Assume words are non-empty strings of uppercase characters for this task.
#D.C3.A9j.C3.A0_Vu
Déjà Vu
comma-quibble lst: "}" ) if lst: pop-from lst if lst: " and " pop-from lst for item in lst: item ", " concat( "{"   !. comma-quibble [] !. comma-quibble [ "ABC" ] !. comma-quibble [ "ABC" "DEF" ] !. comma-quibble [ "ABC" "DEF" "G" "H" ]
http://rosettacode.org/wiki/Combinations_with_repetitions
Combinations with repetitions
The set of combinations with repetitions is computed from a set, S {\displaystyle S} (of cardinality n {\displaystyle n} ), and a size of resulting selection, k {\displaystyle k} , by reporting the sets of cardinality k {\displaystyle k} where each member of those sets is chosen from S {\displaystyle S} . In the real world, it is about choosing sets where there is a “large” supply of each type of element and where the order of choice does not matter. For example: Q: How many ways can a person choose two doughnuts from a store selling three types of doughnut: iced, jam, and plain? (i.e., S {\displaystyle S} is { i c e d , j a m , p l a i n } {\displaystyle \{\mathrm {iced} ,\mathrm {jam} ,\mathrm {plain} \}} , | S | = 3 {\displaystyle |S|=3} , and k = 2 {\displaystyle k=2} .) A: 6: {iced, iced}; {iced, jam}; {iced, plain}; {jam, jam}; {jam, plain}; {plain, plain}. Note that both the order of items within a pair, and the order of the pairs given in the answer is not significant; the pairs represent multisets. Also note that doughnut can also be spelled donut. Task Write a function/program/routine/.. to generate all the combinations with repetitions of n {\displaystyle n} types of things taken k {\displaystyle k} at a time and use it to show an answer to the doughnut example above. For extra credit, use the function to compute and show just the number of ways of choosing three doughnuts from a choice of ten types of doughnut. Do not show the individual choices for this part. References k-combination with repetitions See also The number of samples of size k from n objects. With   combinations and permutations   generation tasks. Order Unimportant Order Important Without replacement ( n k ) = n C k = n ( n − 1 ) … ( n − k + 1 ) k ( k − 1 ) … 1 {\displaystyle {\binom {n}{k}}=^{n}\operatorname {C} _{k}={\frac {n(n-1)\ldots (n-k+1)}{k(k-1)\dots 1}}} n P k = n ⋅ ( n − 1 ) ⋅ ( n − 2 ) ⋯ ( n − k + 1 ) {\displaystyle ^{n}\operatorname {P} _{k}=n\cdot (n-1)\cdot (n-2)\cdots (n-k+1)} Task: Combinations Task: Permutations With replacement ( n + k − 1 k ) = n + k − 1 C k = ( n + k − 1 ) ! ( n − 1 ) ! k ! {\displaystyle {\binom {n+k-1}{k}}=^{n+k-1}\operatorname {C} _{k}={(n+k-1)! \over (n-1)!k!}} n k {\displaystyle n^{k}} Task: Combinations with repetitions Task: Permutations with repetitions
#Icon_and_Unicon
Icon and Unicon
  # generate all combinations of length n from list L, # including repetitions procedure combinations_repetitions (L, n) if n = 0 then suspend [] # if reach 0, then return an empty list else if *L > 0 then { # keep the first element item := L[1] # get all of length n in remaining list every suspend (combinations_repetitions (L[2:0], n)) # get all of length n-1 in remaining list # and add kept element to make list of size n every i := combinations_repetitions (L, n-1) do suspend [item] ||| i } end