Scrivi un programma nella tua lingua preferita in un'altra lingua [chiuso]


168

Il programmatore reale determinato può scrivere programmi Fortran in qualsiasi lingua.

da veri programmatori non usare Pascal

Il tuo compito è scrivere un programma nel tuo linguaggio di programmazione preferito, ma ti è permesso usare solo un'altra lingua. Ossia, elimina tutte le convenzioni di codifica da una lingua e sostituiscile con convenzioni di codifica da un'altra lingua. Più meglio è. Trasforma il tuo programma come se fosse stato scritto in un'altra lingua.

Ad esempio, il fan di Python che odia Java potrebbe scrivere il seguente programma Python in Java:

void my_function()                                                             {
    int i = 9                                                                  ;
    while(i>0)                                                                 {
        System.out.println("Hello!")                                           ;
        i = i - 1                                                              ;}}

L'entusiasta di Pascal costretto a usare C potrebbe scrivere questo:

#define begin {
#define end }
#define then
#define writeln(str) puts(str)

if (i == 10) then
begin
    writeln("I hate C");
end

Devi scrivere il programma completo. Il programma non deve fare nulla di utile.

In bocca al lupo. Questo è un concorso di popolarità, quindi vince il codice con il maggior numero di voti!


1
@ m.buettner crea il tuo file con l'estensione .litcoffee. Potrebbe aiutare
Ismael Miguel,

Un po 'lungo (e in precedenza scritto, e non autosufficiente) per una risposta, ma: scanner Postscript in Postscript in C .
Luser droog

51
Non credo che tu (o la maggior parte delle risposte) capisca il punto della citazione. Non è che un vero programmatore scriva un codice che assomiglia in modo lessicale a Fortran anche se sta scrivendo in Pascal o LISP: è che applica un modo di pensare Fortran anche quando scrive in Pascal o LISP; es. " Come tutti i programmatori reali sanno, l'unica struttura di dati utile è l'array ". Grandi risposte sarebbero il codice procedurale in Prolog, il codice funzionale in C, il codice orientato agli oggetti in Pascal.
Peter Taylor,

1
Spero che fara 'qualcuno fare un dialetto Lisp, beh, tutto tranne che un altro dialetto Lisp ...
itsjeyd

6
Decima regola di programmazione di @itsjeyd Greenspun : "Qualsiasi programma C o Fortran sufficientemente complicato contiene un'implementazione lenta ad-hoc, specificata in modo informale, piena di bug, di metà di CommonLisp."
Joshua Taylor,

Risposte:


142

C in C ++

#include <stdio.h>

int main(int argc, char** argv)
{
        printf("Hello world!\n");
        return 0;
}

60
Vedo cosa hai fatto lì;)
el.pescado

27
Bene, è un trucco economico, visto che il C ++ è "retrocompatibile" con C.
Agi Hammerthief,

5
@AlexM. Penso che sarebbe più nello spirito della domanda se questo fosse un esempio (procedurale) più lungo che trarrebbe chiaramente beneficio dall'uso di alcune classi e che usa altri modi di dire C in cui un po 'di bontà STL sarebbe molto più ragionevole (diciamo char*invece di std::string).
Martin Ender,

47
Valido in C, C ++, Objective-C e Objective-C ++! Che risposta meravigliosamente poliglotta.
nneonneo,

7
@BenJackson Psh, i veri programmatori C usano char *argv[]!
Thomas,

122

x86 assembly in GNU C

No, non ho usato solo la asmparola chiave, poiché la domanda stabilita è per veri programmatori ... questo dovrebbe funzionare bene su ARM.

(Giusto per dimostrare il punto, non ho affatto "scritto" l'assemblaggio: è l'output prodotto da GCC Clang (503.0.38) per il codice commentato in alto, tradotto alla cieca in macro.)

Funziona solo in modalità 32 bit. Va bene dato che i veri programmatori programmano comunque la dimensione della parola.

#include <stdio.h>
#include <stdint.h>
/*
int fac(int x) {
    if (x < 1) return 1; else return x * fac(x - 1);
}

int fib(int x) {
    if (x < 2) return x; else return fib(x - 1) + fib(x - 2);
}

int main(void) {
    int a = fib(10), b = fac(10);
    printf("%d %d\n", a, b);
    return 0;
}
*/

typedef union REG {
    intptr_t i; int _i; void * v; union REG * r;
} REG;

#define LPAREN (
#define RPAREN )
#define MACRO(N) ); N##_MACRO LPAREN

#define push MACRO(PUSH)
#define pop  MACRO(POP)
#define mov  MACRO(MOV)
#define sub  MACRO(SUB)
#define add  MACRO(ADD)
#define imul MACRO(IMUL)
#define cmp  MACRO(CMP)
#define jge  MACRO(JGE)
#define jmp  MACRO(JMP)
#define call MACRO(CALL)
#define ret  MACRO(RET) _
#define label MACRO(LABEL)

#define NO_OP(X) 

#define PUSH_MACRO(VAL) *(esp -= 4) = (REG)(VAL)
#define POP_MACRO(DST) (DST) = (typeof(DST))(esp->i); esp += 4
#define MOV_MACRO(VAL, DST) (DST) = (typeof(DST))((REG)VAL).i;
#define SUB_MACRO(VAL, DST) CMP_MACRO(VAL, DST); \
    (DST) = (typeof(DST))(((REG)DST).i - ((REG)VAL).i)
#define ADD_MACRO(VAL, DST) DST = (typeof(DST))(((REG)DST).i + ((REG)VAL).i); \
    ZF = ((REG)DST).i == 0; OF = 0; SF = ((REG)DST).i < 0
#define IMUL_MACRO(VAL, DST) DST = (typeof(DST))(((REG)DST).i * ((REG)VAL).i); \
    ZF = ((REG)DST).i == 0; OF = 0; SF = ((REG)DST).i < 0
#define CMP_MACRO(L, R) CMP_MACRO_(((REG)L).i, ((REG)R).i)
#define CMP_MACRO_(L, R) (OF = 0, ZF = L == R, SF = (R - L) < 0)
#define JGE_MACRO(TGT) if (SF == OF) { goto TGT; } else {}
#define JMP_MACRO(TGT) goto TGT;
#define CALL_MACRO(PROC) CALL_MACRO_(PROC, __COUNTER__)
#define CALL_MACRO_(PROC, CTR) PUSH_MACRO(CTR - STARTIP); \
    goto PROC; case CTR - STARTIP:
#define RET_MACRO(_) eip = esp->i; esp += 4; if (eip) { continue; } else { goto *finalreturn; }
#define LABEL_MACRO(NAME) NAME

#define MY_ASM(X) do { const int STARTIP = __COUNTER__; \
    switch(eip) { case 0: MY_ASM_1 X } } while (1);
#define MY_ASM_1(X) MY_ASM_2(NO_OP LPAREN 0 X RPAREN;)
#define MY_ASM_2(X) X

#define CAT(L, R) _CAT(L, R)
#define _CAT(L, R) L##R

#define callASM(F) callASM_(F, CAT(_TMP_, __COUNTER__))
#define callASM_(F, LABEL) (({ PUSH_MACRO(0); stackbase = esp; finalreturn = &&LABEL; \
    goto F; LABEL:; }), (intptr_t)eax)


const int STACKSIZE = 4096;
REG callstack[STACKSIZE], * stackbase;
REG * eax, * ecx, * edx, * ebx, * esi, * edi, * esp, * ebp;
int SF, ZF, OF, eip; void * finalreturn;

int main(void) {
    eax = ecx = edx = ebx = esi = edi = esp = ebp = &callstack[STACKSIZE - 1];
    eip = 0;
    finalreturn = &&TOP; TOP:

    PUSH_MACRO(10);
    int a = callASM(_fac);
    PUSH_MACRO(10);
    int b = callASM(_fib);

    printf("%d %d\n", a, b);
    return 0;


    MY_ASM((
    label _fac:                                   // @fac
        push ebp
        mov esp, ebp
        sub 24, esp
        mov 8[ebp], eax
        mov eax, (-8)[ebp]
        cmp 1, (-8)[ebp]
        jge LBB0_2
        mov 1, (-4)[ebp]
        jmp LBB0_3
    label LBB0_2:
        mov (-8)[ebp], eax
        mov (-8)[ebp], ecx
        sub 1, ecx
        mov ecx, *esp
        mov eax, (-12)[ebp]         // 4-byte Spill
        call _fac
        mov (-12)[ebp], ecx         // 4-byte Reload
        imul eax, ecx
        mov ecx, (-4)[ebp]
    label LBB0_3:
        mov (-4)[ebp], eax
        add 24, esp
        pop ebp
        ret

    label _fib:                                   // @fib
        push ebp
        mov esp, ebp
        sub 24, esp
        mov 8[ebp], eax
        mov eax, (-8)[ebp]
        cmp 2, (-8)[ebp]
        jge LBB1_2
        mov (-8)[ebp], eax
        mov eax, (-4)[ebp]
        jmp LBB1_3
    label LBB1_2:
        mov (-8)[ebp], eax
        sub 1, eax
        mov eax, *esp
        call _fib
        mov (-8)[ebp], ecx
        sub 2, ecx
        mov ecx, *esp
        mov eax, (-12)[ebp]         // 4-byte Spill
        call _fib
        mov (-12)[ebp], ecx         // 4-byte Reload
        add eax, ecx
        mov ecx, (-4)[ebp]
    label LBB1_3:
        mov (-4)[ebp], eax
        add 24, esp
        pop ebp
        ret
    ))
}

Guarda tutti quei cast. Calchi media Sono un realer programmatore rispetto al compilatore, giusto?


8
+1, questo è ... contorto. ;) Mi piace molto come hai gestito call, in particolare.
Ilmari Karonen,

2
Wow. Questo è un ottimo lavoro.
Jack Aidley,

Avevo un assemblatore per il C64 che funzionava in questo modo. Ha aggiunto parole chiave BASIC per tutte le istruzioni del 6510 e ricordo che te ne sei occupato for pass=1:3...next. L'eseguirlo nell'interprete BASIC lo ha assemblato.
Ben Jackson,

5
Questa è pura poesia.
Nicu Stiurca,

1
Questo è un uomo duro, il compilatore è sicuramente stupito.
Internet è fatto di Catz il

102

Inglese in C.

#include <stdio.h>
#define This
#define program     int main() {
#define aims
#define to
#define output      printf(
#define some
#define example
#define text(a)     #a
#define the
#define screen      "\n");
#define it          
#define also
#define will
#define calculate   ;int a = 
#define result
#define of
#define and
#define print       ; printf("%d\n", a);
#define seriously   return 0; }

This program aims to output some example text (Hello) to the screen;
it also will calculate the result of 3 + 4 and print the result; seriously

Qualche idea per eliminare il ;?


18
Seriamente, ragazzi.
Kyle Strand,

2
perché definire thedue volte?
Joshua Taylor,

16
meglio prevenire che curare ;-)
urzeit

20
Ora rendilo un haiku.
Nicu Stiurca,

1
Puoi#define . ;
mbomb007,

74

Brainfuck in JavaScript

Javascript è un linguaggio difficile! Usiamo Brainfuck, un linguaggio più comprensibile: o)

eval(

//write your easy code below

"++++++++++[>+++++++>++++++++++>+++>+<<<<-]>++.>+.+++++++..+++.>++.<<+++++++++++++++.>.+++.------.--------.>+.>."

//end of easy code

.replace(/\]/g,'}')
.replace(/\[/g,'while(a[i]){')
.replace(/\+/g,'a[i]++;')
.replace(/-/g,'a[i]--;')
.replace(/>/g,'i++;')
.replace(/</g,'i--;')
.replace(/\./g,'o+=String.fromCharCode(a[i]);')
.replace(/,/g,'a[i]=u.charCodeAt(j++);')
.replace(/^/,'var a=new Array(1000).join(\'0\').split(\'\'),i=500,o=\'\',u=prompt(\'Enter input if needed\'),j=0;')
.replace(/$/,'alert(o)')
)

Immagino di aver scritto un interprete brainfuck in javascript.

L'esempio sopra semplicemente emette Hello World!e ignora l'input (nessun ,simbolo).
Ma funziona anche con gli input! Ad esempio, prova a ,+>,+>,+>,+<<<.>.>.>.digitare golfnella finestra di dialogo. Uscirà i seguenti caratteri nella tabella ASCII:hpmg

EDIT : breve spiegazione per le persone che non conoscono il brainfuck.
Immagina un array infinito di numeri interi ainizializzati su zero ovunque, un puntatore su un elemento di questo array ie un input dell'utente u.
Brainfuck è davvero facile da imparare ma difficile da scrivere:

  • + incrementa al valore corrente: a[i]++
  • - lo decrementa: a[i]--
  • > fa puntare i punti al prossimo elemento: i++
  • < il precedente : i--
  • [e ]definire un loop che si interrompe quando il valore corrente è zero:while (a[i]) { ... }
  • . stampa l'elemento corrente: String.fromCharCode(a[i])
  • , imposta l'elemento corrente con l'input dell'utente: u.charCodeAt(...)

22
+1 per l'umorismo nel dichiarare che Brainfuck è più comprensibile di JavaScript.
Agi Hammerthief,

Sei sicuro che i caratteri Brainfuck all'interno delle replaceistruzioni non influiscano sul programma?
Fraxtil,

3
@fra Questo file non è un programma brainfuck, è un programma javascript che contiene un programma brainfuck che viene convertito in javascript in fase di esecuzione.
undergroundmonorail

3
Bene, --ipiù veloce di i--? Sembra falso da anni: jsperf.com/decrementgolf .
Michael M.

4
Questo non solo è un contributo molto creativo al concorso, ma spiega anche in modo molto chiaro la sintassi di Brainfuck. +10 se potessi!
SebastianH,

74

Penso che il brillante Lennart Augustsson lo abbia già vinto due volte.

Innanzitutto, ecco un esempio della sua implementazione "weekend hack" di BASIC come DSL Haskell Monadic, dal 2009:

import BASIC

main = runBASIC' $ do

    10 LET I =: 1
    20 LET S =: 0
    30 LET S =: S + 1/I
    40 LET I =: I + 1
    50 IF I <> 100000000 THEN 30
    60 PRINT "Almost infinity is"
    70 PRINT S
    80 END

Funziona sovraccaricando il tipo di numero. I numeri di riga sono funzioni che accettano argomenti. Il resto della riga è argomento della funzione. La funzione restituisce una rappresentazione dell'albero di sintassi astratto per l'interprete BASIC su cui lavorare.

Ti consiglio anche di dare un'occhiata all'iscrizione di Augustsson all'International Obfuscated C Contest del 2006, in cui è riuscito a spremere in 4K:

  • Un interprete bytecode, scritto in un sottoinsieme di C (che egli chiama Obfuscated C).
  • Un compilatore bytecode C -> offuscato , scritto in bytecode.

Possono condividere lo stesso file perché il byetecode è inserito nei commenti C.

Sono passati alcuni anni da quando ho seguito il lavoro di Augustsson, quindi potrebbero esserci altre cose geniali che ha inventato da allora ...


2
È Augustsson, non Augustssen.
Hans Lundmark,

@HansLundmark Grazie. Aggiustato.
Pitarou,

71

PHP e Javascript

Questo è un poliglotta:

Puoi eseguire questo codice in entrambe le lingue:

if("\0"=='\0')
{
    function printf(){
        $b=Array();
        $a=$b['slice']['call'](arguments);
        $a=$a['join']('');
        console.log($a);
        return $a.length;
    };

    function strtoupper($s){return $s['toUpperCase']();}

    function count($a){return $a['length'];}
}

printf('this is cool!');

$c=Array('a','b','c','d');

for($i=0,$l=count($c);$i<$l;++$i)printf("\n",strtoupper($c[$i]));

Il trucco qui è che Javascript utilizza sequenze di escape nelle stringhe che iniziano con 'e ".
D'altra parte, PHP usa solo sequenze di escape nelle stringhe che iniziano con "e <<<.

Quindi, dichiariamo la funzione printf, che è simile printma genera una stringa formattata in PHP.

PHP richiede che gli inizi inizino $, mentre Javascript lo consente semplicemente.


Nessuno sta usando Array(…)in JS, ed è chiaramente array(…)in PHP. […]sarebbe molto meglio;)!
Blackhole,

12
Non mi importa se la gente usa Array()o meno JS: mi importa di avere un vero poliglotta. Sto realizzando uno dei peggiori crimini di JS con questo codice, ma tutto quello che voglio è che funzioni e faccia esattamente la stessa cosa in entrambi, ma che assomigli a JS e PHP allo stesso tempo.
Ismael Miguel,

E a proposito, [...]non è valido in PHP <5.4.0, il che è male ....... Se lo lancio in PHP 4, 5 o Javascript, mi aspetto che funzioni, invece di dare errori di sintassi ovunque.
Ismael Miguel,

2
Se vuoi che il tuo codice assomigli a JS, devi usare […], che sembra abbastanza standard in PHP, e quindi è OK per il tuo obiettivo. E comunque, PHP <5.4? È ora di aggiornare, ragazzo ...
Blackhole,

8
La compatibilità è più importante di "aspetto". Ed Arrayè il nome DESTRA del costruttore dell'oggetto Array. Fondamentalmente, l'utilizzo []è lo stesso di Array(). Non ci vedo niente di male. Ma ho una semplice domanda: funziona? (A proposito, io devo usare php 5.3.28 al lavoro.)
Ismael Miguel

55

Brainfuck in JS

[][(![]+[])[+[[+[]]]]+([][[]]+[])[+[[!+[]+!+[]+!+[]+!+[]+!+[]]]]+(![]+[])[+[[
!+[]+!+[]]]]+(!![]+[])[+[[+[]]]]+(!![]+[])[+[[!+[]+!+[]+!+[]]]]+(!![]+[])[+[[
+!+[]]]]][([][(![]+[])[+[[+[]]]]+([][[]]+[])[+[[!+[]+!+[]+!+[]+!+[]+!+[]]]]+(
![]+[])[+[[!+[]+!+[]]]]+(!![]+[])[+[[+[]]]]+(!![]+[])[+[[!+[]+!+[]+!+[]]]]+(!
![]+[])[+[[+!+[]]]]]+[])[+[[!+[]+!+[]+!+[]]]]+([][(![]+[])[+[[+[]]]]+([][[]]+
[])[+[[!+[]+!+[]+!+[]+!+[]+!+[]]]]+(![]+[])[+[[!+[]+!+[]]]]+(!![]+[])[+[[+[]]
]]+(!![]+[])[+[[!+[]+!+[]+!+[]]]]+(!![]+[])[+[[+!+[]]]]]+[])[+[[!+[]+!+[]+!+[
]+!+[]+!+[]+!+[]]]]+([][[]]+[])[+[[+!+[]]]]+(![]+[])[+[[!+[]+!+[]+!+[]]]]+(!!
[]+[])[+[[+[]]]]+(!![]+[])[+[[+!+[]]]]+([][[]]+[])[+[[+[]]]]+([][(![]+[])[+[[
+[]]]]+([][[]]+[])[+[[!+[]+!+[]+!+[]+!+[]+!+[]]]]+(![]+[])[+[[!+[]+!+[]]]]+(!
![]+[])[+[[+[]]]]+(!![]+[])[+[[!+[]+!+[]+!+[]]]]+(!![]+[])[+[[+!+[]]]]]+[])[+
[[!+[]+!+[]+!+[]]]]+(!![]+[])[+[[+[]]]]+([][(![]+[])[+[[+[]]]]+([][[]]+[])[+[
[!+[]+!+[]+!+[]+!+[]+!+[]]]]+(![]+[])[+[[!+[]+!+[]]]]+(!![]+[])[+[[+[]]]]+(!!
[]+[])[+[[!+[]+!+[]+!+[]]]]+(!![]+[])[+[[+!+[]]]]]+[])[+[[!+[]+!+[]+!+[]+!+[]
+!+[]+!+[]]]]+(!![]+[])[+[[+!+[]]]]]((![]+[])[+[[+!+[]]]]+(![]+[])[+[[!+[]+!+
[]]]]+(!![]+[])[+[[!+[]+!+[]+!+[]]]]+(!![]+[])[+[[+!+[]]]]+(!![]+[])[+[[+[]]]
]+([][(![]+[])[+[[+[]]]]+([][[]]+[])[+[[!+[]+!+[]+!+[]+!+[]+!+[]]]]+(![]+[])[
+[[!+[]+!+[]]]]+(!![]+[])[+[[+[]]]]+(!![]+[])[+[[!+[]+!+[]+!+[]]]]+(!![]+[])[
+[[+!+[]]]]]+[])[+[[+!+[]]]+[[!+[]+!+[]+!+[]+!+[]+!+[]]]]+[+!+[]]+([][(![]+[]
)[+[[+[]]]]+([][[]]+[])[+[[!+[]+!+[]+!+[]+!+[]+!+[]]]]+(![]+[])[+[[!+[]+!+[]]
]]+(!![]+[])[+[[+[]]]]+(!![]+[])[+[[!+[]+!+[]+!+[]]]]+(!![]+[])[+[[+!+[]]]]]+
[])[+[[+!+[]]]+[[!+[]+!+[]+!+[]+!+[]+!+[]+!+[]]]])()

12
Non vedo nessun infarto qui. Nemmeno un singolo personaggio in><,.-
Michael M.

8
@Michael: Chi ha detto che non è un programma che crea un ciclo infinito?
Konrad Borowski,

19
è questo JSF * ck?

8
Come sulla Terra fa fare che ?
nandhp,

4
Oo. Qualcuno finalmente l'ha fatto. Ho trascorso un po 'di tempo a cercare di capire come scrivere un programma JS usando solo i caratteri +! [] () Ma non sono mai riuscito a capirlo. Devo analizzare questo quando ho tempo ...
Matti Virkkunen,

54

Questo è uno dei vincitori del IOCCC del 2005 , un programma C che, ad eccezione di quel gruppo di definizioni, sembra un programma Java:

/*
 * Sun's Java is often touted as being "portable", even though my code won't
 * suddenly become uber-portable if it's in Java. Truth is, Java's one of
 * the most ugly, slow, and straitjacketed languages ever. It's popular
 * mainly because people hear the word "portable" and go "ewww".
 *
 * This program, then, is dedicated to bringing about the death of Java. We
 * good coders have been oppressed for too long by the lame language
 * decisions of pointy-haired bosses and academics who should know better. 
 * It's time we stand up against this junk, and bring back the fun in
 * programming! Viva La Revolution!
 */

#define aSet c
#define BufferedReader(x)1
#define byte Y[I][_^1]?do(:):_&1?do(.):do(`):8;++y;}
#define class int N=0,_,O=328,l=192,y=4,Y[80][64]={0},I;struct
#define do(c)a(#c "\b")
#define err c,c
#define getAllStrings(x));q()
#define if(x)b(#x)
#define IOException
#define line c
#define main(a)b(char*x){write(1,"\033[",2),null}main()
#define new
#define null a(x);}a(char*x){write(1,x,strlen(x));try;try;try;try;
#define out c,c
#define println(x)c
#define private int d(int
#define public short c;}c;typedef int BufferedReader;char*F="JF>:>FB;;BII";
#define return {return
#define static f(x){N=(N+x)%6,y--?f(0),f(1),f(4),f(1):++Y[(I=O+N[F]-66)
#define String
#define System c
#define this if(D):1,O=I,I/=16,l<_/32?if(B):l>_/32?if(A):2,l=_,_/=16,byte
#define throws
#define toArray(x)c
#define try for(;--c.c;)
#define void /16][(_=l+N[6+F]-66)/16]?O/=16,l/=32,O<I/16?if(C):O>I/16?this
#define while(k)if(2J),if(7;21H),f(0),f(4),f(4),if(H),/*

import java.io.*;
import java.util.*;

/**
 * A lame Java program.
 * @author  J. Random Worker
 */
class LameJavaApp
{

    /** The infamous Long-Winded Signature From Hell. */
    public static void main(String[] args)
        throws IOException
    {
        /* Don't get me started on this. */
        BufferedReader reader =
            new BufferedReader(new FileReader(args[0]));

        /* What, this long incantation just to print a string? */
        System.err.println("Hello world!");

        /* At least this is sane. */
        String line;
        while ((line = reader.readLine()) != null)
            System.out.println(line.length());
    }

    /**
     * Method with a needlessly long name.
     * @param   aSet        a set (!)
     */
    private String[] getAllStrings(Set<String> aSet)
    {
        /*
         * This dance is needed even in J2SE 5, which has type
         * templates. It was worse before that.
         */
        return aSet.toArray(new String[0]);
    }

}

3
Verbosità al suo meglio.
qwr

39

C ++ in C

OK, quindi sei un programmatore C ++, ma sei costretto a usare C? Nessun problema, devi solo scrivere alcune intestazioni supplementari mancanti in C. Ad esempio, ecco un programma Hello World valido in C:

Nel file di intestazione supplementare iostream, scrivi:

#include <stdio.h>

#define using volatile int
#define namespace message
#define std = 0
#define message(x) printf("%s\n",x)
#define cout 0
#define endl 0

Nel file string, scrivi

#define string

Nel file helloworld.c(il tuo attuale codice C), scrivi

#include <iostream>
#include <string>

using namespace std;

int main()
{
  string message("Hello world");
  cout << message << endl;
  return 0;
}

E durante la compilazione helloworld.ccon un compilatore C, istruisci il compilatore a cercare anche i <...>file di intestazione ovunque tu abbia archiviato i file iostreame string, ad esempio, se stai compilando con gcc e metti i file iostreame stringnella directory corrente, compila con

gcc helloworld.c -o helloworld -I.

Nota: l' volatileintestazione in iostreamè lì per consentire una compilazione senza avvisi anche al massimo livello di avviso (una lettura da una variabile volatile è considerata avere un effetto).


3
Questo è un po 'di traina del codice, non è vero.
Lister

Bene, il programma fa esattamente quello che sembra fare, vero?
Celtschk,

8
Molto più divertente e più impressionante in questo modo rispetto a C in C ++.
Kyle Strand,

Che tipo di compilatore avverte se non si utilizza volatilequi e che tipo di avviso?
R. Martinho Fernandes,

1
@KyleStrand Ma quello "C in C ++" è più in sintonia con la citazione nella domanda. I veri programmatori programmano in C, anche se hanno un compilatore C ++.
Lister,

36

CQL - Linguaggio di query caffeinato

(o "SQL su caffeina")

Questo potrebbe essere stato in qualche modo eccessivamente ambizioso. Ecco un tentativo di scrivere codice dichiarativo SQL (ish) in CoffeeScript . Ciò richiede la funzione proxy ECMAScript 6 . Puoi testarlo nel nodo con --harmony-proxies.

Creiamo un modello per la definizione dei proxy. (Tratto dal commento di Benvie su questo problema )

forward = (->
  _slice  = Array.prototype.slice
  _bind   = Function.prototype.bind
  _apply  = Function.prototype.apply
  _hasOwn = Object.prototype.hasOwnProperty

  Forwarder = (target) ->
    @target = target
    this

  Forwarder.prototype =
    getOwnPropertyNames: -> Object.getOwnPropertyNames(@target)
    keys: -> Object.keys(@target)
    enumerate: ->
      i = 0
      keys = []
      for value of @target
        keys[i++] = value
      keys
    getPropertyDescriptor: (key) ->
      o = @target;
      while o
        desc = Object.getOwnPropertyDescriptor o, key
        if desc
          desc.configurable = true;
          return desc;

        o = Object.getPrototypeOf o
    getOwnPropertyDescriptor: (key) ->
      desc = Object.getOwnPropertyDescriptor @target, key
      if desc
        desc.configurable = true
      desc
    defineProperty: (key, desc) -> Object.defineProperty @target, key, desc
    get: (receiver, key) -> @target[key]
    set: (receiver, key, value) ->
      @target[key] = value;
      true
    has: (key) -> key of @target
    hasOwn: (key) -> _hasOwn.call @target, key
    delete: (key) ->
      delete @target[key]
      true
    apply: (receiver, args) -> _apply.call @target, receiver, args
    construct: (args) -> new (_bind.apply @target, [null].concat args);

  forward = (target, overrides) ->
    handler = new Forwarder target;
    for k of Object overrides
      handler[k] = overrides[k]

    if typeof target is 'function'
      return Proxy.createFunction handler,
                                  -> handler.apply this, _slice.call arguments,
                                  -> handler.construct _slice.call arguments
    else
      return Proxy.create handler, Object.getPrototypeOf Object target

  forward
)();

Ora definisci un oggetto proxy e alcune variabili e funzioni globali sospette:

sql = forward {
  tables: {}

  finalize: ->
    if typeof @activeRows isnt 'function'
      @result = []
      for row in @activeRows
        @result.push (val for val, i in row when @activeTable.columns[i] in @activeColumns)
    delete @activeRows
    delete @activeColumns
    delete @activeTable

  run: (q) ->
    q.call(this)
    @finalize()
    result = @result
    delete @result
    if typeof result isnt 'function' then console.log result
    return result
}, {
  get: (o,name) ->
    if name of @target
      return @target[name];
    (args...) -> {
      name
      args
    }
}

int = Number
varchar = (l) -> String

TABLE = (x) -> x
INTO = (x) -> x
CREATE = (tableData) ->
  name = tableData.name
  table =
    columns: []
  column = tableData.args[0]
  table[column.name] = []
  table.columns.push(column.name)
  while column = column.args[1]
    table[column.name] = []
    table.columns.push(column.name)

  sql.tables[name] = table

  sql.result = "Created table '#{name}'"

INSERT = (table) -> sql.activeTable = sql.tables[table().name]
VALUES = (rows...) ->
  for row in rows
    for val, i in row
      column = sql.activeTable.columns[i]
      sql.activeTable[column].push val

  sql.result = "Inserted #{rows.length} rows"

FROM = (table) ->
  sql.activeTable = sql.tables[table().name]
SELECT = (columns...) ->
  sql.activeColumns = []
  for col in columns
    if typeof col is 'function'
      col = col()

    sql.activeColumns.push col.name

  sql.activeRows = []
  for val in sql.activeTable[sql.activeTable.columns[0]]
    sql.activeRows.push []

  for col in sql.activeTable.columns
    for val, i in sql.activeTable[col]
      sql.activeRows[i].push val

IN = (list) -> { op: 'in', list }
WHERE = (column) ->
  i = sql.activeTable.columns.indexOf(column.name)
  if column.args[0].op is 'in'
    list = column.args[0].list
    sql.activeRows = (row for row in sql.activeRows when row[i] in list)
  else
    console.log 'Not supported!'

ASC = 'asc'
DESC = 'desc'
BY = (x) -> x
ORDER = (column) ->
  i = sql.activeTable.columns.indexOf(column.name)
  order = if column.args[0] is sql.ASC then 1 else -1
  sql.activeRows.sort (a,b) ->
    if a[i] < b[i]
      return -order
    else if a[i] > b[i]
      return order
    else
      return 0

Beh, è ​​stato un bel po 'di installazione! Ma ora possiamo fare quanto segue (input / output in stile console):

> sql.run ->
    CREATE TABLE @books(
      @title varchar(255),
      @author varchar(255),
      @year int
    );

Create Table 'books'

> sql.run ->
    INSERT INTO @books
    VALUES ['The C++ Programming Language', 'Bjarne Stroustrup', 1985],
           ['Effective C++', 'Scott Meyers', 1992],
           ['Exceptional C++', 'Herb Sutter', 2000],
           ['Effective STL', 'Scott Meyers', 2001];

Inserted 4 rows

> sql.run ->
    SELECT @title, @year FROM @books
    WHERE @author IN ['Bjarne Stroustrup', 'Scott Meyers']
    ORDER BY @year DESC;

[ [ 'Effective STL', 2001 ],
  [ 'Effective C++', 1992 ],
  [ 'The C++ Programming Language', 1985 ] ]

Non è un vero poliglotta, ma non è questo il punto. So che @viene utilizzato per le variabili in SQL, ma ho bisogno di tutte le @s per i nomi di colonne e tabelle perché non ho trovato un modo per proxy l'oggetto globale (e non sarei sorpreso se davvero non fosse possibile - e per una buona ragione).

Ho anche cambiato alcune parentesi tra parentesi (in particolare dopo VALUESe IN). Sfortunatamente, ciò che non sono riuscito a capire è un modo per consentire condizioni normali come year > 2000, perché valuterebbero immediatamente un valore booleano.

Comunque assomiglia molto a SQL ed è decisamente più dichiarativo di imperativo / funzionale / orientato agli oggetti, quindi dovrebbe qualificarsi bene per la domanda. In realtà sto pensando che se ho lucidato un po 'il codice e supportato alcune altre funzionalità, questo potrebbe essere un utile modulo CoffeeScript.

Comunque, è stato divertente! :)

Per coloro che non hanno familiarità con CoffeeScript, le query SQL vengono compilate nel seguente JavaScript:

sql.run(function() {
  return CREATE(
    TABLE(
      this.books(
        this.title(varchar(255), 
        this.author(varchar(255), 
        this.year(int)))
      )
    )
  );
});

sql.run(function() {
  INSERT(INTO(this.books));
  return VALUES([...], ['Effective C++', 'Scott Meyers', 1992], [...], [...]);
});

sql.run(function() {
  SELECT(this.title, this.year(FROM(this.books)));
  WHERE(this.author(IN(['Bjarne Stroustrup', 'Scott Meyers'])));
  return ORDER(BY(this.year(thisESC)));
});

Questo è un bel po 'di installazione, ma sembra buono. Non sono un programmatore di CoffeeScript, ma sembra fantastico. In @SQL viene utilizzato per le variabili di sessione.
Ismael Miguel,

Ho deciso di rendere le parole chiave globali adesso. Ora ci sono solo @s per i nomi di colonne e tabelle.
Martin Ender,

Ora assomiglia molto a SQL! Hai fatto un buon lavoro con questo!
Ismael Miguel,

1
Non mi interessa molto il caffè, ma è fantastico.
KRyan,

2
@tac grazie, ma no l'ho appena hackerato insieme per questa sfida. Divertente coincidenza: rifare questo in modo pulito e metterlo su GitHub era nella mia lista di potenziali / progetti di codifica a lungo termine fino a quando non l'ho rimosso proprio stamattina.
Martin Ender,

27

Visual Basic 6 (in JavaScript)

'; Main sub-routine \
'; function Main() { ' \
Sub Main() '
    ' Do not throw any errors... \
    On Error Resume Next '; MsgBox = alert

    ' Show a message box... \
    MsgBox(1 / 0) '

    ' Show errors again... \
    On Error GoTo 0 '

    ' Show another message box... '
    MsgBox("Hello")
    ' ' } ' \
End Sub '

Main()

Funziona anche in VBScript.


1
Intelligente. Non hai nemmeno bisogno della maggior parte dei punti e virgola.
js1568,

@ js1568 Grazie! Ora ho rimosso i punti e virgola che non sono necessari.
Spazzolino da denti

20

F # in C ++

Abuso piuttosto privo di fantasia e brutto del preprocessore. Ho pensato che sarebbe stato divertente modificare C ++ in modo che assomigliasse a un linguaggio completamente diverso invece di usare alcuni alias per farlo sembrare Java o PHP. Non mi aspetto davvero che questo ottenga un sacco di voti, è una voce solo per divertimento.

#define let int
#define args ( int __, char* args[] ) { int ___ 
#define println printf(
#define exit "\n" ); return 0; }
#include <stdio.h>

let main args =
    println "F# is better than C++"
    exit

Provalo qui .

Purtroppo scrivere qualcosa su STDOUT è tutto ciò che può fare, anche se sono sicuro che se qualcuno ci lanciasse abbastanza stregoneria potrebbe farlo fare di più.


2
Affinché l'ultima riga funzioni in F #, dovrebbe essere exit 0o solo 0.
Jwosty,

20

Python e ... nessuno indovinerà (modifica: dc)

Ecco un codice Python valido, ma in realtà il programma è scritto in una lingua molto diversa:

# Initialize systems 1 and 2
# frame 1, divergency speed and divergency latency
f1ds, f1dl, z1 = [2,2,0]
# frame 2, divergency speed and divergency latency
f2ds, f2dl, z2 = [4,4,1]

# Set the most relevant value of ax (detected by low-energy collision)
ax = 42.424242

# Initialize list of successive energy states
s = [17.98167, 21.1621, 34.1217218, 57.917182]

# Most common value for nz parameter
# TODO: check if value from the article of A. Einstein is better
nz = 10

if z2>nz or ax in s:
  ax += 6
  f1ds = 8
  f2ds = 16
  z1 = 4
  z2 = 9

f1dl += z1
f2dl += z2

# main loop, iterate over all energy states
# Warning: hit Ctrl-C if nuclear explosion occurs and adjust either z or nz
for k in s:
  z = nz + k
  f1dl = f1ds + f2dl * z - z1 + 3.14
  f2dl = f2ds + f1dl * z - z2 + 10
  if k > 10 or z-2 in s:
    nz += 0xac  # hexadecimal coefficient found in famous article by E. Fermi

Il codice viene eseguito in entrambe le lingue senza errori.

La combinazione è molto folle; Sarei felice di aspettare un giorno o due prima di dire qual è l'altra lingua; si prega di lasciare commenti per indovinare.

modifica: la lingua era la lingua basata su stack da dc. Potete vedere qui le parole chiave ben noti, come for, if, or, in, ma solo le lettere importa! Il ,che non ha significato in dc viene trasformato in un registro perché la prima volta che appare è dopo la lettera s(lo stesso per :).


1
A meno che il codice non faccia la stessa cosa in entrambe le lingue, suppongo che una lingua come Befunge possa fare il trucco.
Thomas Eding,

OK, modifico il codice per mettere la lingua che ho scelto.
Thomas Baruchel,

18

C ++ ti permette di scrivere codice simile a lisp, con la libreria InteLib:

(L|DEFUN, ISOMORPHIC, (L|TREE1, TREE2),
   (L|COND, 
     (L|(L|ATOM, TREE1), (L|ATOM, TREE2)),
     (L|(L|ATOM, TREE2), NIL),
     (L|T, (L|AND,
       (L|ISOMORPHIC, (L|CAR, TREE1), 
                      (L|CAR, TREE2)),
       (L|ISOMORPHIC, (L|CDR, TREE1), 
                      (L|CDR, TREE2))
 )))).Evaluate();

cf. http://www.informatimago.com/articles/life-saver.html


4
Benvenuto! Chiediamo agli utenti di contrassegnare i loro post come Wiki della comunità quando la risposta non è il loro lavoro. (E dai la giusta attribuzione, ma l'hai già fatto, quindi grazie!)
Jonathan Van Matre,

Originale o no, hai il mio voto :)
itsjeyd

15

C # nello spazio bianco

Okay, prima prova con uno di questi, quindi vediamo come va.

using System; //very important  

namespace ConsoleApplication1  //namespace: name whatever you want      
{ 
 //start    
 class  Program  //class name:  also anything    
    {
    //main function 
    static void Main(string[] args) {
        for(int i=0;i<10;i++)   writeOutput(i); 
    } //end main    
    static void writeOutput(int i) { Console.WriteLine(i); }    //display output    


    } //class ends here         

}  //close namespace:   also very important     





//yay!

E nel caso in cui la formattazione diventasse complicata dal dover mettere quattro spazi nella parte anteriore di ogni riga, eccolo di nuovo con. per spazio e # per scheda:

using.System;.//very.important#

namespace.ConsoleApplication1..//namespace:#name.whatever.you.want##
{.
.//start#
.class#Program..//class.name:#also.anything#.
#{
....//main.function#
#static.void.Main(string[].args).{
....#for(int.i=0;i<10;i++)#writeOutput(i);#
#}.//end.main#
#static.void.writeOutput(int#i).{.Console.WriteLine(i);.}#//display.output#

.
.#}.//class.ends.here.##

}..//close.namespace:#also.very.important#.#
.




//yay!

12

HTML e CSS

Non linguaggi di programmazione, ma ... questo documento è HTML e CSS validi :

<!-- p{color:red} /* -->
<!Doctype html>
<title>This is HTML and CSS</title>
<p>Hi!</p>
<!-- */ -->
<!-- p{color:red} /* -->
<!Doctype html>
<title>This is HTML and CSS</title>
<p>Hi!</p>
<!-- */ -->

Funziona perché i commenti HTML sono consentiti nei fogli di stile per motivi storici. Oh, e ogni documento HTML valido è anche un programma PHP valido, quindi anche questo è PHP . :)


2
È abbastanza divertente, ma non è una vera sfida poliglotta .
Martin Ender,

Poiché i CSS potrebbero essere considerati turing completi , questa potrebbe essere una risposta valida.
Adam Davis,

2
HTML e CSS non sono linguaggi di programmazione :)
Jet

9

C in Scala

Lo strato di ponte emula un'era più romantica quando le stringhe erano ancora matrici di byte con terminazione nulla.

// Scala is a dynamic language
import scala.language.{ dynamics, postfixOps }

val self = this

val argc = args.length
val argv = args.map(_.getBytes)

type char = Array[Byte]
object char extends Dynamic {
  // This program uses expanded memory
  val buffers = new scala.collection.mutable.LinkedHashMap[String, char]

  // Malloc char buffer
  def applyDynamic(name: String)(length: Int) =
    buffers(name) = new Array(length)

  def **(argv: Array[Array[Byte]]) = argv
}

object & extends Dynamic {
  // dereference char pointer
  def selectDynamic(name: String) = char.buffers(name)
}

def printf(format: String, buffers: char*) =
  println(
    (format /: buffers){ case (msg, buffer) =>
      // Read string until \0 terminator
      val value = new String(buffer.takeWhile(0 !=))
      // Replace next %s token
      msg.replaceFirst("%s", value)
    }
  )

def scanf(format: String, buffers: char*) =
  buffers foreach { buffer =>
    val line = Console.readLine()
    // Write string to char* buffer
    line.getBytes(0, line.length, buffer, 0)
    // Remember to always null terminate your strings!
    buffer(line.length) = 0
  }

val PATH_MAX = 4096

implicit class Argumenter(args: Pair[_, _]) {
  def apply[T](f: => T) = f
}

object int {
  // Passthrough
  def main[T](f: => T) = f
  def argc = self.argc
}

// terminates the string after the first character
// investigate switching to "xor eax, eax" instead of having a hardcoded 0
// might save 3 bytes and valuable CPU time with this trick
val initialize = (_: char)(1) = 0

def exit(value: Int) = sys.exit(value)
// ---HOMEWORK-ASSIGNMENT-START---

int main(int argc, char **argv) {
  if (argc != 0) {
    printf("This program does not take parameters!");
    exit(1);
  }

  // I've copy pasted this code from somewhere
  // Code reuse is essential if we want to be DRY
  char first(PATH_MAX + 1);
  char last(PATH_MAX + 1);

  printf("Enter your first and last name:\n");
  scanf("%s%s", &first, &last);

  // Still learning references, do I need these here?
  // I've performed benchmarks on printf and I think it's faster this way
  printf("Your full name is %s %s", &first, &last);

  initialize(&first);
  printf("Your signature is %s. %s", &first, &last);

  exit(0);
}

"This program does not take parameters!"ingannato ya
Erik the Outgolfer,

8

sed e APL

Il mio capo vuole che scriva script sed, ma mi piace piuttosto scrivere APL tutto il giorno. Tuttavia, è molto contento del mio lavoro perché tali script funzionano perfettamente con la sua versione di sed:

i ← g ← 42
a ← d ← 10
s/s←2⊤42/s←2⊤43/g
s/s[01]*1/s⊣1/g
g

Puoi provarlo sul mio nuovo sito web con questo permalink . È una versione compilata per javascript di GNU APL. La versione finale sarà successiva con la versione ufficiale di GNU APL, v. 1.3 ma puoi utilizzarla perfettamente per i tuoi permalink se ti piace GNU APL.


7

C in Haskell

import Foreign.C.String
import Foreign.C.Types
import Foreign.Marshal.Array
import Foreign.Ptr
import System.Environment
import System.Exit

-- The meat of the program

cmain :: (CInt, Ptr (Ptr CChar)) -> IO CInt
cmain(argc, argv) = do {
    putStr("hello, world\n");
    return 0;
}

-- Of course, the above function doesn't do anything unless we write a wrapper
-- around it.  This could have been done more simply, using higher-level library
-- functions, but where's the fun in that?

main :: IO ()
main = do {
    args <- getArgs;
    argPtrs <- sequence [do {
        argPtr <- mallocArray0(length(arg)) :: IO (Ptr CChar);
        pokeArray0(0)(argPtr)(map(castCharToCChar)(arg));
        return argPtr;
    } | arg <- args ];
    argv <- mallocArray(length(argPtrs)) :: IO (Ptr (Ptr CChar));
    pokeArray(argv)(argPtrs);

    exitCode <- cmain(fromIntegral(length(args)),argv);

    if (exitCode == 0) then do {
        exitWith(ExitSuccess);
    } else do {
        exitWith(ExitFailure(fromIntegral(exitCode)));
    };
}

Ovviamente, poiché cmainnon fa nulla con argco argv, il codice argomento-marshaling non ha alcun effetto e poiché cmainrestituisce sempre 0, il ramo "else" dell'istruzione "if" è morto. Ma l'istruzione "if" non fa comunque nulla.

Tutte le parentesi graffe e i punti e virgola non sono necessari, così come la maggior parte delle parentesi e alcune delle doparole chiave. L'istruzione "if" avrebbe potuto essere scritta come if exitCode == 0 then exitWith ExitSuccess else exitWith (ExitFailure (fromIntegral exitCode)).


7

C ++ in avanti

: #include ; : <iostream> ; : { ; : } ; : int ; : using ;
: namespace ; : std; ; : main() ; : cout ; : << ;
: "Hello,  ; : world!\n"; S" Hello, world!" type ; : return ; : 0; ;

#include <iostream>
using namespace std;

int main() {
    cout << "Hello, world!\n";
}

Non è la soluzione più flessibile, ma funziona se scritta esattamente come mostrato.


7

Haskell in Java

("vanilla" Java 7, non Java 8) (Sì, lo so che il pugilato rovina le prestazioni; e anche provare a usare funzioni di ordine superiore diventa pazzesco: D)

Java ha una sintassi molto rigida, quindi invece di cambiare la sintassi ho cercato di rendere il codice semanticamente più simile allo stile di Haskell.

Modifica: aggiunta l'applicazione della funzione parziale.

import java.util.Iterator;

interface Function1<A, B> {
    A call(B arg);
}

interface Function2<A, B, C> {
    A call(B arg1, C arg2);
}

class Reduce<A> implements Function2<A, Function2<A, A, A>, Iterable<A>> {

    @Override
    public A call(Function2<A, A, A> arg1, Iterable<A> arg2) {
        final Iterator<A> i = arg2.iterator();
        A r = i.next();
        while (i.hasNext())
            r = arg1.call(r, i.next());
        return r;
    }
}

class Range implements Iterable<Integer> {

    private final int min;
    private final int max;

    public Range(int min, int max) {
        this.min = min;
        this.max = max;
    }

    @Override
    public Iterator<Integer> iterator() {
        return new Iterator<Integer>() {
            int i = min;

            @Override
            public boolean hasNext() {
                return i <= max;
            }

            @Override
            public Integer next() {
                return i++;
            }

            @Override
            public void remove() {
                throw new UnsupportedOperationException();
            }
        };
    }
}

public class Main {

    public static <A, B, C> Function1<A, C> applyPartial(final Function2<A, B, C> f, final B arg2) {
        return new Function1<A, C>() {
            @Override
            public A call(C arg) {
                return f.call(arg2, arg);
            }
        };
    }

    public static void main(String[] args) {

        final Function1<Integer, Iterable<Integer>> product = applyPartial(new Reduce<Integer>(), new Function2<Integer, Integer, Integer>() {
            @Override
            public Integer call(Integer arg1, Integer arg2) {
                return arg1 * arg2;
            }
        });

        final Function1<Integer, Integer> fact = new Function1<Integer, Integer>() {

            @Override
            public Integer call(Integer arg) {
                return product.call(new Range(1, arg));
            }
        };

        final Integer x = fact.call(6);

        System.out.println(x.toString());
    }
}

(Sì, tutto ciò che fa questa follia è il calcolo 6!)


6

COBOL in AWK

Nello spirito della citazione. AWK puro e puro, come può essere scritto da un programmatore COBOL.

Il compito è contare i record su un file. Questa prima versione di sviluppo si sta contando per i test. Il file corretto verrà codificato successivamente in seguito al rilascio da Unit Testing ...

Se potessi ottenere l'evidenziazione della sintassi per fare il verde fosforescente sul nero, sarebbe fantastico ...

Persino i numeri di colonna sono corretti su questo, cioè sette spazi vuoti all'inizio di ogni riga (mai fatto in awk prima) e infrangendo le lunghe dichiarazioni di stampa nella colonna 72.

   BEGIN { 
       PERFORM_000_INITIALISATION() 
       PERFORM_100_OPEN_FILES() 
       PERFORM_200_PROCESS_FILE() 
       PERFORM_300_CLOSE_FILES() 
       PERFORM_400_SHOW_THE_COUNTS() 
       exit 
   } 
   function PERFORM_000_INITIALISATION() { 
       INPUT_FILE_NAME = "COBOL.AWK" 
       RECORD_COUNT = 0 
   } 
   function PERFORM_100_OPEN_FILES() { 
   } 
   function PERFORM_200_PROCESS_FILE() { 
       PERFORM_210_PRIMING_READ() 
       PERFORM_220_PROCESS_INPUT_UNTIL_END() 
   } 
   function PERFORM_300_CLOSE_FILES() { 
   } 
   function PERFORM_400_SHOW_THE_COUNTS() { 
       print "COBOL.AWK: NUMBER OF RECORDS READ IS " RECORD_COUNT        
   } 
   function PERFORM_210_PRIMING_READ() { 
       PERFORM_900_READ_THE_FILE() 
       if ( FILE_STATUS < 0 ) { 
           print "COBOL.AWK ERR0001: INVALID FILE, HALTING, FILE N" \
                 "AME IS: " INPUT_FILE_NAME 
           exit 
           } 
       if ( FILE_STATUS == 0 ) { 
           print "COBOL.AWK ERR0002: NO RECORDS ON INPUT, HALTING," \
                 "FILE NAME IS: " INPUT_FILE_NAME 
           exit 
           } 
   } 
   function PERFORM_220_PROCESS_INPUT_UNTIL_END() {
       while ( FILE_STATUS != 0 ) { 
           INPUT_RECORD = $0 
           RECORD_COUNT = RECORD_COUNT + 1 
           PERFORM_900_READ_THE_FILE() 
           } 
   } 
   function PERFORM_900_READ_THE_FILE() { 
       FILE_STATUS = getline < INPUT_FILE_NAME 
   }        

6

Brainfuck (o qualsiasi altra cosa) nella racchetta

Il modulo flessibile e il sistema macro di Racket consentono di implementare il supporto del modulo per linguaggi completamente nuovi, sia specifici del dominio che generici. Esiste un supporto immediato per Datalog e Algol 60 , quindi sono entrambi validi i programmi Racket:

#lang datalog
edge(a, b). edge(b, c). edge(c, d). edge(d, a).
path(X, Y) :- edge(X, Y).
path(X, Y) :- edge(X, Z), path(Z, Y).
path(X, Y)?

#lang algol60
begin
  integer procedure SIGMA(x, i, n);
    value n;
    integer x, i, n;
  begin
    integer sum;
    sum := 0;
    for i := 1 step 1 until n do
      sum := sum + x;
    SIGMA := sum;
  end;
  integer q;
  printnln(SIGMA(q*2-1, q, 7));
end

Puoi anche aggiungere supporto per altre lingue: ad es. Vedi la descrizione di Danny Yoo su come implementare il supporto per Brainfuck, che consente programmi di racchette come:

#lang planet dyoo/bf
++++++[>++++++++++++<-]>.
>++++++++++[>++++++++++<-]>+.
+++++++..+++.>++++[>+++++++++++<-]>.
<+++[>----<-]>.<<<<<+++[>+++++<-]>.
>>.+++.------.--------.>>+.

E poiché il supporto viene aggiunto a livello di modulo compilato, è possibile collegare moduli scritti in lingue diverse o incorporare uno snippet di una lingua all'interno di un modulo scritto in un'altra.


5

SML in Java

Ho ancora del codice antico da quando ho iniziato a imparare Java e ho provato a usarlo in uno stile funzionale. Leggermente pulito:

/**
 * Genericised ML-style list.
 */
public class FunctionalList<T> 
{
    private final T head;
    private final FunctionalList<T> tail;

    public FunctionalList(T x, FunctionalList<T> xs) {
        this.head = x;
        this.tail = xs;
    }

    public static <T> FunctionalList<T> cons(T x, FunctionalList<T> xs) {
        return new FunctionalList<T>(x, xs);
    }

    public static <T> T hd(FunctionalList<T> l) {
        return l.head;
    }

    public static <T> FunctionalList<T> tl(FunctionalList<T> l) {
        return l.tail;
    }

    public static int length(FunctionalList<?> l) {
        return len(l, 0);
    }

    private static int len(FunctionalList<?> l, int n) {
        return l == null ? n : len(tl(l), n + 1);
    }

    public static <T> FunctionalList<T> rev(FunctionalList<T> l) {
        return rev(l, null);
    }

    private static <T> FunctionalList<T> rev(FunctionalList<T> a, FunctionalList<T> b) {
        return a == null ? b : rev(tl(a), cons(hd(a), b));
    }

    public static <T> FunctionalList<T> append(FunctionalList<T> a, FunctionalList<T> b) {
        return a == null ? b : cons(hd(a), append(tl(a), b));
    }
}

5

Java in Perl

Può essere considerato una violazione delle regole, ma non mi interessa. Ovviamente, è destinato a sembrare un programma Java. Stampa 20 numeri di Fibonacci, nel caso in cui non sia ovvio.

Richiede il modulo Inline :: Java da installare.

use Inline Java => <<'JAVA';
/**
 * @author  Konrad Borowski <x.fix@o2.pl>
 * @version 0.1.0
 */
class Fibonacci
{
    /**
     * Responsible for storing the number before last generated number.
     */
    private long beforeLastNumber = 0;

    /**
     * Responsible for storing the last generated number.
     */
    private long lastNumber = 1;

    /**
     * Receives the next Fibonacci number.
     * 
     * @return long integer that is the next Fibonacci number
      */
    public long next()
    {
        long temponaryLastNumber = lastNumber;
        lastNumber = beforeLastNumber + lastNumber;
        beforeLastNumber = temponaryLastNumber;
        return temponaryLastNumber;
    }

    /**
     * Outputs the Fibonacci number to standard output.
     */
    public void printFibonacci()
    {
        System.out.println(next());
    }

    /**
     * Outputs the Fibonacci number to standard output given number of
     * times.
     * 
     * @param times number of times to print fibonacci number
     */
    public void printFibonacciTimes(int times)
    {
        int i;
        for (i = 0; i < times; i++) {
            printFibonacci();
        }
    }

    /**
     * Constructor for Fibonacci object. Does nothing.
     */
    public Fibonacci()
    {
        // Do nothing.
    }
}
JAVA

###
 # The executable class that shows 20 Fibonacci numbers.
 ##
package OutputFibonacci
{
    ###
     # Shows 20 Fibonacci numbers. This method is public,
     # static, and returns void.
     ##
    sub main()
    {
        # In Perl, -> is object method separator, not a dot. This is stupid.
        new Fibonacci()->printFibonacciTimes(20);
    }
}

# Perl doesn't automatically call main method.
OutputFibonacci::main();

4

J e ... nessuno indovinerà (modifica: dc)

Questa è la mia seconda voce; ecco un pezzo di codice J valido, che restituisce 1:

10 o. 1 r. 2 i. 4 [ ( 0:`1: @. (2&|)) ] 8 #: *:@+: 42

Sto aspettando uno o due giorni prima di dire qual è l'altra lingua che esegue lo stesso codice senza errori. Lascia i commenti per provare a indovinare.

modifica: L'altra lingua è la lingua basata su stack dall'antichissima calcolatrice Unix dc.


3
Funziona senza errori in GolfScript, BF, HQ9 +, ...
Peter Taylor

OK, non sapevo che così tante lingue potevano farlo. Modifico il codice per mettere la lingua che ho scelto.
Thomas Baruchel,

@ ברוכאל funziona senza errori in quelle lingue perché quelle lingue non hanno errori o non hanno errori applicabili a questo codice. Per esempio. Brainfuck ignora tutti i caratteri che non sono presenti, .,+-<>[]quindi il tuo programma è equivalente a ...[.]+Brainfuck, che è un programma valido ma inutile. AFAIK un programma brainfuck può essere non valido solo se non corrisponde [].
immibis,

@immibis. Questo è falso dc è un vecchio calcolatore e posso assicurarti che cambiare una cosa nei miei codici genererebbe un errore. Ho trascorso molto tempo su alcune parti del codice per capire un modo complicato di mettere le lettere nell'ordine giusto. Il mio pezzo di codice Postscript / dc è piuttosto estremo: nessun errore ma cambiare qualcosa lo renderà difettoso. dc non ha nulla a che fare con "quelle lingue"; dc ha circa 20 o 30 anni più di "quelle lingue"; è generalmente installato su qualsiasi distribuzione Linux. Per favore, naviga un po 'se non ne hai sentito parlare.
Thomas Baruchel,

1
@ ברוכאל hai capito male - stavo parlando di brainfuck, HQ9 +, golfscript, ecc. - non dc.
immibis,

4

dc che esegue un file PostScript

dc può eseguire il seguente codice senza errori:

10 10 10 10 10 42 32 10 10
stop % first send a stop
0 0 srand rand
le pop pop 3.14 sin
lt 2 3 lt and pop
le 2 10 le xor
pop pop pop 1 0 0
<< /sox 2 >> [ exch begin sox end ] aload
3.14 floor

3

ML / (rigoroso) Haskell in Java

Questo proviene da un vero progetto reale. Fa uso di strutture di dati immutabili persistenti e ricorre alla ricorsione anche quando non è necessario. In realtà, è più simile a Kore (il linguaggio implementato dal progetto) in Java, ma lo stile è sostanzialmente lo stesso di ML. Ma la filosofia di Kore è che l'autore non dovrebbe formattare il suo codice, quindi nessuno dei due codici Java è formattato (è formattato automaticamente da eclipse).

rilasciare n elementi da un elenco :

  public static <T> List<T> drop(List<T> l, Integer n) {
    return n == 0 ? l : drop(l.cons().tail, n - 1);
  }

In ML / Haskell, dove faresti corrispondere il motivo per estrarre la testa e la coda, qui dici list.cons().xe list.cons().tail.

inserire un elemento in un elenco :

  public static <T> List<T> insert(List<T> l, Integer i, T x) {
    if (i == 0)
      return cons(x, l);
    return cons(l.cons().x, insert(l.cons().tail, i - 1, x));
  }

L'elenco è definito letteralmente come sarebbe definito il tipo di dati algebrico. Ecco una versione con il boilerplate generato da eclipse rimosso:

public final class List<T> {

  public static final class Nil<T> {
  }

  public static final class Cons<T> {
    public final T x;
    public final List<T> tail;

    public Cons(T x, List<T> tail) {
      if (x == null)
        throw new RuntimeException("null head");
      if (tail == null)
        throw new RuntimeException("null tail");
      this.x = x;
      this.tail = tail;
    }
  }

  private final Nil<T> nil;
  private final Cons<T> cons;

  private List(Nil<T> nil, Cons<T> cons) {
    this.nil = nil;
    this.cons = cons;
  }

  public boolean isEmpty() {
    return nil != null;
  }

  public Nil<T> nil() {
    if (nil == null)
      throw new RuntimeException("not nil");
    return nil;
  }

  public Cons<T> cons() {
    if (cons == null)
      throw new RuntimeException("not cons");
    return cons;
  }

  public static <T> List<T> cons(Cons<T> cons) {
    if (cons == null)
      throw new RuntimeException("constructor received null");
    return new List<T>(null, cons);
  }

  public static <T> List<T> nil(Nil<T> nil) {
    if (nil == null)
      throw new RuntimeException("constructor received null");
    return new List<T>(nil, null);
  }
}

Ecco una struttura di dati cartografici implementata in termini di un trie :

public final class Map<K, V> {
  private final Tree<Character, Optional<Pair<K, V>>> tree;
  // keys are sorted in reverse order so entrySet can use cons instead of append
  private final Comparer<Pair<Character, Tree<Character, Optional<Pair<K, V>>>>> comparer =
      new PairLeftComparer<Character, Tree<Character, Optional<Pair<K, V>>>>(
          new ReverseComparer<Character>(new CharacterComparer()));

  private Map(Tree<Character, Optional<Pair<K, V>>> tree) {
    this.tree = tree;
  }

  public static <K, V> Map<K, V> empty() {
    return new Map<K, V>(new Tree<Character, Optional<Pair<K, V>>>(
        OptionalUtils.<Pair<K, V>> nothing(),
        ListUtils
            .<Pair<Character, Tree<Character, Optional<Pair<K, V>>>>> nil()));
  }

  public Optional<V> get(K k) {
    Tree<Character, Optional<Pair<K, V>>> t = tree;
    for (char c : k.toString().toCharArray()) {
      Tree<Character, Optional<Pair<K, V>>> t2 = getEdge(t, c);
      if (t2 == null)
        return nothing();
      t = t2;
    }
    if (t.v.isNothing())
      return nothing();
    return some(t.v.some().x.y);
  }

  public Map<K, V> put(K k, V v) {
    return new Map<K, V>(put(tree, k.toString(), v, k));
  }

  private Tree<Character, Optional<Pair<K, V>>> put(
      Tree<Character, Optional<Pair<K, V>>> t, String s, V v, K k) {
    if (s.equals(""))
      return new Tree<Character, Optional<Pair<K, V>>>(some(Pair.pair(k, v)),
          t.edges);
    char c = s.charAt(0);
    Tree<Character, Optional<Pair<K, V>>> t2 = getEdge(t, c);
    if (t2 == null)
      return new Tree<Character, Optional<Pair<K, V>>>(
          t.v,
          sort(
              cons(
                  pair(
                      c,
                      put(new Tree<Character, Optional<Pair<K, V>>>(
                          OptionalUtils.<Pair<K, V>> nothing(),
                          ListUtils
                              .<Pair<Character, Tree<Character, Optional<Pair<K, V>>>>> nil()),
                          s.substring(1), v, k)), t.edges), comparer));
    return new Tree<Character, Optional<Pair<K, V>>>(t.v, sort(
        replace(pair(c, put(t2, s.substring(1), v, k)), t.edges), comparer));
  }

  private List<Pair<Character, Tree<Character, Optional<Pair<K, V>>>>> replace(
      Pair<Character, Tree<Character, Optional<Pair<K, V>>>> edge,
      List<Pair<Character, Tree<Character, Optional<Pair<K, V>>>>> edges) {
    if (edges.cons().x.x.equals(edge.x))
      return cons(edge, edges.cons().tail);
    return cons(edges.cons().x, replace(edge, edges.cons().tail));
  }

  // I consider this O(1). There are a constant of 2^16 values of
  // char. Either way it's unusual to have a large amount of
  // edges since only ASCII chars are typically used.
  private Tree<Character, Optional<Pair<K, V>>> getEdge(
      Tree<Character, Optional<Pair<K, V>>> t, char c) {
    for (Pair<Character, Tree<Character, Optional<Pair<K, V>>>> p : iter(t.edges))
      if (p.x.equals(c))
        return p.y;
    return null;
  }

  public Map<K, V> delete(K k) {
    return new Map<K, V>(delete(tree, k.toString()).x);
  }

  private Pair<Tree<Character, Optional<Pair<K, V>>>, Boolean> delete(
      Tree<Character, Optional<Pair<K, V>>> t, String k) {
    if (k.equals(""))
      return pair(
          new Tree<Character, Optional<Pair<K, V>>>(
              OptionalUtils.<Pair<K, V>> nothing(), t.edges), t.edges.isEmpty());
    char c = k.charAt(0);
    Tree<Character, Optional<Pair<K, V>>> t2 = getEdge(t, c);
    if (t2 == null)
      return pair(t, false);
    Pair<Tree<Character, Optional<Pair<K, V>>>, Boolean> p =
        delete(t2, k.substring(1));
    List<Pair<Character, Tree<Character, Optional<Pair<K, V>>>>> edges = nil();
    for (Pair<Character, Tree<Character, Optional<Pair<K, V>>>> e : iter(t.edges))
      if (!e.x.equals(c))
        edges = cons(e, edges);
    if (!p.y)
      return pair(
          new Tree<Character, Optional<Pair<K, V>>>(t.v, cons(pair(c, p.x),
              edges)), false);
    boolean oneEdge = t.edges.cons().tail.isEmpty();
    return pair(new Tree<Character, Optional<Pair<K, V>>>(t.v, edges), oneEdge
        && t.v.isNothing());

  }

  public static class Entry<K, V> {
    public Entry(K k, V v) {
      this.k = k;
      this.v = v;
    }

    public final K k;
    public final V v;

  }

  public List<Entry<K, V>> entrySet() {
    return entrySet(ListUtils.<Entry<K, V>> nil(), tree);
  }

  private List<Entry<K, V>> entrySet(List<Entry<K, V>> l,
      Tree<Character, Optional<Pair<K, V>>> t) {
    if (!t.v.isNothing()) {
      Pair<K, V> p = t.v.some().x;
      l = cons(new Entry<K, V>(p.x, p.y), l);
    }
    for (Pair<Character, Tree<Character, Optional<Pair<K, V>>>> e : iter(t.edges))
      l = entrySet(l, e.y);
    return l;
  }
}

I tipi iniziano a occupare tanto spazio quanto il codice. Ad esempio, in pratica , il metodo ha 302 caratteri di tipo e 343 caratteri di codice (senza contare lo spazio / le nuove righe).


2

BASIC in Ruby

Implementato molto tempo fa. La fonte è su GitHub . Ispirato da una cosa simile in Scala

Impostare

#!/usr/bin/env ruby

if caller.empty? && ARGV.length > 0
  $file = ARGV[0]
else
  $file = caller.last.split(':').first
end

require 'pp'

class String
  def %(other)
    self + other.to_s
  end
end

class RBaysick
  @@variables = {}
  @@code = []
  @@line = 0

  def initialize(contents)
    $DONT_RUN = true # To avoid endless loops.

    contents.gsub!(/( |\()'([^\W]+)/, '\1:\2 ')

    contents.gsub!(/(^| |\()(:[^\W]+)/, '\1GET(\2)')

    contents.gsub!(/ IF (.*) THEN (.*)/, ' IF { \1 }.THEN { GOTO \2 }')
    contents.gsub!(/LET *\(([^ ]+) *:= *(.*)\)/, 'LET(\1) { \2 }')
    contents.gsub!(/(LET|INPUT)(\(| )GET\(/, '\1\2(')
    contents.gsub!(/ \(/, '(')

    contents.gsub!(/^(\d+) (.*)$/, 'line(\1) { \2 }')

#    contents.gsub!(/(\)|\}|[A-Z]) ([A-Z]+)/, '\1.\2')

    contents.gsub!(/ END /, ' __END ')
    contents.gsub!(/^RUN/, '__RUN')

    puts contents if $DEBUG
    eval contents
  end

  def __RUN
    while @@line > -1
      puts "#{@@line}: #{@@code[@@line].inspect}" if $DEBUG
      unless @@code[@@line].nil?
        @@increment = true
        @@code[@@line].call
        next unless @@increment
      end
      @@line += 1
    end
  end

  class If < Struct.new(:value)
    def THEN
      yield if value
    end
  end

  def method_missing(name, *args)
    puts "Missing: #{name.to_s}(#{args.map(&:inspect).join(', ')})" if $DEBUG
  end

  def variables
    @@variables
  end

  def line(line, &block)
    @@code[line] = block
  end

  def add(line, cmd, *args)
    puts "DEBUG2: #{cmd.to_s}(#{args.map(&:inspect).join(', ')})" if $DEBUG
    @@code[line] = send(cmd, *args)
  end

  def IF
    ::RBaysick::If.new(yield)
  end

  def PRINT(str)
    puts "PRINT(#{str.inspect})" if $DEBUG
    puts str
    true
  end

  def LET(name, &block)
    puts "LET(#{name.inspect}, #{block.inspect})" if $DEBUG
    @@variables[name] = block.call
  end

  def GET(name)
    puts "GET(#{name.inspect}) #=> #{@@variables[name].inspect}" if $DEBUG
    @@variables[name]
  end

  def INPUT(name)
    puts "INPUT(#{name.inspect})" if $DEBUG
    LET(name) { $stdin.gets.chomp.to_i }
  end

  def ABS(val)
    puts "ABS(#{val.inspect}) #=> #{val.abs.inspect}" if $DEBUG
    val.abs
  end

  def GOTO(line)
    @@increment = false
    @@line = line
  end

  def __END
    exit
  end
end

RBaysick.new(open($file).read) unless $DONT_RUN || ($0 != __FILE__)

Codice BASIC

#!./rbaysick.rb

10 PRINT "Welcome to Baysick Lunar Lander v0.0.1"
20 LET ('dist := 100)
30 LET ('v := 1)
40 LET ('fuel := 1000)
50 LET ('mass := 1000)

60 PRINT "You are a in control of a lunar lander."
70 PRINT "You are drifting towards the surface of the moon."
80 PRINT "Each turn you must decide how much fuel to burn."
90 PRINT "To accelerate enter a positive number, to decelerate a negative"

100 PRINT "Distance " % 'dist % "km, " % "Velocity " % 'v % "km/s, " % "Fuel " % 'fuel
110 INPUT 'burn
120 IF ABS('burn) <= 'fuel THEN 150
130 PRINT "You don't have that much fuel"
140 GOTO 100
150 LET ('v := 'v + 'burn * 10 / ('fuel + 'mass))
160 LET ('fuel := 'fuel - ABS('burn))
170 LET ('dist := 'dist - 'v)
180 IF 'dist > 0 THEN 100
190 PRINT "You have hit the surface"
200 IF 'v < 3 THEN 240
210 PRINT "Hit surface too fast (" % 'v % ")km/s"
220 PRINT "You Crashed!"
230 GOTO 250
240 PRINT "Well done"

250 END

RUN

2

Haskell in modelli C ++

Ho realizzato questo modello FizzBuzz in modelli C ++ qualche mese fa su uno scherzo. È praticamente un'implementazione del seguente codice Haskell, tutto in modelli C ++. In effetti, anche l'aritmetica dei numeri interi viene reimplementata a livello di tipo --- nota che nessuno dei template usa parametri int!

Il codice Haskell:

import Control.Monad

m `divides` n = (n `mod` m == 0)

toFizzBuzz n
    | 15 `divides` n = "FizzBuzz"
    |  5 `divides` n = "Buzz"
    |  3 `divides` n = "Fizz"
    |      otherwise = show n

main = mapM_ putStrLn $ take 100 $ map toFizzBuzz [1..]

e la versione di metaprogrammazione del modello C ++:

//  
//  Lazy compile-time fizzbuzz computed by C++ templates,
//  without conditionals or the use of machine arithmetic.
//
//         -- Matt Noonan (mnoonan@grammatech.com)

#include <iostream>

using namespace std;

//
//  The natural numbers: Nat = Zero | Succ Nat
//

template <typename n>
struct Succ
{
  typedef Succ eval;
  static const unsigned int toInt = 1 + n::toInt;
  static void print(ostream & o) { o << toInt; }
};

struct Zero
{
  typedef Zero eval;
  static const unsigned int toInt = 0;
  static void print(ostream & o) { o << toInt; }
};

//
//  Arithmetic operators
//    Plus Zero n = n
//    Plus Succ(n) m = Plus n Succ(m)
//    Times Zero n = Zero
//    Times Succ(n) m = Plus m (Times n m)
//

template <typename a, typename b>
struct Plus
{
  typedef typename Plus<typename a::eval,
                        typename b::eval>::eval eval;
};

template <typename M>
struct Plus <Zero, M>
{ typedef typename M::eval eval; };

template <typename N, typename M>
struct Plus <Succ<N>, M>
{ typedef typename Plus<N, Succ<M> >::eval eval; };

template <typename a, typename b>
struct Times
{
  typedef typename Times<typename a::eval,
                         typename b::eval>::eval eval;
};

template <typename M>
struct Times <Zero, M>
{ typedef Zero::eval eval; };

template <typename N, typename M>
struct Times <Succ<N>, M>
{ typedef typename Plus<M,
                        typename Times<N,M>::eval
                        >::eval eval; };

//
//  Lists
//

struct Nil
{
  typedef Nil eval;
  static void print(ostream & o) { }
};

template <typename x, typename xs>
struct Cons
{
  typedef Cons eval;
  static void print(ostream & o) {
    x::eval::print(o); o << endl; xs::eval::print(o);
  }
};

//
//  Take the first n elements of a list
//

template <typename, typename> struct Take;

template <typename _> struct Take<Zero,_>
{ typedef Nil eval; };

template <typename n, typename x, typename xs>
struct Take<Succ<n>, Cons<x,xs> >
{
  typedef Cons<x, Take<n, xs> > eval;
};

template <typename a, typename b>
struct Take
{
  typedef typename Take<typename a::eval,
                        typename b::eval>::eval eval;
};

//
//  Iterate f x0 makes the infinite list
//  x0, f(x0), f(f(x0)), ...
//

template <template<typename> class f, typename x0> struct Iterate
{
  typedef Cons<x0, Iterate<f, f<x0> > > eval;
};

//
//  Map a function over a list
//

template <template<typename> class a, typename b> struct Map
{ typedef typename Map<a,
                       typename b::eval>::eval eval;
};

template <template<typename> class f>
struct Map<f, Nil>
{ typedef Nil eval; };

template <template<typename> class f, typename x, typename xs>
struct Map<f, Cons<x,xs> >
{
  typedef Cons<f<x>, Map<f,xs> > eval;
};

//
//  Some useful things for making fizzes and buzzes
//

struct Fizz
{ static void print(ostream & o) { o << "Fizz"; } };

struct Buzz
{ static void print(ostream & o) { o << "Buzz"; } };

struct FizzBuzz
{ static void print(ostream & o) { o << "FizzBuzz"; } };

//
//  Some useful numbers
//

typedef Succ<Zero> One;
typedef Succ<One> Two;
typedef Succ<Two> Three;
typedef Plus<Two, Three> Five;
typedef Times<Two, Five> Ten;
typedef Times<Three, Five> Fifteen;
typedef Times<Ten, Ten> OneHundred;

//
//  Booleans
//

struct True {};
struct False {};

//
//  If/then/else
//

template <typename p, typename t, typename f>
struct If
{
  typedef typename If<typename p::eval, t, f>::eval eval;
  static void print(ostream & o) { eval::print(o); }
};

template <typename t, typename _>
struct If<True, t, _>
{
  typedef t eval;
};

template <typename _, typename f>
struct If<False, _, f>
{ typedef f eval; };

//
//  Testing if x divides y
//

template <typename a, typename b, typename c>
struct _Divides
{
  typedef typename _Divides<typename a::eval,
                            typename b::eval,
                            typename c::eval>::eval eval;
};

template <typename _, typename __>
struct _Divides<_, __, Zero> { typedef False eval; };

template <typename a>
struct _Divides<a, Zero, Zero> { typedef True eval; };

template <typename a, typename b>
struct _Divides<a, Zero, b>
{
  typedef typename _Divides<a, a, b>::eval eval;
};

template <typename _, typename n, typename m>
struct _Divides<_, Succ<n>, Succ<m> >
{
  typedef typename _Divides<_, n, m>::eval eval;
};

template <typename a, typename b>
struct Divides
{
  typedef typename _Divides<a, a, b>::eval eval;
};

//
//  "Otherwise" sugar
//

template <typename a>
struct Otherwise
{
  typedef typename a::eval eval;
  static void print(ostream & o) { a::eval::print(o); }
};

//
//  Convert a number to fizzes, buzzes as appropriate
//

template <typename n>
struct toFizzBuzz
{
  typedef typename
    If< Divides<Fifteen, n>, FizzBuzz,
    If< Divides<   Five, n>,     Buzz,
    If< Divides<  Three, n>,     Fizz,
    Otherwise<                   n
    > > > >::eval eval;
};

int main(void)
{
  // Make all of the natural numbers
  typedef Iterate<Succ, One> Naturals;

  // Apply fizzbuzz rules to every natural number
  typedef Map<toFizzBuzz, Naturals> FizzBuzzedNaturals;

  // Print out the first hundred fizzbuzzed numbers
  Take<OneHundred, FizzBuzzedNaturals>::eval::print(cout);

  return 0;
}
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.