diff options
| -rw-r--r-- | bash.html.markdown | 4 | ||||
| -rw-r--r-- | cobol.html.markdown | 317 | ||||
| -rw-r--r-- | de-de/processing-de.html.markdown | 498 | ||||
| -rw-r--r-- | elixir.html.markdown | 2 | ||||
| -rw-r--r-- | fr-fr/elisp-fr.html.markdown | 10 | ||||
| -rw-r--r-- | fsharp.html.markdown | 4 | ||||
| -rw-r--r-- | janet.html.markdown | 328 | ||||
| -rw-r--r-- | jsonnet.html.markdown | 2 | ||||
| -rw-r--r-- | lbstanza.html.markdown | 282 | ||||
| -rw-r--r-- | nim.html.markdown | 2 | ||||
| -rw-r--r-- | opencv.html.markdown | 22 | ||||
| -rw-r--r-- | pt-br/sass-pt.html.markdown | 67 | ||||
| -rw-r--r-- | python.html.markdown | 2 | ||||
| -rw-r--r-- | qsharp.html.markdown | 204 | ||||
| -rw-r--r-- | red.html.markdown | 2 | ||||
| -rw-r--r-- | ru-ru/pascal-ru.html.markdown | 1 | ||||
| -rw-r--r-- | ru-ru/python-ru.html.markdown | 2 | ||||
| -rw-r--r-- | set-theory.html.markdown | 166 | ||||
| -rw-r--r-- | typescript.html.markdown | 4 | ||||
| -rw-r--r-- | vim.html.markdown | 3 | ||||
| -rw-r--r-- | zh-cn/make-cn.html.markdown | 8 | ||||
| -rw-r--r-- | zh-cn/python-cn.html.markdown | 6 | ||||
| -rw-r--r-- | zh-cn/pythonlegacy-cn.html.markdown | 2 | ||||
| -rw-r--r-- | zh-cn/yaml-cn.html.markdown | 55 | 
24 files changed, 1645 insertions, 348 deletions
| diff --git a/bash.html.markdown b/bash.html.markdown index 59aeaaf4..7ca4285b 100644 --- a/bash.html.markdown +++ b/bash.html.markdown @@ -23,7 +23,7 @@ translators:  ---  Bash is a name of the unix shell, which was also distributed as the shell -for the GNU operating system and as default shell on Linux and Mac OS X. +for the GNU operating system and as the default shell on most Linux distros.  Nearly all examples below can be a part of a shell script  or executed directly in the shell. @@ -231,7 +231,7 @@ cat file.txt  # We can also read the file using `cat`:  Contents=$(cat file.txt)  # "\n" prints a new line character -# "-e" to interpret the newline escape characters as escape characters  +# "-e" to interpret the newline escape characters as escape characters  echo -e "START OF FILE\n$Contents\nEND OF FILE"  # => START OF FILE  # => [contents of file.txt] diff --git a/cobol.html.markdown b/cobol.html.markdown index 4452bd95..7d94d8c9 100644 --- a/cobol.html.markdown +++ b/cobol.html.markdown @@ -8,178 +8,187 @@ COBOL is a business-oriented language revised multiple times since its original  organizations.  ```cobol -      *COBOL. Coding like it's 1985. +      *COBOL. Coding like it's 1985.         *Compiles with GnuCOBOL in OpenCobolIDE 4.7.6.        *COBOL has significant differences between legacy (COBOL-85)        *and modern (COBOL-2002 and COBOL-2014) versions.        *Legacy versions require columns 1-6 to be blank (they are used        *to store the index number of the punched card..) -      *A * in column 7 means a comment. +      *A '*' in column 7 means a comment.        *In legacy COBOL, a comment can only be a full line.        *Modern COBOL doesn't require fixed columns and uses *> for        *a comment, which can appear in the middle of a line.        *Legacy COBOL also imposes a limit on maximum line length.        *Keywords have to be in capitals in legacy COBOL,        *but are case insensitive in modern. - -      *First, we must give our program ID. +      *Although modern COBOL allows you to use mixed-case characters +      *it is still common to use all caps when writing COBOL code. +      *This is what most professional COBOL developers do. +      *COBOL statements end with a period. +       +      *COBOL code is broken up into 4 divisions. +      *Those divisions, in order, are: +      *IDENTIFICATION DIVSION. +      *ENVIRONMENT DIVISION. +      *DATA DIVISION. +      *PROCEDURE DIVISION. + +      *First, we must give our program an ID.        *Identification division can include other values too, -      *but they are comments only. Program-id is mandatory. -       identification division. -       program-id. learn. +      *but they are comments only. Program-id is the only one that is mandatory. +       IDENTIFICATION DIVISION. +           PROGRAM-ID.    LEARN. +           AUTHOR.        JOHN DOE. +           DATE-WRITTEN.  05/02/2020.        *Let's declare some variables. -       data division. -       working-storage section. - -      *Variables are specified by a "picture" - how they should be -      *displayed, and variable type is inferred from this. -      *The "01" value is the level number which is used for building -      *data structures. -       01  myname picture xxxxxxxxxx.    *> A 10 character string. -       01  age picture 999.   *> A number up to 3 digits. -       01  valx picture 999.  *> Another number up to 3 digits. -       01  inyear picture s9(7). *> S makes number signed. +      *We do this in the WORKING-STORAGE section within the DATA DIVISION. +      *Each data item (aka variable) with start with a level number,  +      *then the name of the item, followed by a picture clause  +      *describing the type of data that the variable will contain. +      *Almost every COBOL programmer will abbreviate PICTURE as PIC. +      *A is for alphabetic, X is for alphanumeric, and 9 is for numeric. +        +      *example: +      01  MYNAME PIC xxxxxxxxxx.    *> A 10 character string. +        +      *But counting all those x's can lead to errors,  +      *so the above code can, and should +      *be re-written as: +      01 MYNAME PIC X(10). +        +      *Here are some more examples: +      01  AGE             PIC      9(3).   *> A number up to 3 digits. +      01  LAST_NAME       PIC      X(10).  *> A string up to 10 characters. +        +      *In COBOL, multiple spaces are the same as a single space, so it is common +      *to use multiple spaces to line up your code so that it is easier for other +      *coders to read. +      01  inyear picture s9(7). *> S makes number signed.                                   *> Brackets indicate 7 repeats of 9,                                   *> ie a 6 digit number (not an array). -      *Now let's write some code. -       procedure division. - -       main-procedure. -            *> COBOL is the language that uses DISPLAY instead of PRINT. -            *> Note: no full stops after commands. Only after the LAST -            *> command. -            display "Hello. What's your name?" - -            *> Let's input a string. -            *> If input too long, later characters are trimmed. -            accept myname -            display "Hello " myname    *> We can display several things. -            display "How old are you?" - -            *> Let's input a number. -            *> If input too long, EARLIER characters are trimmed. -            accept age - -            display age *> Left-padded to three chracaters with zeroes, -                        *> because of the defined PICTURE for age. - -            *> We have two ways of doing a FOR loop. -            *> Old style way: doesn't give an index. -            perform age times -                display "*" with no advancing *> Ie, no newline at end -            end-perform -            display "." *> Output buffer isn't flushed until newline. - -            *> New style way: with an index. -            perform varying valx from 1 by 1 until valx > age -                display valx "-" with no advancing -            end-perform -            display "." - -            *> If tests are still good old if tests. -            if myname = "Bob" then -                display "I don't like Bob." -            else -                display "I don't know you." -            end-if - -            *> There are two ways of doing subprograms and calling -            *> them. -            *> The simplest way: a paragraph. -            perform subparagraph - -            *> The complex way, with parameters and stuff. -            call "eratosthenes" using age returning valx - -            display "There were " valx " primes." - -            stop run. - -       subparagraph. *> Marks the top of an internal subprogram. -           *> Shares variable score with its caller. -            -           *> Read year from system timer. -           *> Remember the whole "year 2000 crisis"? The yyyyddd  -           *> option was added in response to that. -           accept inyear from day yyyyddd. - -           *> We can do math step-by-step like this... -           divide 1000 into inyear. -           subtract age from inyear. - -           display "You were born in " inyear "." - -           *> Or we can just use expressions. -           compute inyear = 1970 - inyear. - -           if inyear >= 0 then -               display "When you were " inyear ", " with no advancing -           else -               display inyear " years before you were born, " with no -                 advancing -           end-if - -           display "COBOL was the most popular language in the world." -           . *> You can put the final . on a new line if it's clearer. - - -      *If we want to use a subprogram, we use literally a subprogram. -      *This is the entire program layout, repeated for the  -      *eratosthenes subroutine. -       identification division. -       program-id. eratosthenes. - -       data division. -       working-storage section. -      *Declare an array. -      *We can declare a variable to use as an index for it at the -      *same time. -       01  sieve pic 9 occurs 999 times indexed by sa, sb. -           *> Standard cobol doesn't have a boolean type. -       01  pstart pic 999. -       01  counter pic 999. - -      *Our parameters have to be declared in the linkage section. -      *Their pictures must match the values they're called with. -       linkage section. -       01  maxvalue picture 999. - -      *"using" declares our actual parameter variables. -      *"returning" declares the variable value returned at end. -       procedure division using maxvalue returning counter. -       main-procedure. - -           display "Here are all the primes up to " maxvalue "." - -           perform varying sa from 1 by 1 until sa > maxvalue -               move 1 to sieve (sa) -           end-perform - -           perform varying sa from 2 by 1 until sa > maxvalue -               if sieve(sa) = 1 then -                   compute pstart = sa + sa -                   perform varying sb from pstart by sa until sb > -                   maxvalue -                       move 0 to sieve(sb) -                   end-perform -               end-if -           end-perform - -           initialise counter  *> To zero by default for a number. - -           perform varying sa from 2 by 1 until sa > maxvalue -               if sieve(sa) = 1 THEN -                   display sa -                   add 1 to counter -               end-if -           end-perform. - -       end program eratosthenes. - -       end program learn. +      *Now let's write some code. Here is a simple, Hello World program. +      IDENTIFICATION DIVISION. +      PROGRAM-ID. HELLO. +      DATA DIVISION. +      WORKING-STORAGE SECTION. +      01 THE-MESSAGE      PIC X(20). +      PROCEDURE DIVSION. +          DISPLAY "STARTING PROGRAM". +          MOVE "HELLO WORLD" TO THE-MESSAGE. +          DISPLAY THE-MESSAGE. +          STOP RUN. +       +      *The above code will output: +      *STARTING PROGRAM +      *HELLO WORLD +       + +       +      ********COBOL can perform math*************** +      ADD 1 TO AGE GIVING NEW-AGE. +      SUBTRACT 1 FROM COUNT. +      DIVIDE VAR-1 INTO VAR-2 GIVING VAR-3. +      COMPUTE TOTAL-COUNT = COUNT1 PLUS COUNT2. +       +       +      *********PERFORM******************** +      *The PERFORM keyword allows you to jump to another specified section of the code, +      *and then to return to the next executable +      *statement once the specified section of code is completed.  +      *You must write the full word, PERFORM, you cannot abbreviate it. + +      IDENTIFICATION DIVISION. +      PROGRAM-ID. HELLOCOBOL. + +      PROCEDURE DIVISION. +         FIRST-PARA. +             DISPLAY 'THIS IS IN FIRST-PARA'. +         PERFORM THIRD-PARA THRU FOURTH-PARA. *>skip second-para and perfrom 3rd & 4th +         *> then after performing third and fourth, +         *> return here and continue the program until STOP RUN. +    +         SECOND-PARA. +             DISPLAY 'THIS IS IN SECOND-PARA'. +         STOP RUN. +    +         THIRD-PARA. +             DISPLAY 'THIS IS IN THIRD-PARA'. +    +         FOURTH-PARA. +             DISPLAY 'THIS IS IN FOURTH-PARA'. +    +    +      *When you compile and execute the above program, it produces the following result:  +          THIS IS IN FIRST-PARA +          THIS IS IN THIRD-PARA +          THIS IS IN FOURTH-PARA +          THIS IS IN SECOND-PARA +           +           +      **********Combining variables together using STRING *********** +       +      *Now it is time to learn about two related COBOL verbs: string and unstring. + +      *The string verb is used to concatenate, or put together, two or more stings. +      *Unstring is used, not surprisingly, to separate a          +      *string into two or more smaller strings.  +      *It is important that you remember to use ‘delimited by’ when you +      *are using string or unstring in your program.  + +      IDENTIFICATION DIVISION. +      PROGRAM-ID. LEARNING. +      ENVIRONMENT DIVISION. +      DATA DIVISION. +      WORKING-STORAGE SECTION. +      01 FULL-NAME PIC X(20). +      01 FIRST-NAME PIC X(13) VALUE "BOB GIBBERISH". +      01 LAST-NAME PIC X(5) VALUE "COBB". +      PROCEDURE DIVISION. +          STRING FIRST-NAME DELIMITED BY SPACE +            " " +            LAST-NAME DELIMITED BY SIZE +            INTO FULL-NAME +          END-STRING. +          DISPLAY "THE FULL NAME IS: "FULL-NAME. +      STOP RUN. + + +      *The above code will output: +      THE FULL NAME IS: BOB COBB + + +      *Let’s examine it to see why. + +      *First, we declared all of our variables, including the one that we are creating +      *by the string command, in the DATA DIVISION. + +      *The action takes place down in the PROCEDURE DIVISION.  +      *We start with the STRING keyword and end with END-STRING. In between we          +      *list what we want to combine together into the larger, master variable.  +      *Here, we are combining FIRST-NAME, a space, and LAST-NAME.  + +      *The DELIMITED BY phrase that follows FIRST-NAME and  +      *LAST-NAME tells the program how much of each variable we want to capture.  +      *DELIMITED BY SPACE tells the program to start at the beginning,  +      *and capture the variable until it runs into a space.  +      *DELIMITED BY SIZE tells the program to capture the full size of the variable.  +      *Since we have DELIMITED BY SPACE after FIRST-NAME, the GIBBERISH part is ignored.  + +      *To make this clearer, change line 10 in the above code to: + +      STRING FIRST-NAME DELIMITED BY SIZE + +      *and then re-run the program. This time the output is: + +      THE FULL NAME IS: BOB GIBBERISH COBB + + + + +  ``` diff --git a/de-de/processing-de.html.markdown b/de-de/processing-de.html.markdown new file mode 100644 index 00000000..42ae2233 --- /dev/null +++ b/de-de/processing-de.html.markdown @@ -0,0 +1,498 @@ +--- +language: processing +filename: learnprocessing.pde +contributors: +    - ["Phone Thant Ko", "http://github.com/phonethantko"] +    - ["Divay Prakash", "https://github.com/divayprakash"] +translators: +  - ["caminsha", "https://github.com/caminsha"] +filename: processing-de.md +lang: de-de +--- + +## Einführung + +Processing ist eine Programmiersprache, welche es ermöglicht, digitale Kunst +und multimediale Inhalte zu erstellen. Mit Processing können Personen ohne +Programmiererfahrung die Grundlagen der Computerprogrammierung in einem +visuellen Kontext erlernen. + +Obwohl Processing von Java beeinflusst wurde und auf Java basiert, ist die Syntax +sowohl von Java als auch Javascript beeinflusst worden. Weitere Informationen +sind [hier](https://processing.org/reference/) zu finden. + +Die Programmiersprache wird statisch programmiert und kommt mit einer eigenen +offiziellen IDE, damit die Programme kompiliert und ausgeführt werden können. + +``` +/* ------------ +   Mehrzeilige Kommentare werden so gemacht +*/ + +// Einzeilige Kommentare funktionieren so // + +/* +   Da Processing von Java abstammt, ist die Syntax für Kommentare gleich +   wie bei Java (wie du vielleicht oben bemerkt hast)! +   Mehrzeilige Kommentare werden wie hier umschloßen. +*/ + +/* ------------------------------------------------- +   Schreiben und Ausführen von Processing Programmen +   ------------------------------------------------- +*/ + +// In Processing ist der Startpunkt eines Programms die Funktion `setup()`  +// mit dem Rückgabetyp `void`. +// Beachte: Die Syntax ist derjenigen von C++ ziemlich ähnlich. +void setup() { +    // Dies gibt beim Ausführen "Hallo Welt!" auf der Konsole aus. +    println("Hallo Welt!"); // eine weitere Sprache mit einem Semikolon am Ende. +} + +// Normalerweise wird der Code für statische Elemente innerhalb der Methode  +// `setup()` geschrieben, da diese lediglich einmal ausgeführt wird. +// Dies kann zum Beispiel das Setzen der Hintergrundfarbe oder das Bestimmen +// der Canvas-Größe sein. +background(color); // Setze die Hintergrundfarbe  +size(width, height, [renderer]); // bestimme die Canvasgröße mit dem optionalen +                                 // Parameter `renderer`. +// Du wirst innerhalb dieses Dokuments noch weitere Parameter sehen. + +// Wenn du möchstest, dass Code unendlich oft ausgeführt wird, so muss dieser +// Code innerhalb der `draw()`-Methode stehen. +// `draw()` muss existieren, wenn du möchtest, dass das Programm durchgehend +// läuft. Die `draw()`-Methode darf nur einmal vorkommen. + +int i = 0; +void draw() { +    // Dieser Codeblock wird ausgeführt bis er gestoppt wird. +    print(i); +    i++; // Inkrement-Operator +} + +// Da wir nun wissen, wie man ein funktionierendes Skript erstellen kann und wie +// dieses ausgeführt wird, fahren wir mit den unterschiedlichen Datentypen und +// Collections weiter, welche in Processing unterstützt werden. + +/* ------------------------------------------------- +   Datentypen und Collections +   ------------------------------------------------- +*/ + +// Gemäß den Angaben in der Processingreferenz, unterstützt Processing die +// folgenden acht primitiven Datentypen: +boolean booleanValue = true; // Boolean +byte byteValueOfA = 23; // Byte +char charValueOfA = 'A'; // Char (einzelnes Zeichen) +color colorValueOfWhiteM = color(255, 255, 255); // Farben (angegeben durch die +                                                 // `color()`-Methode) +color colorValueOfWhiteH = #FFFFFF; // Farbe (angegeben mit der Hexadezimal- +                                    // schreibweise.) +int intValue = 5; // Integer (ganze Zahl) +long longValue = 2147483648L; // "L" wird hinzugefügt, um es als `long` zu  +                              // markieren. +float floatValue = 1.12345; // Float (32-Bit Gleitkommazahl) +double doubleValue = 1.12345D // Double (64-Bit Gleitkommazahl) + +//BEACHTE! +// Auch wenn es die Datentypen "long" und "double" gibt und auch funktionieren, +// verwenden Processing-Funktionen diese Datentypen nicht. Das bedeutet, dass +// diese zu "int" resp. "float" konvertiert werden müssen. +// Dies geschieht, indem man `(int)` oder `(float)` vor die Variable schreibt,  +// bevor diese einer Funktion übergeben werden. + +// Es gibt eine ganze Reiher zusammengesetzter Datentypen, welche in Processing +// gebraucht werden können. Um Zeit zu sparen, gehen wir in diesem Tutorial +// lediglich die wichtigsten durch. + +// String +// Während der Datentyp `char` einfache Anzührungszeichen (' ') braucht, haben +// Strings doppelte Anführungszeichen (" "). +String sampleString = "Hallo, Processing!"; +// Strings können auch durch ein Array von `char`s erstellt werden. +// Wir werden Arrays gleich anschauen. +char source = {'H', 'A', 'L', 'L', 'O'}; +String stringFromSource = new String(source); // HALLO +// Wie auch in Java können in Processing Strings auch zusammengefügt werden +// mit dem +-Operator. +print("Hallo " + "Welt!"); // => Hallo Welt! + + +// Arrays +// In Processing können Arrays jeden Datentypen beinhalten, sogar Objekte. +// Da Arrays ähnlich wie Objekte sind, müssen diese mit dem Schlüsselwort `new` +// erstellt werden. +int[] intArray = new int[5]; +int[] intArrayWithValues = {1, 2, 3} // Arrays können auch mit Daten gefüllt  +                                     // werden. +// ArrayList +// Die Funktionen einer ArrayList sind ähnlich wie die eines Arrays und können +// auch jegliche Datentypen beinhalten. Der einzige Unterschied zwischen Arrays +// und `ArrayList`s ist, dass eine `ArrayList` die Größe dynamisch anpassen kann,  +// da es eine Implementierung des "List" Interface in Java ist. +ArrayList<Integer> intArrayList = new ArrayList<Integer>(); + +// Objekte +// Da Processing auf Java basiert, unterstützt Processing die Objektorientierte +// Programmierung. Dies bedeutet, dass du grundsätzlich jegliche Datentypen +// selber erstellen kannst und diese nach deinen Bedürfnissen manipulieren kannst. +// Selbstverständlich muss eine Klasse definiert werden bevor du ein Objekt +// davon instanzieren kannst. +// Format: ClassName InstanceName +SomeRandomClass myObject // hier musst du das Objekt später instazieren +// Hier wird das Objekt direkt instanziert: +SomeRandomClass myObjectInstantiated = new SomeRandomClass();  + +// Processing hat noch weitere Collections (wie zum Beispiel Dictionaries und  +// Listen). Aus Einfachheitsgründen wird dies in diesem Tutorial weggelassen. + +/* ------------------------------------------------- +   Mathematik +   ------------------------------------------------- +*/ + +// Arithmetik +1 + 1 // => 2 +2 -1 // => 1 +2 * 3 // => 6 +3 / 2 // => 1 +3.0 / 2 // => 1.5 +3.0 % 2 // => 1.0 (Modulo) + +// Processing beinhaltet auch einige Funktionen, welche mathematische +// Operationen vereinfachen +float f = sq(3); // Quadrat => f = 9.0 +float p = pow(3, 3); // Potenz => p = 27.0 +int a = abs(-13); // Absolute Zahl => a = 13 +int r1 = round(3.1); // Runden => r1 = 3 +int r2 = round(3.7); // Runden => r2 = 4 +int sr = sqrt(25); // Quadratwurzel => sr = 5.0 + +// Vektoren +// Processing bietet eine einfache Möglichkeit an, mit Vektoren zu arbeiten mit +// der Klasse PVector. Die Klasse kann zwei- und dreidimensionale Vektoren  +// darstellen und bietet Methoden an, welche nützlich sein können für Matrizen- +// Operationen. Weitere Informationen findest du hier:  +// (https://processing.org/reference/PVector.html) + +// Trigonometrie +// Processing unterstützt auch trigonometrische Operationen mit Hilfe dieser +// Funktionen: `sin()`, `cos()`, `tan()`, `asin()`, `atan()`. Für die einfache +// Konvertierung gibt es außerdem noch die Funktionen `degrees()` und `radians()`. +// Die trigonometrischen Funktionen rechnen mit dem Winkelmaß Radian, wodurch +// die Gradzahlen zuerst konvertiert werden müssen. +float one = sin(PI/2); // => one = 1.0 +// Wie du vielleicht bemerkt hast, existieren einige Konstanten für trigo- +// metrische Operationen; `PI`, `HALF_PI`, `QUARTER_PI` und so weiter ... + +/* ------------------------------------------------- +   Kontrollstrukturen +   ------------------------------------------------- +*/ + +// Bedingte Anweisungen +// Bedinge Anweisungen werden gleich wie in Java geschrieben. +if (author.getAppearence().equals("hot")) { +    print("Narzissmus vom Feinsten!") +} else { +    // Du kannst hier weitere Bedingungen prüfen. +    print("Irgendetwas ist falsch hier!"); +} +// Für die `if`-Anweisungen gibt es auch eine Kurzschreibweise +// Dies sind sogenannte ternäre Operatoren. +int i = 3; +String value = (i > 5) ? "Groß" : "Klein"; // => "Klein" + +// Die Switch-Case-Anweisung kann verwendet werden, um mehrere Bedingungen +// zu prüfen. +// Wichtig ist, dass nach jeder Bedingung ein `break`-Statement verwendet wird,  +// sonst werden alle folgenden ausgeführt und es wird nicht mehr überprüft, ob +// die Bedingung wahr ist. +int value = 2; +switch(value) { +    case 0: +        print("Auf keinen Fall!"); // Dies wird nicht ausgeführt. +        break; // Geht zum nächsten Statement und prüft dieses +    case 1: +        print("Wir kommen näher..."); // Auch dies wird nicht ausgeführt +        break; +    case 2: +        print("Bravo!"); // Dies wird ausgeführt. +        break; +    default: +        print("Nicht gefunden."); // Diese Zeile wird ausgeführt, wenn keine +                                  // der anderen Operatoren wahr sind. +        break; +} + +// Wiederholungen +// For-Schleifen - Auch hier ist die Syntax wieder gleich wie in Java +for(int i = 0; i < 5; i++) { +    print(i); // Gibt die Zahlen 0 bis 4 aus. +} + +// While-Statements +int j = 3;  +while(j > 0) { +    print(j); +    j--; // Dies ist wichtig, dass der Code nicht unendlich lange läuft. +} + +// `loop()` | `noloop()` | `redraw()` | `exit()` +// Dies sind spezifische Funktionen, welche in Processing verwendet werden +// können, um den Programmablauf zu steuern. +loop(); // erlaubt es der `draw()`-Methode immer zu laufen, während +noloop(); // dies nur für einmal erlaubt. +redraw(); // führt die `draw()`-Methode noch einmal aus. +exit(); // Diese Methode stoppt das Programm. Dies kann nützlich sein, wenn die +        // Methode `draw()` immer läuft. +``` + +## Mit Processing zeichnen + +Da du nun die Grundsätze der Programmiersprache verstanden hast, schauen wir  +uns nun das Beste an Processing an - Das Zeichnen! + +``` + +/* ------------------------------------------------- +   Figuren +   ------------------------------------------------- +*/ + +// 2D-Figuren + +// Punkte +point(x,y); // im zweidimensionalen Raum +point(x, y, z); // im dreidimensionalen Raum +// Diese Befehle zeichnen einen Punkt an der Koordinate. + +// Linien +line(x1, y1, x2, y2); // im zweidimensionalen Raum +// Dies zeichnet eine Linie, welche durch die zwei Punkte (x1, y1) und (x2, y2) +// definiert wird. +line(x1, y1, z1, x2, y2, z2); // im dreidimensionalen Raum +// Analog wird hier eine Linie gezeichnet mit drei Punkten + +// Dreieck +triangle(x1, y1, x2, y2, x3, y3); +// Zeichnet ein Dreieck, welches als Eckpunkte die drei Koordinaten hat. + +// Rechteck +rect(a, b, c, d, [r]); // Mit dem optionalen Parameter kann der Winkel aller +                       // vier Ecken definiert werden +rect(a, b, c, d, [tl, tr, br, bl]); // Mit weiteren optionalen Parametern kann  +                                    // jeder Winkel des Rechtecks definiert werden. +// Dies zeichnet ein Quadrat mit der Koordinate {a, b} als linke obere Ecke +// die Parameter c und d sind für die Breite und Höhe. + +// Vierecke +quad(x, y, x2, y2, x3, y3, x4, y4);                                              +// Dies zeichnet ein Viereck, welches die einzelnen Koordinaten als Eckpunkte hat. + +// Ellipse +ellipse(x, y, width, height); +// Zeichnet eine Ellipse beim Punkt {x. y}. Die Breite und die Höhe werden durch  +// die Parameter width und height definiert. + +// Arc +arc(x, y, width, height, start, stop, [mode]); +// Die ersten vier Parameter sollten selbsterklärend sein. +// start und end definieren die Winkel, bei welchen `arc` starten resp. enden +// (in Radians) +// Der optionale Parameter `mode` definiert, ob der Kreisbogen gefüllt wird  +// oder nicht. +// Die möglichen Optionen für `mode` sind: PIE, CHORD und OPEN. + +// Kurven +// Processing bietet zwei mögliche Kurven an, welche verwendet werden können. +// Da es hier darum geht, dass es möglichst simpel ist, werden hier keine  +// weiteren Details genannt. Wenn du Kurven in deinem Programm verwenden möchtest, +// sind die folgenden Links empfehlenswert: +// https://processing.org/reference/curve_.html +// https://processing.org/reference/bezier_.html + + +// 3D-Figuren + +// Der dreidimensionale Raum kann aktiviert werden, indem man den Renderer- +// Parameter in der Methode `size()` zu "P3D" setzt. +size(width, height, P3D); +// Im dreidimensionalen Raum müssen die Koordinaten übersetzt werden, damit +// diese korrekt gerendert werden. + +// Box +box(size); // Würfel mit der Seitenlänge `size` +box(w, h, d); // Quader definiert durch Breite, Höhe und Tiefe + +// Kugel +sphere(radius); // Die Größe wird definiert durch den Parameter `radius` +// Der Mechanismus hinter dem Rendern von Kugeln wurde durch mosaikartige +// Dreiecke implementiert.  +// Mit der folgenden Funktion ist es möglich, zu bestimmen wie detailliert die +// Kugel gerendert wird. +// spereDetail(res); +// Weitere Informationen sind hier zu finden: (https://processing.org/reference/sphereDetail_.html) + +// Unregelmäßige Figuren +// Was ist, wenn du etwas zeichnen möchtest, was nicht durch Processing-Funktionen +// abgedeckt ist? +// Es ist möglich, die Funktionen `beginShape()`, `endShape()` und `vertex(x,y) +// zu verwenden. +// Weitere Informationen findest du hier: (https://processing.org/reference/beginShape_.html) +// Du kannst selber gemachte Formen auch verwenden mit der PShape-Klasse. +// Informationen zu PShape gibt es hier: (https://processing.org/reference/PShape.html) + +/* ------------------------------------------------- +   Transformationen +   ------------------------------------------------- +*/ + +// Tranformationen sind nützlich, um ständig zu wissen, wo die Koordinaten und +// die Ecken einer Form sind, welche du gezeichnet hast. Grundsätzlich sind dies +// Matrizenoperationen. `pushMatrix()`, `popMatrix()` und `translate()`. +pushMatrix(); // Speichert das aktuelle Koordinatensystem auf dem Stack +              // alle Transformationen werden hier angewendet. +popMatrix(); // Stellt das gespeicherte Koordinatensystem wieder her. +// Wenn du diese Funktionen verwendest, kann das Koordinatensystem gespeichert +// und visualisiert werden, ohne dass es Konflikte gibt. + +// Translate +translate(x,y); // Setzt den Ursprung zu diesem Punkt. +translate(x, y, z); // Pendant zu der oberen Funktion im dreidimensionalen Raum + +// Rotationen +rotate(angle); // Rotiere, um den Betrag, welcher spezifiert wurde. +// Es gibt drei Pendants im dreidimensionalen Raum.  +// Namentlich sind dies: `rotateX(angle)`, `rotateY(angle)` und `rotateZ(angle)` + +// Skalierung +scale(s); // Skaliert das Koordinatensystem (entweder erweitern oder verkleinern) + +/* ------------------------------------------------- +   Styling und Texturen +   ------------------------------------------------- +*/ + +// Farben +// Wie ich zuvor schon erklärt habe, kann die Hintergrundfarbe mit der Funktion +// `background()` definiert werden. Außerdem ist es möglich, dass man zuerst  +// eine Farbe definiert und diese erst danach der Funktion übergeben wird. +color c = color(255, 255, 255); // WEISS! +// Standardmäßig verwendet Processing das RGB-Farbschema, aber dies kann  +// zu HSB konfiguriert werden, indem die Funktion `colorMode()` verwendet wird. +// Weitere Informationen findest du hier: (https://processing.org/reference/colorMode_.html) +background(c); // Ab jetzt ist der Hintergrund in weiß. +// Du kannst die Funktion `fill()` verwenden, um die Farbe auszuwählen, mit +// welcher die Formen ausgefüllt werden.  +// Dies muss konfiguriert werden bevor Formen und Figuren gezeichnet werden. +fill(color(0, 0, 0)); +// Wenn du nur die Farbe der Umrandungen definieren möchtest, kannst du die  +// Funktion `stroke()` verwenden. +stroke(255, 255, 0, 200); // Linienfarbe wird zu gelb mit einer höheren +                          // Transparenz geändert. + +// Bilder +// Processing kann Bilder rendern und diese unterschiedlich verwenden. Die +// meisten Bilder sind im Datentyp `PImage` gespeichert. +filter(shader); // Processing unterstützt mehrere Filter-Funktionen, damit +                // Bilder verändert werden können. +texture(image); // PImage kann als Argument, weiteren Funktionen übergeben +                // werden, um die Figuren zu "Text" zu machen. +``` + +Wenn du weitere Dinge mit Processing kennenlernen willst, dann gibt es unzählige +Dinge, welche du mit Processing machen kannst. Das Rendern von Modellen, +Schattierungen und viele mehr. Für ein kurzes Tutorial bietet Processing zu viel, +daher verweise ich dich, falls du interessiert bist, auf die offizielle +Dokumentaion. + +``` +// Bevor wir weiterfahren, werde ich einige Aspekte zum Importieren von  +// Bibliotheken und Paketen sagen, damit du Processing erweitern kannst.. + +/* ------------------------------------------------- +   Import +   ------------------------------------------------- +*/ + +// Die Macht von Processing kann besser veranschaulicht werden, wenn wir  +// Bibliotheken und Pakete importieren. +// Die Import-Anweisung kann wie unten geschrieben zu Beginn des Quelltextes  +// geschrieben werden. +import processing.something.*; +```  + +## Beispielprogramm + +Lass uns ein Beispiel von openprocessing.org ansehen, welches verdeutlicht, +was man in Processing mit nur wenigen Zeilen Code machen kann. + +Kopiere den nachfolgenden Code in deine Processing IDE. + +``` +// Disclaimer: Ich habe das Porgramm nicht selbst geschriben. Diese Skizze +// stammt aus openprocessing, allerdings soll dieses Programm zeigen, wie wenig +// Zeilen Code notwendig sind, um etwas Cooles zu machen. +// Abgerufen von: (https://www.openprocessing.org/sketch/559769) + +float theta; +float a; +float col; +float num; + +void setup() { +  size(600,600); +} + +void draw() { +  background(#F2F2F2); +  translate(width/2, height/2); +  theta = map(sin(millis()/1000.0), -1, 1, 0, PI/6); + +  float num=6; +  for (int i=0; i<num; i++) { +    a =350; +    rotate(TWO_PI/num); +    branch(a); +  } +} + +void branch(float len) { +  col=map(len, 0, 90, 150, 255); +  fill(col, 0, 74); +  stroke (col, 0, 74); +  line(0, 0, 0, -len); +  ellipse(0, -len, 3, 3); +  len*=0.7; + +  if (len>30) { +    pushMatrix(); +    translate(0, -30); +    rotate(theta); +    branch(len); +    popMatrix(); + +    pushMatrix(); +    translate(0, -30); +    rotate(-theta); +    branch(len); +    popMatrix(); +  } +} +``` + +Processing ist einfach zu erlernen und ist vorallem nützlich, um Multimedia- +Inhalte (auch in 3D) zu erstellen ohne viel Code zu schreiben. Es ist so einfach +gehalten, dass man den Code durchlesen kann und man versteht den Programmablauf +bereits. + +Wenn du externe Bibliotheken, Pakete oder eigene Klassen einbindest, kann ein +Programm, welches mit Processing geschrieben wurde, durchaus auch kompliziert  +werden. + +## Einige nützliche Links + +- [Processing Webseite](http://processing.org) +- [Processing Sketches](http://openprocessing.org) diff --git a/elixir.html.markdown b/elixir.html.markdown index 0226ecaf..8b80c582 100644 --- a/elixir.html.markdown +++ b/elixir.html.markdown @@ -439,7 +439,7 @@ self() #=> #PID<0.27.0>  # Create an agent with `Agent.start_link`, passing in a function  # The initial state of the agent will be whatever that function returns -{ok, my_agent} = Agent.start_link(fn -> ["red", "green"] end) +{:ok, my_agent} = Agent.start_link(fn -> ["red", "green"] end)  # `Agent.get` takes an agent name and a `fn` that gets passed the current state  # Whatever that `fn` returns is what you'll get back diff --git a/fr-fr/elisp-fr.html.markdown b/fr-fr/elisp-fr.html.markdown index 2e0a9408..f9bf589c 100644 --- a/fr-fr/elisp-fr.html.markdown +++ b/fr-fr/elisp-fr.html.markdown @@ -328,9 +328,9 @@ lang: fr-fr      (other-window 1))  ;; Cette fonction introduit `re-search-forward' : au lieu de chercher -;; la chaîne "Bonjour", nous cherchons un "pattern" en utilisant une -;; "expression régulière" (le préfixe "re-" signifie "regular -;; expression"). +;; la chaîne "Bonjour", nous cherchons un motif ("pattern" en anglais) +;; en utilisant une "expression régulière" (le préfixe "re-" signifie +;; "regular expression").  ;; L'expression régulière est "Bonjour \\(.+\\)!" et se lit :  ;; la chaîne "Bonjour ", et @@ -343,7 +343,7 @@ lang: fr-fr  (boldify-names) -;; `add-text-properties' ajoute des propriétés textuelles telle que +;; `add-text-properties' ajoute des propriétés textuelles telles que  ;; des "faces" (une "face" définit la fonte, la couleur, la taille et  ;; d'autres propriétés du texte.) @@ -361,7 +361,7 @@ lang: fr-fr  ;; Pour lire en ligne une introduction à Emacs Lisp :  ;; https://www.gnu.org/software/emacs/manual/html_node/eintr/index.html -;; Merci à ces personnes pour leurs retours et suggetions : +;; Merci à ces personnes pour leurs retours et suggestions :  ;; - Wes Hardaker  ;; - notbob  ;; - Kevin Montuori diff --git a/fsharp.html.markdown b/fsharp.html.markdown index 064a9fdd..c140d6b1 100644 --- a/fsharp.html.markdown +++ b/fsharp.html.markdown @@ -633,6 +633,6 @@ module NetCompatibilityExamples =  ## More Information -For more demonstrations of F#, go to the [Try F#](http://www.tryfsharp.org/Learn) site, or my [why use F#](http://fsharpforfunandprofit.com/why-use-fsharp/) series. +For more demonstrations of F#, go to my [why use F#](http://fsharpforfunandprofit.com/why-use-fsharp/) series. -Read more about F# at [fsharp.org](http://fsharp.org/). +Read more about F# at [fsharp.org](http://fsharp.org/) and [dotnet's F# page](https://dotnet.microsoft.com/languages/fsharp). diff --git a/janet.html.markdown b/janet.html.markdown new file mode 100644 index 00000000..ec53b018 --- /dev/null +++ b/janet.html.markdown @@ -0,0 +1,328 @@ +--- +language: Janet +filename: learnJanet.janet +contributors: +    - ["John Gabriele", "http://www.unexpected-vortices.com/"] +--- + +[Janet](https://janet-lang.org/) is a Lisp-like (Clojure-like), +lexically-scoped, dynamically-typed, garbage-collected, C-based, high-level +language. The entire language (core library, interpreter, compiler, assembler, +PEG) is about 300-500 kB and should run on many constrained systems. + +I encourage you to try out the code snippets below in the Janet +repl (either by [installing Janet](https://janet-lang.org/docs/index.html), +or else by using the repl embedded in the Janet homepage). + +As we only have a scant *y* minutes, we'll survey the basics here and +leave the remaining details for the manual. So please, keep your arms and +legs inside the vehicle at all times, and on with the scenic tour! + +```janet +# A comment. + +# Some literal values. +true +false +nil + +# Typical style for symbols (identifiers-for / names-of things). +do-stuff +pants-on-fire! +foo->bar  # Evidently for converting foos to bars. +fully-charged? +_  # Usually used as a dummy variable. + +# Keywords are like symbols that start with a colon, are treated like +# constants, and are typically used as map keys or pieces of syntax in +# macros. +:a +:some-val + +# Numbers ##################################################################### +5 +1e3    # => 1000 +1_000  # => 1000 +2e-03  # => 0.002 +0xff   # => 255 + +# You can specify a radix (base) like so: +16rff   # => 255 (same as 0xff) +2r1101  # =>  13 + +# Some numbers in the math library: +math/pi  # => 3.14159 +math/e   # => 2.71828 + +# Strings ##################################################################### +"hello" +"hey\tthere"  # contains a tab + +# For multi-line strings, use one or more backticks. No escapes allowed. +``a long +multi-line +string``  # => "a long\nmulti-line\nstring" + +# Strings and data structures in Janet come in two varieties: mutable and +# immutable. The literal for the mutable variety is written with a `@` in +# front of it. + +# A mutable string (aka "buffer"). +@"this" +@`a multi-line +one here` + +(string "con" "cat" "enate")  # => "concatenate" + +# To get a substring: +(string/slice "abcdefgh" 2 5)  # => "cde" +# To find a substring: +(string/find "de" "abcdefgh")  # => 3 + +# See the string library for more (splitting, replacement, etc.) + +# Arrays and Tuples ########################################################### +# Arrays are mutable, tuples are immutable. + +# Arrays (mutable) +@(4 5 6) +@[4 5 6] + +# Tuples (immutable) +# Note that an open paren usually indicates a function call, so if you want a +# literal tuple with parens, you need to "quote" it (with a starting single +# quote mark). +'(4 5 6) +[4 5 6]  # ... or just use square brackets. + +# Tables and Structs (AKA: "maps", "hashmaps", "dictionaries") +@{:a 1 :b 2 :c 3}  # table  (mutable) +{:a 1 :b 2 :c 3}   # struct (immutable) + +# More about how to work with arrays/tuples and tables/structs below. + +# Bindings #################################################################### +# ... or "Name Some Things!" (that is, bind a value to a symbol) +(def x 4.7)  # Define a constant, `x`. +x            # => 4.7 +(quote x)    # => x (the symbol x) +'x           # => x (the symbol x (shorthand)) +(print x)    # prints 4.7 + +# Since we used `def`, can't change to what `x` refers: +(set x 5.6)  # Error, `x` is a constant. + +(var y 10) +(set y 12)  # Works, since `y` was made var. + +# Note that bindings are local to the scope they're called in. `let` +# creates a local scope and makes some bindings all in one shot: +(let [a 2 +      b 3] +  (print "Hello from inside this local scope.") +  (* a b))  # => 6 + +# Destructuring is supported, both for arrays/tuples ... +(def a ["foos" "bars" "moos"]) +(let [[s1 _ s2] a] +  (print s1 s2))  # foosmoos + +# ... and for tables/structs. +(def t {:a "ayy" :b "bee" :c "sea"}) +(let [{:a a :b b} t] +  (print a b))  # ayybee + +# You can even destructure right in a `def`: +(def [aa1 aa2] a) +aa1  # => foos +aa2  # => bars + +(def {:c body-of-water :b insect-friend} t) +body-of-water  # => sea +insect-friend  # => bee + +# Note that keywords evaluate to themselves, whereas symbols evaluate +# to whatever value they're bound to (unless you quote them). + +# Operators ################################################################### +# Janet supports the usual ensemble of operators. +# +, -, *, /, and so on. Note: +(/ 5 3)  # =>  1.66667 +(% 5 3)  # =>  2 (remainder) +(- 5)    # => -5 (or you can just write `-5`) + +(++ i)    # increments +(-- i)    # decrements +(+= i 3)  # add 3 to `i` +(*= i 3)  # triple `i` +# ... and so on for the other operations on numbers. + +# Comparison +# =  <  >  not=  <=  >= +(< 2 7 12)  # => true + +# Functions ################################################################### +# Call them: +(- 5 3)  # => 2 (Yes, operators and functions work the same.) +(math/sin (/ math/pi 2))  # => 1 +(range 5)  # => @[0 1 2 3 4] + +# Create them: +(defn mult-by-2 +  ``First line of docstring. + +  Some more of the docstring. + +  Possibly more!`` +  [x] +  (print "Hi.") +  (print "Will compute using: " x) +  (* 2 x)) + +(print (mult-by-2 6))  # => 12 (after printing "Hi" and so forth) + +# If you have a function named "main" in your file, `janet` will automatically +# call it for you when you run the file. + +# Interactively read a function's docs from within the repl: +(doc mult-by-2) + +# Note, functions have to be defined before they can be used in a function, +# so if you design top-down, you'll need to write your functions from the +# bottom of the file up. + +# You can make anonymous functions as well: +(fn [x] (+ x x)) +(fn my-func [x] (+ x x))  # This one's less anonymous. + +# Use `do` to make some side-effecting calls and then evaluate to +# the last form in the `do`: +(def n (do +         (print "hi") +         (do-some-side-effecting 42) +         3)) +n  # => 3 + +# You might say that function bodies provide an "implicit do". + +# Operations on data structures ############################################### +# (Making all these mutable so we can ... mutate them.) +(def s @"Hello, World!") +(def a @[:a :b :c :d :e]) +(def t @{:a 1 :b 2}) + +(length s)  # => 13 +(length a)  # =>  5 +(length t)  # =>  2 + +# Getting values: +(s 7)   # => 87 (which is the code point for "W") +(a 1)   # => :b +(t :a)  # => 1 +(keys t)    # => @[:a :b] +(values t)  # => @[1 2] + +# Changing values (for mutable data structures): +(put s 2 87)   # @"HeWlo, World!" +(put a 2 :x)   # @[:a :b :x :d :e] +(put t :b 42)  # @{:a 1 :b 42} + +# Adding & removing values (again, for mutable data structures): +(buffer/push-string s "??")  # @"HeWlo, World!??" +(array/push a :f)  # @[:a :b :x :d :e :f] +(array/pop a)      # => :f, and it's also removed from `a`. +(put t :x 88)      # @{:a 1 :b 42 :x 88} + +# See the manual for a wide variety of functions for working with +# buffers/strings, arrays/tuples, and tables/struct. + +# Flow control ################################################################ +(if some-condition +  42 +  38) + +# Only `nil` and `false` are falsey. Everything else is truthy. + +(if got-it? +  71)  # No false-branch value. Returns `nil` if `got-it?` is falsey. + +(var i 10) +(while (pos? i) +  (print "... " i) +  (-- i)) +# Now `i` is 0. + +# `case` compares the dispatch value to each of the options. +(var x 2) +(case x +  1 "won" +  2 "too" +  3 "tree" +  "unknown")  # => "too" + +# `cond` evaluates conditions until it gets a `true`. +(set x 8) +(cond +  (= x 1) "won" +  (= x 2) "too" +  (< x 10) "tree" +  "oof!")  # => "tree" + +(when (avoided-wipeout?) +  (do-side-effecty-thing 88) +  (smell-the-roses) +  (paint-fencepost-error)) + +# Pattern matching. +# `match` is like a high-powered switch expression. If you switch on a data +# structure, it can look inside to try and match on its contents. For example, +# matching on a table or struct: +(def t {:a 1 :b 2 :c 3}) +(match t +  {:yar v} (print "matches key :yar! " v) +  {:moo v} (print "matches key :moo! " v) +  {:c   v} (print "matches key :c! "   v) +  _ (print "no match"))  # => prints "matches key :c! 3" + +# Iterating ################################################################### +# Iterate over an integer range: +(for i 0 5 +  (print i))  # prints 0, 1, 2, 3, 4 + +# There's also the more general `loop`: +(loop [i :range [0 10] :when (even? i)] +  (print i)) + +# Loop over an array/tuple: +(def words ["foo" "bar" "baz"]) +(each word words +  (print word)) + +# Loop over a table/struct: +(def t {:a 1 :b 2}) +(eachp [k v] t  # Loop over each pair in `t`. +  (print k " --> " v)) + +# Can also use `eachk` to loop over keys in a table or struct. + +# Functional programming ###################################################### +# You'll find many familiar old friends here. +(filter even? +        (map (fn [x] +               (* x x)) +             (range 10)))  # => @[0 4 16 36 64] + +(reduce + 0 (range 5))  # => 10 + +# ...and lots more (see the API docs). + +# Errata ###################################################################### +(type a)                # => the type of `a` (as a keyword) +(describe a)            # => a human-readable description of `a` +(string/format "%j" a)  # => Janet values, nicely-formatted +``` + +This tour didn't cover a number of other features such as modules, fibers, +PEGs, macros, etc., but should give you a taste of what Janet is like. See +the [Janet manual](https://janet-lang.org/docs/index.html) and the [Janet API +docs](https://janet-lang.org/api/index.html) for more info. diff --git a/jsonnet.html.markdown b/jsonnet.html.markdown index 175642d4..9fe4edbe 100644 --- a/jsonnet.html.markdown +++ b/jsonnet.html.markdown @@ -16,7 +16,7 @@ click [here](https://jsonnet.org/learning/tutorial.html)      multiline comment  */ -// as well as python style comment +# as well as python style comment  # define a variable.  # Variables have no effect in the generated JSON without being used. diff --git a/lbstanza.html.markdown b/lbstanza.html.markdown new file mode 100644 index 00000000..19dc7db7 --- /dev/null +++ b/lbstanza.html.markdown @@ -0,0 +1,282 @@ +--- +language: LB Stanza +filename: learn-stanza.stanza +contributors:  +  - ["Mike Hilgendorf", "https://github.com/m-hilgendorf"] +--- + +LB Stanza (or Stanza for short) is a new optionally-typed general purpose programming language from the University of California, Berkeley. Stanza was designed to help programmers tackle the complexity of architecting large programs and significantly increase the productivity of application programmers across the entire software development life cycle. + + +```stanza +; this is a comment  +;<A> +This is a block comment  +    ;<B>  +        block comments can be nested with optional tags.  +    ;<B> +;<A> +defpackage learn-stanza-in-y:  +  import core  +  import collections  + +;============================================================================== +; The basics, things you'd find in most programming languages +;============================================================================== + + +; Variables can be mutable (var) or immutable (val) +val immutable = "this string can't be changed" +var mutable = "this one can be"  +mutable = "like this" + +; The basic data types (annotations are optional)  +val an-int: Int = 12345 +val a-long: Long = 12345L +val a-float: Float = 1.2345f +val a-double: Double = 3.14159 +val a-string: String = "this is a string" +val a-multiline-string = \<tag> +    this is a "raw" string literal  +\<tag> + +; Print a formatted string with println and "..." % [...] +println("this is a formatted string %_ %_" % [mutable, immutable]) + +; Stanza is optionally typed, and has a ? (any) type.  +var anything:? = 0 +anything = 3.14159 +anything = "a string" + +; Stanza has basic collections like Tuples, Arrays, Vectors and HashTables +val tuple: Tuple<?> = [mutable, immutable] + +val array = Array<?>(3) +array[0] = "string" +array[1] = 1 +array[2] = 1.23455 +; array[3] = "out-of-bounds" ; arrays are bounds-checked  + +val vector = Vector<?>() +vector[0] = "string" +vector[1] = 1 +vector[2] = 3.14159 + +val hash-table = HashTable<String, ?>() +hash-table["0"] = 0 +hash-table["1"] = 1  +hash-table["2"] = 1  + + +;============================================================================== +; Functions +;============================================================================== +; Functions are declared with the `defn` keyword  +defn my-function (arg:?) : ; note the space between identifier and arg list +  println("called my-function with %_" % [arg]) + +my-function("arg")  ; note the lack of a space to call the function + +; Functions can be declared inside another function and capture variables from +; the surrounding environment. +defn outer (arg):  +  defn inner ():  +    println("outer had arg: %_" % [arg]) +  inner() + +outer("something") + +; functions are "first-class" in stanza, meaning you can assign variables  +; to functions and pass functions as arguments to other functions.  +val a-function = outer  +defn do-n-times (arg, func, n:Int):  +  for i in 0 to n do :  +    func(arg) +do-n-times("argument", a-function, 3) + +; sometimes you want to define a function inline, or use an anonymous function. +; for this you can use the syntax:  +;   fn (args):  +;       ...  +do-n-times("hello", fn (arg): println(arg), 2) + +; there is a shorthand for writing anonymous functions +do-n-times("hello", { println(_) }, 2) + +; the short hand works for multiple arguments as well.  +val multi-lambda = { println(_ + 2 * _) } +multi-lambda(1, 2) + +;============================================================================== +; User defined types +;============================================================================== +; Structs are declared with the `defstruct` keyword +defstruct MyStruct:  +  field + +; constructors are derived automatically +val my-struct = MyStruct("field:value") + +; fields are accessed using function-call syntax +println(field(my-struct)) + +; Stanza supports subtyping with a "multimethod" system based on method  +; overloading. +deftype MyType +defmulti a-method (m:MyType) + +defstruct Foo <: MyType +defstruct Bar <: MyType +defmethod a-method (a-foo: Foo): +  println("called a-method on a Foo") + +defmethod a-method (a-foo: Bar): +  println("called a-method on a Bar") + +;============================================================================== +; The Type System +;============================================================================== +; True and Falseare types with a single value.  +val a-true: True = true  +val a-false: False = false  + +; You can declare a union type, or a value that is one of a set of types  +val a-boolean: True|False = true  +val another-boolean: True|False = false  + +; You can pattern match on types  +match(a-boolean): +  (t:True): println("is true") +  (f:False): println("is false") + +; You can match against a single possible type +match(a-boolean:True): +  println("is still true") +else:  +  println("is not true") + +; You can compose program logic around the type of a variable +if anything is Float : +  println("anything is a float") +else if anything is-not String :  +  println("anything is not an int") +else :  +  println("I don't know what anything is") + +;============================================================================== +; Control Flow  +;============================================================================== +; stanza has the standard basic control flow  +val condition = [false, false] +if condition[0] :  +  ; do something  +  false  +else if condition[1] :  +  ; do another thing +  false  +else : +  ; whatever else +  false + +; there is also a switch statement, which can be used to pattern match +; on values (as opposed to types) +switch(anything): +  "this": false  +  "that": false  +  "the-other-thing": false  +  else: false  + +; for and while loops are supported +while condition[0]:  +  println("do stuff") + +for i in 0 to 10 do:   +  vector[i] = i + +; stanza also supports named labels which can functin as break or return  +; statements +defn another-fn ():  +  label<False> return: +    label<False> break: +      while true:  +        if condition[0] is False:  +            break(false)  +    return(false) + +; For a comprehensive guide on Stanza's advanced control flow, check out  +; this page: http://lbstanza.org/chapter9.html from Stanza-by-Example + +;============================================================================== +; Sequences  +;============================================================================== +; for "loops" are sugar for a more powerful syntax.  +val xs = [1, 2, 3]  +val ys = ['a', 'b', 'c'] +val zs = ["foo", "bar", "baz"] + +for (x in xs, y in ys, z in zs) do :  +  println("x:%_, y:%_, z:%_" % [x, y, z]) + + +;xs, ys, and zs are all "Seqable" meaing they are Seq types (sequences).  +; the `do` identifier is a special function that just applies the body of +; the for loop to each element of the sequence. +;  +; A common sequence task is concatenating sequences. This is accomplished  +; using the `seq-cat` function. This is analogous to "flattening" iterateors +val concat = to-tuple $  +  for sequence in [xs, ys, zs] seq-cat:  +    sequence + +; we can also use a variation to interleave the elements of multiple sequences +val interleaved = to-tuple $  +  for (x in xs, y in ys, z in zs) seq-cat :  +    [x, y, z] + +println("[%,] [%,]" % [concat, interleaved]) + +; Another common task is mapping a sequence to another, for example multiplying +; all the elements of a list of numbers by a constant. To do this we use `seq`.  +var numbers = [1.0, 2.0, 3.0, 4.0]  +numbers = to-tuple $  +  for n in numbers seq :  +    2.0 * n  +println("%," % [numbers]) + +if find({_ == 2.0}, numbers) is-not False :  +  println("found it!") + +; or maybe we just want to know if there's something in a sequence  +var is-there =  +  for n in numbers any? : +    n == 2.0  + +; since this is "syntactic sugar" we can write it explicitly using an  +; anonymous function +is-there = any?({_ == 2.0}, numbers) + +; a detailed reference of the sequence library and various adaptors can  +; be found here: http://lbstanza.org/reference.html#anchor439 + + +========================================================================= +; Documentation  +;========================================================================= +; +; Top level statements can be prefixed with the "doc" field which takes  +; a string value and is used to autogenerate documentation for the package.  +doc: \<doc> +    # Document Strings  + +    ```stanza +    val you-can = "include code snippets, too"  +    ``` + +    To render documentation as markdown (compatible with mdbook) + +    ```bash  +    stanza doc source.stanza -o docs  +    ``` +\<doc> +defn docfn () : false  +```
\ No newline at end of file diff --git a/nim.html.markdown b/nim.html.markdown index 1e17d8f0..9730e579 100644 --- a/nim.html.markdown +++ b/nim.html.markdown @@ -28,7 +28,7 @@ Or for unparsable, broken code  var                     # Declare (and assign) variables,    letter: char = 'n'    # with or without type annotations    lang = "N" & "im" -  nLength : int = len(lang) +  nLength: int = len(lang)    boat: float    truth: bool = false diff --git a/opencv.html.markdown b/opencv.html.markdown index f8763b35..d1f7ec51 100644 --- a/opencv.html.markdown +++ b/opencv.html.markdown @@ -14,9 +14,9 @@ Opencv currently supports wide variety of languages like, C++, Python, Java etc  #### Installation  Please refer to these articles for installation of OpenCV on your computer. -* Windows Installation Instructions: [https://opencv-python-tutroals.readthedocs.io/en/latest/py_tutorials/py_setup/py_setup_in_windows/py_setup_in_windows.html#install-opencv-python-in-windows]() -* Mac Installation Instructions (High Sierra): [https://medium.com/@nuwanprabhath/installing-opencv-in-macos-high-sierra-for-python-3-89c79f0a246a]() -* Linux Installation Instructions (Ubuntu 18.04): [https://www.pyimagesearch.com/2018/05/28/ubuntu-18-04-how-to-install-opencv]() +* Windows Installation Instructions: [https://opencv-python-tutroals.readthedocs.io/en/latest/py_tutorials/py_setup/py_setup_in_windows/py_setup_in_windows.html#install-opencv-python-in-windows](https://opencv-python-tutroals.readthedocs.io/en/latest/py_tutorials/py_setup/py_setup_in_windows/py_setup_in_windows.html#install-opencv-python-in-windows) +* Mac Installation Instructions (High Sierra): [https://medium.com/@nuwanprabhath/installing-opencv-in-macos-high-sierra-for-python-3-89c79f0a246a](https://medium.com/@nuwanprabhath/installing-opencv-in-macos-high-sierra-for-python-3-89c79f0a246a) +* Linux Installation Instructions (Ubuntu 18.04): [https://www.pyimagesearch.com/2018/05/28/ubuntu-18-04-how-to-install-opencv](https://www.pyimagesearch.com/2018/05/28/ubuntu-18-04-how-to-install-opencv)  ### Here we will be focusing on python implementation of OpenCV @@ -133,12 +133,12 @@ cv2.destroyAllWindows()  ### Further Reading: -* Download Cascade from [https://github.com/opencv/opencv/blob/master/data/haarcascades]() -* OpenCV drawing Functions [https://docs.opencv.org/2.4/modules/core/doc/drawing_functions.html]() -* An up-to-date language reference can be found at [https://opencv.org]() -* Additional resources may be found at [https://en.wikipedia.org/wiki/OpenCV]() +* Download Cascade from [https://github.com/opencv/opencv/blob/master/data/haarcascades](https://github.com/opencv/opencv/blob/master/data/haarcascades) +* OpenCV drawing Functions [https://docs.opencv.org/2.4/modules/core/doc/drawing_functions.html](https://docs.opencv.org/2.4/modules/core/doc/drawing_functions.html) +* An up-to-date language reference can be found at [https://opencv.org](https://opencv.org) +* Additional resources may be found at [https://en.wikipedia.org/wiki/OpenCV](https://en.wikipedia.org/wiki/OpenCV)  * Good OpenCv Tutorials -    * [https://opencv-python-tutroals.readthedocs.io/en/latest/py_tutorials/py_tutorials.html]() -    * [https://realpython.com/python-opencv-color-spaces]() -    * [https://pyimagesearch.com]() -    * [https://www.learnopencv.com]() +    * [https://opencv-python-tutroals.readthedocs.io/en/latest/py_tutorials/py_tutorials.html](https://opencv-python-tutroals.readthedocs.io/en/latest/py_tutorials/py_tutorials.html) +    * [https://realpython.com/python-opencv-color-spaces](https://realpython.com/python-opencv-color-spaces) +    * [https://pyimagesearch.com](https://pyimagesearch.com) +    * [https://www.learnopencv.com](https://www.learnopencv.com) diff --git a/pt-br/sass-pt.html.markdown b/pt-br/sass-pt.html.markdown index 3d91f1ca..28df3c59 100644 --- a/pt-br/sass-pt.html.markdown +++ b/pt-br/sass-pt.html.markdown @@ -56,19 +56,19 @@ body {  } -/ * Este é muito mais fácil de manter do que ter de mudar a cor -cada vez que aparece em toda a sua folha de estilo. * / +/* Este é muito mais fácil de manter do que ter de mudar a cor +cada vez que aparece em toda a sua folha de estilo. */ -/*Mixins +/* Mixins  ==============================*/ -/* Se você achar que você está escrevendo o mesmo código para mais de um -elemento, você pode querer armazenar esse código em um mixin. +/* Se você achar que está escrevendo o mesmo código para mais de um +elemento, você pode armazenar esse código em um mixin.  Use a diretiva '@mixin', além de um nome para o seu mixin. */ @@ -87,7 +87,7 @@ div {  	background-color: $primary-color;  } -/* Apoś compilar ficaria assim: */ +/* Após compilar ficaria assim: */  div {  	display: block;  	margin-left: auto; @@ -128,7 +128,7 @@ div { -/*Funções +/* Funções  ==============================*/ @@ -138,6 +138,7 @@ div {  /* Funções pode ser chamado usando seu nome e passando o      argumentos necessários */ +      body {    width: round(10.25px);  } @@ -156,14 +157,14 @@ body {    background-color: rgba(0, 0, 0, 0.75);  } -/* Você também pode definir suas próprias funções. As funções são muito semelhantes aos -   mixins. Ao tentar escolher entre uma função ou um mixin, lembre- -   que mixins são os melhores para gerar CSS enquanto as funções são melhores para -   lógica que pode ser usado em todo o seu código Sass. Os exemplos -   seção Operadores Math 'são candidatos ideais para se tornar um reutilizável -   função. */ +/* Você também pode definir suas próprias funções. As funções são muito semelhantes  +   aos mixins. Ao tentar escolher entre uma função ou um mixin, lembre +   que mixins são os melhores para gerar CSS enquanto as funções são melhores para +   lógica que pode ser usado em todo o seu código Sass. Os exemplos na  +   seção "Operações Math" são candidatos ideais para se tornar um função  +   reutilizável. */ -/* Esta função terá um tamanho de destino eo tamanho do pai e calcular +/* Esta função terá um tamanho de destino e o tamanho do pai (parent), calcular     e voltar a percentagem */  @function calculate-percentage($target-size, $parent-size) { @@ -220,21 +221,21 @@ $main-content: calculate-percentage(600px, 960px);    border-color: #22df56;  } -/* Ampliando uma declaração CSS é preferível a criação de um mixin -   por causa da maneira agrupa as classes que todos compartilham +/* Ao ampliar uma declaração CSS é preferível a criação de um mixin, +   por causa da maneira em que agrupa as classes com todos que compartilham     o mesmo estilo base. Se isso for feito com um mixin, a largura,     altura, e a borda seria duplicado para cada instrução que     o chamado mixin. Enquanto isso não irá afetar o seu fluxo de trabalho, será -   adicionar inchaço desnecessário para os arquivos criados pelo compilador Sass. */ +   adicionado inchaço desnecessário para os arquivos criados pelo compilador Sass. */ -/*Assentamento +/* Assentamento  ==============================*/ -/ * Sass permite seletores ninhos dentro seletores * / +/* Sass permite seletores ninhos dentro seletores */  ul {  	list-style-type: none; @@ -245,7 +246,7 @@ ul {  	}  } -/* '&' será substituído pelo selector pai. */ +/* '&' será substituído pelo selector pai (parent). */  /* Você também pode aninhar pseudo-classes. */  /* Tenha em mente que o excesso de nidificação vai fazer seu código menos sustentável.  Essas práticas também recomendam não vai mais de 3 níveis de profundidade quando nidificação. @@ -290,7 +291,7 @@ ul li a { -/*Parciais e Importações +/* Parciais e Importações  ==============================*/ @@ -313,7 +314,7 @@ ol {  /* Sass oferece @import que pode ser usado para importar parciais em um arquivo.     Isso difere da declaração CSS @import tradicional, que faz     outra solicitação HTTP para buscar o arquivo importado. Sass converte os -   importadas arquivo e combina com o código compilado. */ +   arquivo importados e combina com o código compilado. */  @import 'reset'; @@ -322,7 +323,7 @@ body {    font-family: Helvetica, Arial, Sans-serif;  } -/* Compiles to: */ +/* Compila para: */  html, body, ul, ol {    margin: 0; @@ -336,14 +337,14 @@ body { -/*Placeholder Selectors +/* Placeholder Selectors  ==============================*/   -/* Os espaços reservados são úteis na criação de uma declaração CSS para ampliar. Se você -   queria criar uma instrução CSS que foi usado exclusivamente com @extend, -   Você pode fazer isso usando um espaço reservado. Espaços reservados começar com um '%' em vez -   de '.' ou '#'. Espaços reservados não aparece no CSS compilado. * / +/* Os Placeholders são úteis na criação de uma declaração CSS para ampliar. Se você +   deseja criar uma instrução CSS que foi usado exclusivamente com @extend, +   você pode fazer isso usando um Placeholder. Placeholder começar com um '%' em vez +   de '.' ou '#'. Placeholder não aparece no CSS compilado. */  %content-window {    font-size: 14px; @@ -372,14 +373,14 @@ body { -/*Operações Math -============================== * / +/* Operações Math +============================== */  /* Sass fornece os seguintes operadores: +, -, *, /, e %. estes podem -   ser úteis para calcular os valores diretamente no seu Sass arquivos em vez -   de usar valores que você já calculados pela mão. Abaixo está um exemplo -   de uma criação de um projeto simples de duas colunas. * / +   ser úteis para calcular os valores diretamente no seu arquivos Sass em vez +   de usar valores que você já calculados manualmente. O exemplo abaixo é +   de um projeto simples de duas colunas. */  $content-area: 960px;  $main-content: 600px; diff --git a/python.html.markdown b/python.html.markdown index 44ed7ed9..27b2b22a 100644 --- a/python.html.markdown +++ b/python.html.markdown @@ -186,7 +186,7 @@ some_unknown_var  # Raises a NameError  # if can be used as an expression  # Equivalent of C's '?:' ternary operator -"yahoo!" if 3 > 2 else 2  # => "yahoo!" +"yay!" if 0 > 1 else "nay!"  # => "nay!"  # Lists store sequences  li = [] diff --git a/qsharp.html.markdown b/qsharp.html.markdown new file mode 100644 index 00000000..b256043c --- /dev/null +++ b/qsharp.html.markdown @@ -0,0 +1,204 @@ +--- +language: Q# +contributors: +    - ["Vincent van Wingerden", "https://github.com/vivanwin"] +    - ["Mariia Mykhailova", "https://github.com/tcNickolas"] +    - ["Andrew Ryan Davis", "https://github.com/AndrewDavis1191"] +filename: LearnQSharp.qs +--- + +Q# is a high-level domain-specific language which enables developers to write quantum algorithms. Q# programs can be executed on a quantum simulator running on a classical computer and (in future) on quantum computers. + +```C# +// Single-line comments start with // + + +///////////////////////////////////// +// 1. Quantum data types and operators + +// The most important part of quantum programs is qubits.  +// In Q# type Qubit represents the qubits which can be used. +// This will allocate an array of two new qubits as the variable qs. +using (qs = Qubit[2]) { + +    // The qubits have internal state that you cannot access to read or modify directly. +    // You can inspect the current state of your quantum program  +    // if you're running it on a classical simulator. +    // Note that this will not work on actual quantum hardware! +    DumpMachine(); + +    // If you want to change the state of a qubit +    // you have to do this by applying quantum gates to the qubit. +    H(q[0]);    // This changes the state of the first qubit  +                // from |0⟩ (the initial state of allocated qubits)  +                // to (|0⟩ + |1⟩) / sqrt(2). +    // q[1] = |1⟩; - this does NOT work, you have to manipulate a qubit by using gates. + +    // You can apply multi-qubit gates to several qubits. +    CNOT(qs[0], qs[1]); + +    // You can also apply a controlled version of a gate:  +    // a gate that is applied if all control qubits are in |1⟩ state. +    // The first argument is an array of control qubits,  +    // the second argument is the target qubit. +    Controlled Y([qs[0]], qs[1]);  + +    // If you want to apply an anti-controlled gate  +    // (a gate that is applied if all control qubits are in |0⟩ state),  +    // you can use a library function. +    ApplyControlledOnInt(0, X, [qs[0]], qs[1]); + +    // To read the information from the quantum system, you use measurements. +    // Measurements return a value of Result data type: Zero or One. +    // You can print measurement results as a classical value. +    Message($"Measured {M(qs[0])}, {M(qs[1])}"); +} + + +///////////////////////////////////// +// 2. Classical data types and operators + +// Numbers in Q# can be stored in Int, BigInt or Double. +let i = 1;            // This defines an Int variable i equal to 1 +let bi = 1L;          // This defines a BigInt variable bi equal to 1 +let d = 1.0;          // This defines a Double variable d equal to 1 + +// Arithmetic is done as expected, as long as the types are the same +let n = 2 * 10;                // = 20 +// Q# does not have implicit type cast,  +// so to perform arithmetic on values of different types,  +// you need to cast type explicitly +let nd = IntAsDouble(2) * 1.0; // = 20.0 + +// Boolean type is called Bool +let trueBool = true; +let falseBool = false; + +// Logic operators work as expected +let andBool = true and false; +let orBool = true or false; +let notBool = not false; + +// Strings +let str = "Hello World!"; + +// Equality is == +let x = 10 == 15; // is false + +// Range is a sequence of integers and can be defined like: start..step..stop +let xi = 1..2..7; // Gives the sequence 1,3,5,7 + +// Assigning new value to a variable: +// by default all Q# variables are immutable; +// if the variable was defined using let, you cannot reassign its value. + +// When you want to make a variable mutable, you have to declare it as such,  +// and use the set word to update value +mutable xii = true; +set xii = false; + +// You can create an array for any data type like this +let xiii = new Double[10]; + +// Getting an element from an array  +let xiv = xiii[8]; + +// Assigning a new value to an array element +mutable xv = new Double[10]; +set xv w/= 5 <- 1; + + +///////////////////////////////////// +// 3. Control flow + +// If structures work a little different than most languages +if (a == 1) { +    // ... +} elif (a == 2) { +    // ...  +} else { +    // ... +} + +// Foreach loops can be used to iterate over an array +for (qubit in qubits) { +    X(qubit); +} + +// Regular for loops can be used to iterate over a range of numbers +for (index in 0 .. Length(qubits) - 1) { +    X(qubits[index]); +} + +// While loops are restricted for use in classical context only +mutable index = 0; +while (index < 10) { +    set index += 1; +} + +// Quantum equivalent of a while loop is a repeat-until-success loop. +// Because of the probabilistic nature of quantum computing sometimes +// you want to repeat a certain sequence of operations  +// until a specific condition is achieved; you can use this loop to express this. +repeat { +    // Your operation here +} +until (success criteria) // This could be a measurement to check if the state is reached +fixup { +    // Resetting to the initial conditions, if required +} + + +///////////////////////////////////// +// 4. Putting it all together + +// Q# code is written in operations and functions +operation ApplyXGate(source : Qubit) : Unit { +    X(source); +} + +// If the operation implements a unitary transformation, you can define  +// adjoint and controlled variants of it.  +// The easiest way to do that is to add "is Adj + Ctl" after Unit.  +// This will tell the compiler to generate the variants automatically. +operation ApplyXGateCA (source : Qubit) : Unit is Adj + Ctl { +    X(source); +} + +// Now you can call Adjoint ApplyXGateCA and Controlled ApplyXGateCA. + + +// To run Q# code, you can put @EntryPoint() before the operation you want to run first +@EntryPoint() +operation XGateDemo() : Unit { +    using (q = Qubit()) { +        ApplyXGate(q); +    } +} + +// Here is a simple example: a quantum random number generator.  +// We will generate a classical array of random bits using quantum code. +@EntryPoint() +operation QRNGDemo() : Unit { +    mutable bits = new Int[5];                // Array we'll use to store bits +    using (q = Qubit()) {                     // Allocate a qubit +        for (i in 0 .. 4) {                   // Generate each bit independently +            H(q);                             // Hadamard gate sets equal superposition +            let result = M(q);                // Measure qubit gets 0|1 with 50/50 prob +            let bit = result == Zero ? 0 | 1; // Convert measurement result to integer +            set bits w/= i <- bit;            // Write generated bit to an array +        } +    } +    Message($"{bits}");                       // Print the result +} +``` + + +## Further Reading + +The [Quantum Katas][1] offer great self-paced tutorials and programming exercises to learn quantum computing and Q#.  + +[Q# Documentation][2] is official Q# documentation, including language reference and user guides. + +[1]: https://github.com/microsoft/QuantumKatas +[2]: https://docs.microsoft.com/quantum/ diff --git a/red.html.markdown b/red.html.markdown index 74538bd7..34c4bcd9 100644 --- a/red.html.markdown +++ b/red.html.markdown @@ -216,7 +216,7 @@ The Red/System language specification can be found [here](http://static.red-lang  To learn more about Rebol and Red join the [chat on Gitter](https://gitter.im/red/red). And if that is not working for you drop a mail to us on the [Red mailing list](mailto: red-langNO_SPAM@googlegroups.com) (remove NO_SPAM). -Browse or ask questions on [Stack Overflow](stackoverflow.com/questions/tagged/red). +Browse or ask questions on [Stack Overflow](https://stackoverflow.com/questions/tagged/red).  Maybe you want to try Red right away? That is possible on the [try Rebol and Red site](http://tryrebol.esperconsultancy.nl). diff --git a/ru-ru/pascal-ru.html.markdown b/ru-ru/pascal-ru.html.markdown index 8a41918f..5ea856bc 100644 --- a/ru-ru/pascal-ru.html.markdown +++ b/ru-ru/pascal-ru.html.markdown @@ -6,6 +6,7 @@ contributors:      - ["Keith Miyake", "https://github.com/kaymmm"]  translators:      - ["Anton 'Dart' Nikolaev", "https://github.com/dartfnm"] +lang: ru-ru  --- diff --git a/ru-ru/python-ru.html.markdown b/ru-ru/python-ru.html.markdown index b2c00baf..9133549d 100644 --- a/ru-ru/python-ru.html.markdown +++ b/ru-ru/python-ru.html.markdown @@ -380,7 +380,7 @@ else:   # Необязательное выражение. Должно след  # Объект, который возвратила функция range(), итерируемый.  filled_dict = {"one": 1, "two": 2, "three": 3}  our_iterable = filled_dict.keys() -print(our_iterable) #=> range(1,10). Это объект, реализующий интерфейс iterable +print(our_iterable) #=> dict_keys(['one', 'two', 'three']). Это объект, реализующий интерфейс iterable  # Мы можем проходить по нему циклом.  for i in our_iterable: diff --git a/set-theory.html.markdown b/set-theory.html.markdown index c6bc39c5..6fb657ed 100644 --- a/set-theory.html.markdown +++ b/set-theory.html.markdown @@ -3,107 +3,94 @@ category: Algorithms & Data Structures  name: Set theory  contributors:  --- -The set theory is a study for sets, their operations, and their properties. It is the basis of the whole mathematical system. +Set theory is a branch of mathematics that studies sets, their operations, and their properties. -* A set is a collection of definite distinct items. +* A set is a collection of disjoint items. -## Basic operators -These operators don't require a lot of text to describe. +## Basic symbols -* `∨` means or. -* `∧` means and. -* `,` separates the filters that determine the items in the set. +### Operators +* the union operator, `∪`, pronounced "cup", means "or"; +* the intersection operator, `∩`, pronounced "cap", means "and"; +* the exclusion operator, `\`, means "without"; +* the compliment operator, `'`, means "the inverse of"; +* the cross operator, `×`, means "the Cartesian product of". -## A brief history of the set theory -### Naive set theory -* Cantor invented the naive set theory. -* It has lots of paradoxes and initiated the third mathematical crisis. +### Qualifiers  +* the colon qualifier, `:`, means "such that"; +* the membership qualifier, `∈`, means "belongs to"; +* the subset qualifier, `⊆`, means "is a subset of"; +* the proper subset qualifier, `⊂`, means "is a subset of but is not equal to". -### Axiomatic set theory -* It uses axioms to define the set theory. -* It prevents paradoxes from happening. +### Canonical sets +* `∅`, the empty set, i.e. the set containing no items; +* `ℕ`, the set of all natural numbers; +* `ℤ`, the set of all integers; +* `ℚ`, the set of all rational numbers; +* `ℝ`, the set of all real numbers. -## Built-in sets -* `∅`, the set of no items. -* `N`, the set of all natural numbers. `{0,1,2,3,…}` -* `Z`, the set of all integers. `{…,-2,-1,0,1,2,…}` -* `Q`, the set of all rational numbers. -* `R`, the set of all real numbers. +There are a few caveats to mention regarding the canonical sets: +1. Even though the empty set contains no items, the empty set is a subset of itself (and indeed every other set); +2. Mathematicians generally do not universally agree on whether zero is a natural number, and textbooks will typically explicitly state whether or not the author considers zero to be a natural number. -### The empty set -* The set containing no items is called the empty set. Representation: `∅` -* The empty set can be described as `∅ = {x|x ≠ x}` -* The empty set is always unique. -* The empty set is the subset of all sets. -``` -A = {x|x∈N,x < 0} -A = ∅ -∅ = {}              (Sometimes) +### Cardinality -|∅|   = 0 -|{∅}| = 1 -``` +The cardinality, or size, of a set is determined by the number of items in the set. The cardinality operator is given by a double pipe, `|...|`. + +For example, if `S = { 1, 2, 4 }`, then `|S| = 3`. + +### The Empty Set +* The empty set can be constructed in set builder notation using impossible conditions, e.g. `∅ = { x : x =/= x }`, or `∅ = { x : x ∈ N, x < 0 }`; +* the empty set is always unique (i.e. there is one and only one empty set); +* the empty set is a subset of all sets; +* the cardinality of the empty set is 1, i.e. `|∅| = 1`.  ## Representing sets -### Enumeration -* List all items of the set, e.g. `A = {a,b,c,d}` -* List some of the items of the set. Ignored items are represented with `…`. E.g. `B = {2,4,6,8,10,…}` -### Description -* Describes the features of all items in the set. Syntax: `{body|condtion}` +### Literal Sets + +A set can be constructed literally by supplying a complete list of objects contained in the set. For example, `S = { a, b, c, d }`. + +Long lists may be shortened with ellipses as long as the context is clear. For example, `E = { 2, 4, 6, 8, ... }` is clearly the set of all even numbers, containing an infinite number of objects, even though we've only explicitly written four of them. + +### Set Builder + +Set builder notation is a more descriptive way of constructing a set. It relies on a _subject_ and a _predicate_ such that `S = { subject : predicate }`. For example,  ``` -A = {x|x is a vowel} -B = {x|x ∈ N, x < 10l} -C = {x|x = 2k, k ∈ N} -C = {2x|x ∈ N} +A = { x : x is a vowel } = { a, e, i, o, u, y} +B = { x : x ∈ N, x < 10 } = { 0, 1, 2, 3, 4, 5, 6, 7, 8, 9 } +C = { x : x = 2k, k ∈ N } = { 0, 2, 4, 6, 8, ... }  ``` -## Relations between sets -### Belongs to -* If the value `a` is one of the items of the set `A`, `a` belongs to `A`. Representation: `a∈A` -* If the value `a` is not one of the items of the set `A`, `a` does not belong to `A`. Representation: `a∉A` +Sometimes the predicate may "leak" into the subject, e.g. -### Equals -* If all items in a set are exactly the same to another set, they are equal. Representation: `a=b` -* Items in a set are not order sensitive. `{1,2,3,4}={2,3,1,4}` -* Items in a set are unique. `{1,2,2,3,4,3,4,2}={1,2,3,4}` -* Two sets are equal if and only if all of their items are exactly equal to each other. Representation: `A=B`. Otherwise, they are not equal. Representation: `A≠B`. -* `A=B` if `A ⊆ B` and `B ⊆ A` +``` +D = { 2x : x ∈ N } = { 0, 2, 4, 6, 8, ... } +``` -### Belongs to -* If the set A contains an item `x`, `x` belongs to A (`x∈A`). -* Otherwise, `x` does not belong to A (`x∉A`). +## Relations -### Subsets -* If all items in a set `B` are items of set `A`, we say that `B` is a subset of `A` (`B⊆A`). -* If B is not a subset of A, the representation is `B⊈A`. +### Membership -### Proper subsets -* If `B ⊆ A` and `B ≠ A`, B is a proper subset of A (`B ⊂ A`). Otherwise, B is not a proper subset of A (`B ⊄ A`). +* If the value `a` is contained in the set `A`, then we say `a` belongs to `A` and represent this symbolically as `a ∈ A`. +* If the value `a` is not contained in the set `A`, then we say `a` does not belong to `A` and represent this symbolically as `a ∉ A`. -## Set operations -### Base number -* The number of items in a set is called the base number of that set. Representation: `|A|` -* If the base number of the set is finite, this set is a finite set. -* If the base number of the set is infinite, this set is an infinite set. +### Equality -``` -A   = {A,B,C} -|A| = 3 -B   = {a,{b,c}} -|B| = 2 -|∅| = 0         (it has no items) -``` +* If two sets contain the same items then we say the sets are equal, e.g. `A = B`. +* Order does not matter when determining set equality, e.g. `{ 1, 2, 3, 4 } = { 2, 3, 1, 4 }`. +* Sets are disjoint, meaning elements cannot be repeated, e.g. `{ 1, 2, 2, 3, 4, 3, 4, 2 } = { 1, 2, 3, 4 }`. +* Two sets `A` and `B` are equal if and only if `A ⊂ B` and `B ⊂ A`. -### Powerset -* Let `A` be any set. The set that contains all possible subsets of `A` is called a powerset (written as `P(A)`). +## Special Sets -``` -P(A) = {x|x ⊆ A} +### The Power Set +* Let `A` be any set. The set that contains all possible subsets of `A` is called a "power set" and is written as `P(A)`. If the set `A` contains `n` elements, then `P(A)` contains `2^N` elements. -|A| = N, |P(A)| = 2^N +``` +P(A) = { x : x ⊆ A }  ```  ## Set operations among two sets @@ -111,28 +98,28 @@ P(A) = {x|x ⊆ A}  Given two sets `A` and `B`, the union of the two sets are the items that appear in either `A` or `B`, written as `A ∪ B`.  ``` -A ∪ B = {x|x∈A∨x∈B} +A ∪ B = { x : x ∈ A ∪ x ∈ B }  ```  ### Intersection  Given two sets `A` and `B`, the intersection of the two sets are the items that appear in both `A` and `B`, written as `A ∩ B`.  ``` -A ∩ B = {x|x∈A,x∈B} +A ∩ B = { x : x ∈ A, x ∈ B }  ```  ### Difference  Given two sets `A` and `B`, the set difference of `A` with `B` is every item in `A` that does not belong to `B`.  ``` -A \ B = {x|x∈A,x∉B} +A \ B = { x : x ∈ A, x ∉ B }  ```  ### Symmetrical difference  Given two sets `A` and `B`, the symmetrical difference is all items among `A` and `B` that doesn't appear in their intersections.  ``` -A △ B = {x|(x∈A∧x∉B)∨(x∈B∧x∉A)} +A △ B = { x : ((x ∈ A) ∩ (x ∉ B)) ∪ ((x ∈ B) ∩ (x ∉ A)) }  A △ B = (A \ B) ∪ (B \ A)  ``` @@ -141,22 +128,5 @@ A △ B = (A \ B) ∪ (B \ A)  Given two sets `A` and `B`, the cartesian product between `A` and `B` consists of a set containing all combinations of items of `A` and `B`.  ``` -A × B = { {x, y} | x ∈ A, y ∈ B } -``` - -## "Generalized" operations -### General union -Better known as "flattening" of a set of sets. - -``` -∪A = {x|X∈A,x∈X} -∪A={a,b,c,d,e,f} -∪B={a} -∪C=a∪{c,d} -``` - -### General intersection - -``` -∩ A = A1 ∩ A2 ∩ … ∩ An +A × B = { (x, y) | x ∈ A, y ∈ B }  ``` diff --git a/typescript.html.markdown b/typescript.html.markdown index 7e857cc0..f7a41ce1 100644 --- a/typescript.html.markdown +++ b/typescript.html.markdown @@ -114,7 +114,7 @@ class Point {    }    // Functions -  dist() { return Math.sqrt(this.x * this.x + this.y * this.y); } +  dist(): number { return Math.sqrt(this.x * this.x + this.y * this.y); }    // Static members    static origin = new Point(0, 0); @@ -137,7 +137,7 @@ class Point3D extends Point {    }    // Overwrite -  dist() { +  dist(): number {      let d = super.dist();      return Math.sqrt(d * d + this.z * this.z);    } diff --git a/vim.html.markdown b/vim.html.markdown index 27d90f18..55649cb2 100644 --- a/vim.html.markdown +++ b/vim.html.markdown @@ -13,6 +13,9 @@ editor designed for speed and increased productivity, and is ubiquitous in most  unix-based systems. It has numerous keybindings for speedy navigation to  specific points in the file, and for fast editing. +`vimtutor` is a an excellent application that teaches you how to use `Vim`. It comes with the vim package during installation. You should be able to just run "vimtutor" on the command line to open this tutor. It will guide you through all the major features in `vim`. + +  ## Basics of navigating Vim  ``` diff --git a/zh-cn/make-cn.html.markdown b/zh-cn/make-cn.html.markdown index 76dde941..641714ef 100644 --- a/zh-cn/make-cn.html.markdown +++ b/zh-cn/make-cn.html.markdown @@ -23,7 +23,7 @@ Makefile 用于定义如何创建目标文件, 比如如何从源码到可执行  ```make  # 这行表示注释 -# 文件名一定要交 Makefile, 大小写区分, 使用 `make <target>` 生成 target +# 文件名一定要叫 Makefile, 大小写区分, 使用 `make <target>` 生成 target  # 如果想要取别的名字, 可以用 `make -f "filename" <target>`.  # 重要的事情 - 只认识 TAB, 空格是不认的, 但是在 GNU Make 3.82 之后, 可以通过 @@ -87,7 +87,7 @@ ex0.txt ex1.txt: maker  maker:  	touch ex0.txt ex1.txt -# 如果定义的 phony target 与文件名重名, 可以用 .PHONY 显示的指明哪些 targets 是 phony +# 如果定义的 phony target 与文件名重名, 可以用 .PHONY 显式地指明哪些 targets 是 phony  .PHONY: all maker process  # This is a special target. There are several others. @@ -116,7 +116,7 @@ process: ex1.txt file0.txt  # 模式匹配  #----------------------------------------------------------------------- -# 可以让 make 知道如何转换某些文件到别格式 +# 可以让 make 知道如何转换某些文件到其他格式  # 比如 从 svg 到 png  %.png: %.svg  	inkscape --export-png $^ @@ -149,7 +149,7 @@ echo:  	@echo $(name)  	@echo ${name2}  	@echo $name    # 这个会被蠢蠢的解析成 $(n)ame. -	@echo \"$(name3)\" # 为声明的变量或扩展成空字符串. +	@echo \"$(name3)\" # 未声明的变量会被处理成空字符串.  	@echo $(name4)  	@echo $(name5)  # 你可以通过4种方式设置变量. diff --git a/zh-cn/python-cn.html.markdown b/zh-cn/python-cn.html.markdown index da13275b..6c5556fc 100644 --- a/zh-cn/python-cn.html.markdown +++ b/zh-cn/python-cn.html.markdown @@ -436,9 +436,9 @@ all_the_args(1, 2, a=3, b=4) prints:  # 调用可变参数函数时可以做跟上面相反的,用*展开序列,用**展开字典。  args = (1, 2, 3, 4)  kwargs = {"a": 3, "b": 4} -all_the_args(*args)   # 相当于 foo(1, 2, 3, 4) -all_the_args(**kwargs)   # 相当于 foo(a=3, b=4) -all_the_args(*args, **kwargs)   # 相当于 foo(1, 2, 3, 4, a=3, b=4) +all_the_args(*args)   # 相当于 all_the_args(1, 2, 3, 4) +all_the_args(**kwargs)   # 相当于 all_the_args(a=3, b=4) +all_the_args(*args, **kwargs)   # 相当于 all_the_args(1, 2, 3, 4, a=3, b=4)  # 函数作用域 diff --git a/zh-cn/pythonlegacy-cn.html.markdown b/zh-cn/pythonlegacy-cn.html.markdown index 756081d6..f8aa2332 100644 --- a/zh-cn/pythonlegacy-cn.html.markdown +++ b/zh-cn/pythonlegacy-cn.html.markdown @@ -163,7 +163,7 @@ li[:3]  # => [1, 2, 4]  del li[2]  # li 现在是 [1, 2, 3]  # 合并列表 -li + other_li  # => [1, 2, 3, 4, 5, 6] - 并不会不改变这两个列表 +li + other_li  # => [1, 2, 3, 4, 5, 6] - 并不会改变这两个列表  # 通过拼接来合并列表  li.extend(other_li)  # li 是 [1, 2, 3, 4, 5, 6] diff --git a/zh-cn/yaml-cn.html.markdown b/zh-cn/yaml-cn.html.markdown index 7b6ff305..cfa22dfb 100644 --- a/zh-cn/yaml-cn.html.markdown +++ b/zh-cn/yaml-cn.html.markdown @@ -5,27 +5,27 @@ contributors:  translators:    - ["Zach Zhang", "https://github.com/checkcheckzz"]    - ["Jiang Haiyun", "https://github.com/haiiiiiyun"] +  - ["Wen Sun", "https://github.com/HermitSun"]  filename: learnyaml-cn.yaml  lang: zh-cn  --- -YAML 是一个数据序列化语言,被设计成人类直接可写可读的。 +YAML 是一种数据序列化语言,旨在让人类直接可写可读。 -它是 JSON 的严格超集,增加了语法显著换行符和缩进,就像 Python。但和 Python 不一样, -YAML 根本不容许文字制表符。 +它是 JSON 的严格超集,增加了*在语法上有意义的*(syntactically significant)换行符和缩进,就像 Python 一样。但和 Python 的不同之处在于,YAML 不允许使用*文字制表符*(literal tab characters)来表示缩进。  ```yaml  ---  # 文档开头 -# YAML 中的注解看起来像这样。 +# YAML 中的注释看起来像这样。  ################  # 标量类型     #  ################ -# 我们的根对象 (它们在整个文件里延续) 将会是一个映射, -# 它等价于在别的语言里的一个字典,哈希表或对象。 +# 我们的根对象 (贯穿整个文档的始终) 是一个映射(map), +# 它等价于其它语言中的一个字典(dictionary),哈希表(hash)或对象(object)。  key: value  another_key: Another value goes here.  a_number_value: 100 @@ -35,16 +35,16 @@ scientific_notation: 1e+12  boolean: true  null_value: null  key with spaces: value -# 注意,字符串不必被括在引号中,但也可以被括起来。 +# 注意,字符串可以不括在引号里。当然,也可以括在引号里。  however: 'A string, enclosed in quotes.'  'Keys can be quoted too.': "Useful if you want to put a ':' in your key."  single quotes: 'have ''one'' escape pattern'  double quotes: "have many: \", \0, \t, \u263A, \x0d\x0a == \r\n, and more." -# UTF-8/16/32 字符需要被转义(encoded) +# UTF-8/16/32字符需要指明编码(通过\u)。  Superscript two: \u00B2 -# 多行字符串既可以写成像一个'文字块'(使用 |), -# 或像一个'折叠块'(使用 '>')。 +# 多行字符串既可以写成一个'字面量块'(使用 '|'), +# 也可以写成一个'折叠块'(使用 '>')。  literal_block: |      This entire block of text will be the value of the 'literal_block' key,      with line breaks being preserved. @@ -67,7 +67,7 @@ folded_style: >  # 集合类型         #  #################### -# 嵌套是通过缩进完成的。推荐使用 2 个空格的缩进(但非必须) +# 嵌套是通过缩进完成的。推荐使用 2 个空格的缩进(但非必须)。  a_nested_map:    key: value    another_key: Another Value @@ -77,22 +77,22 @@ a_nested_map:  # 映射的键不必是字符串。  0.25: a float key -# 键也可以是复合型的,比如多行对象 -# 我们用 ? 后跟一个空格来表示一个复合键的开始。 +# 键也可以是复合(complex)的,比如多行对象 +# 我们用 '?' 后跟一个空格来表示一个复合键的开始。  ? |    This is a key    that has multiple lines  : and this is its value  # YAML 也允许使用复杂键语法表示序列间的映射关系。 -# 但有些语言的解析器可能会不支持。 +# 但有些解析器可能会不支持。  # 一个例子:  ? - Manchester United    - Real Madrid  : [ 2001-01-01, 2002-02-02 ] -# 序列 (等价于列表或数组) 看起来像这样: -# 注意 '-' 算作缩进 +# 序列 (sequences,等价于列表 list 或数组 array ) 看起来像这样: +# 注意 '-' 也算缩进:  a_sequence:    - Item 1    - Item 2 @@ -115,7 +115,7 @@ and quotes are optional: {key: [3, 2, 1, takeoff]}  # 其余的 YAML 特性    #  ####################### -# YAML 还有一个方便的特性叫 '锚',它能让你很容易在文档中进行文本复用。 +# YAML 还有一个方便的特性叫“锚”(anchors)。你可以使用它在文档中轻松地完成文本复用。  # 如下两个键会有相同的值:  anchored_content: &anchor_name This string will appear as the value of two keys.  other_anchor: *anchor_name @@ -124,8 +124,8 @@ other_anchor: *anchor_name  base: &base    name: Everyone has same name -# The regexp << is called Merge Key Language-Independent Type. -# 它表明指定映射的所有键值会插入到当前的映射中。 +# '<<'称为语言无关的合并键类型(Merge Key Language-Independent Type). +# 它表明一个或多个指定映射中的所有键值会插入到当前的映射中。  foo: &foo    <<: *base @@ -137,22 +137,22 @@ bar: &bar  # foo 和 bar 将都含有 name: Everyone has same name -# YAML 还有标签,你可以用它显式地声明类型。 +# YAML 还有标签(tags),你可以用它显式地声明类型。  explicit_string: !!str 0.5 -# 一些解析器实现特定语言的标签,就像这个针对 Python 的复数类型。 +# 一些解析器实现了特定语言的标签,就像这个针对Python的复数类型的标签。  python_complex_number: !!python/complex 1+2j -# 我们也可以在 YAML 的复合键中使用特定语言的标签 +# 我们也可以在 YAML 的复合键中使用特定语言的标签:  ? !!python/tuple [5, 7]  : Fifty Seven -# 将会是 Python 中的  {(5, 7): 'Fifty Seven'} +# 将会是 Python 中的 {(5, 7): 'Fifty Seven'}  ####################  # 其余的 YAML 类型 #  #################### -# 除了字符串和数字,YAML 还能理解其它标量。 -# ISO 格式的日期和日期时间文本也可以被解析。 +# 除了字符串和数字,YAML 还支持其它标量。 +# ISO 格式的日期和时间字面量也可以被解析。  datetime: 2001-12-15T02:59:43.1Z  datetime_with_spaces: 2001-12-14 21:59:43.10 -5  date: 2002-12-14 @@ -165,14 +165,14 @@ gif_file: !!binary |    +f/++f/++f/++f/++f/++SH+Dk1hZGUgd2l0aCBHSU1QACwAAAAADAAMAAAFLC    AgjoEwnuNAFOhpEMTRiggcz4BNJHrv/zCFcLiwMWYNG84BwwEeECcgggoBADs= -# YAML 还有一个集合类型,它看起来像这样: +# YAML 还有一个集合(set)类型,它看起来像这样:  set:    ? item1    ? item2    ? item3  or: {item1, item2, item3} -# 集合只是值为 null 的映射;上面的集合等价于: +# 集合只是值均为 null 的映射;上面的集合等价于:  set2:    item1: null    item2: null @@ -184,4 +184,5 @@ set2:  ### 更多资源  + [YAML official website](http://yaml.org/) ++ [Online YAML Converter](http://yamlonline.com)  + [Online YAML Validator](http://codebeautify.org/yaml-validator) | 
