This document assumes that you have some prior knowledge of JavaScript, especially about /await. If you have no prior knowledge of JavaScript, you might want to follow a guide before attempting to start with Deno.

    Deno is a runtime for JavaScript/TypeScript which tries to be web compatible and use modern features wherever possible.

    Browser compatibility means a Hello World program in Deno is the same as the one you can run in the browser:

    `

    `

    Try the program:

    `

    1. deno run https://deno.land/std@0.80.0/examples/welcome.ts

    `

    Many programs use HTTP requests to fetch data from a webserver. Let’s write a small program that fetches a file and prints its contents out to the terminal.

    Just like in the browser you can use the web standard fetch API to make HTTP calls:

    `

    1. const url = Deno.args[0];const res = await fetch(url);
    2. const body = new Uint8Array(await res.arrayBuffer());await Deno.stdout.write(body);

    `

    1. We get the first argument passed to the application, and store it in the constant.
    2. We parse the response body as an , await the response, and convert it into a Uint8Array to store in the body constant.
    3. We write the contents of the body constant to stdout.

    Try it out:

    `

    `

    You will see this program returns an error regarding network access, so what did we do wrong? You might remember from the introduction that Deno is a runtime which is secure by default. This means you need to explicitly give programs the permission to do certain ‘privileged’ actions, such as access the network.

    Try it out again with the correct permission flag:

    `

    `

    Deno also provides APIs which do not come from the web. These are all contained in the Deno global. You can find documentation for these APIs on .

    Filesystem APIs for example do not have a web standard form, so Deno provides its own API.

    In this program each command-line argument is assumed to be a filename, the file is opened, and printed to stdout.

    `

    1. const filenames = Deno.args;for (const filename of filenames) { const file = await Deno.open(filename); await Deno.copy(file, Deno.stdout); file.close();}

    `

    Try the program:

    `

    `

    This is an example of a server which accepts connections on port 8080, and returns to the client anything it sends.

    ``

      ``

      For security reasons, Deno does not allow programs to access the network without explicit permission. To allow accessing the network, use a command-line flag:

      `

      1. deno run --allow-net https://deno.land/std@0.80.0/examples/echo_server.ts

      `

      To test it, try sending data to it with netcat:

      `

      `

      You can find more examples, like an HTTP file server, in the Examples chapter.