如何使用 serveFile 在 Deno 中提供文件服务?

How to serve files in Deno using serveFile?

我的脚本如下,编译没有错误,应该服务于 index.html,但是当页面显示它正在加载时,没有任何东西被发送到浏览器。

import { serve } from "https://deno.land/std@0.91.0/http/server.ts";
import { serveFile } from 'https://deno.land/std@0.91.0/http/file_server.ts';

const server = serve({ port: 8000 });
console.log("http://localhost:8000/");

for await (const req of server) {
  console.log(req.url);
  if(req.url === '/')
    await serveFile(req, 'index.html');
}

那么为什么 serveFile 在这种情况下不起作用?

serveFile 的调用只会创建 Response(状态,headers,body)但不会发送它。

您必须通过单独调用 req.respond() 来发送它:

import { serve } from "https://deno.land/std@0.91.0/http/server.ts";
import { serveFile } from 'https://deno.land/std@0.91.0/http/file_server.ts';

const server = serve({ port: 8000 });
console.log("http://localhost:8000/");

for await (const req of server) {
  console.log(req.url);
  if(req.url === '/') {
    const response = await serveFile(req, 'index.html');
    req.respond(response)
  }
}