关于deno:Deno-简单测试服务器

5次阅读

共计 1749 个字符,预计需要花费 5 分钟才能阅读完成。

有时候会须要长期起一个简略的服务器,用来测试查看申请信息。刚好用 Deno 官网的例子改一个。用 Node.js 写其实也一样不便。

启动命令

deno run --allow-net server.ts
import {parse} from "https://deno.land/std@0.104.0/flags/mod.ts";
import {serve} from "https://deno.land/std@0.104.0/http/server.ts";

interface Args {_: string[];
  // --prot
  port?: number;
  // --on-headers
  "on-headers"?: boolean;
}

const args = <Args>parse(Deno.args); // 获取启动参数

/**
 * 启动 deno run --allow-net server.ts
 */
const PORT = args.port ? args.port : 7070;
const server = serve({port: PORT});
console.log(`HTTP webserver running.  Access it at:  http://localhost:${PORT}/`
);

for await (const request of server) {if (request.url !== "/favicon.ico") {const time = formatTimestamp(new Date().getTime());
    console.log("");
    console.log(`\x1b[32m[${time}]\x1b[0m method: ${request.method} url: ${request.url}`
    );
    if (args["on-headers"]) console.log(`headers: `, request.headers);
  }
  request.respond({status: 200, body: "ok"});
}

/**
 * 工夫戳格式化
 * @param timestamp
 * @param options
 * @returns
 */
function formatTimestamp(
  timestamp: number,
  options?: {
    dateSection: boolean;
    timeSection: boolean;
    dateSign: string;
    timeSign: string;
    linkSign: string;
    places: number;
  }
) {
  const $d = new Date(timestamp.toString().length === 10 ? timestamp * 1000 : timestamp
  );
  if ($d.toString() === "Invalid Date") return "Invalid Date";
  const {
    dateSection = true,
    timeSection = true,
    dateSign = "-",
    timeSign = ":",
    linkSign = " ",
    places = 2,
  } = options || {};

  const padStart = (string: number, length = places) => {const s = String(string);
    if (!s || s.length >= length) return string;
    return `${Array(length + 1 - s.length).join("0")}${string}`;
  };

  const $y = $d.getFullYear(),
    $M = padStart($d.getMonth() + 1),
    $D = padStart($d.getDate()),
    $H = padStart($d.getHours()),
    $m = padStart($d.getMinutes()),
    $s = padStart($d.getSeconds());

  let text = "";
  if (dateSection) text += `${$y}${dateSign}${$M}${dateSign}${$D}`;
  if (timeSection) text += `${linkSign}${$H}${timeSign}${$m}${timeSign}${$s}`;

  return text;
}
正文完
 0