Simple HTTP web server

Concepts

  • Use Deno’s integrated HTTP server to run your own web server.

Overview

With just a few lines of code you can run your own HTTP web server with control over the response status, request headers and more.

Sample web server

In this example, the user-agent of the client is returned to the client:

webserver.ts:

  1. // Start listening on port 8080 of localhost.
  2. const server = Deno.listen({ port: 8080 });
  3. console.log(`HTTP webserver running. Access it at: http://localhost:8080/`);
  4. // Connections to the server will be yielded up as an async iterable.
  5. for await (const conn of server) {
  6. // In order to not be blocking, we need to handle each connection individually
  7. // without awaiting the function
  8. serveHttp(conn);
  9. }
  10. async function serveHttp(conn: Deno.Conn) {
  11. // This "upgrades" a network connection into an HTTP connection.
  12. const httpConn = Deno.serveHttp(conn);
  13. // Each request sent over the HTTP connection will be yielded as an async
  14. // iterator from the HTTP connection.
  15. for await (const requestEvent of httpConn) {
  16. // The native HTTP server uses the web standard `Request` and `Response`
  17. // objects.
  18. const body = `Your user-agent is:\n\n${
  19. requestEvent.request.headers.get(
  20. "user-agent",
  21. ) ?? "Unknown"
  22. }`;
  23. // The requestEvent's `.respondWith()` method is how we send the response
  24. // back to the client.
  25. requestEvent.respondWith(
  26. new Response(body, {
  27. status: 200,
  28. }),
  29. );
  30. }
  31. }

Then run this with:

  1. deno run --allow-net webserver.ts

Then navigate to http://localhost:8080/ in a browser.

Using the std/http library

ℹ️ Since the stabilization of native HTTP bindings in ^1.13.x, std/http now supports a native HTTP server from ^0.107.0. The legacy server module was removed in 0.117.0.

webserver.ts:

  1. import { serve } from "https://deno.land/std@$STD_VERSION/http/server.ts";
  2. const port = 8080;
  3. const handler = (request: Request): Response => {
  4. let body = "Your user-agent is:\n\n";
  5. body += request.headers.get("user-agent") || "Unknown";
  6. return new Response(body, { status: 200 });
  7. };
  8. console.log(`HTTP webserver running. Access it at: http://localhost:8080/`);
  9. await serve(handler, { port });

Then run this with:

  1. deno run --allow-net webserver.ts