共计 1985 个字符,预计需要花费 5 分钟才能阅读完成。
简单的文件服务器
有时候,我们想读取一些服务器上的文件,但是又不想写太复杂的程序,可以考虑用 nodejs,可以很简单的写出一个文件服务器
下面是我写的一个简单的文件服务器,附带缓存功能,这是 github 链接,或者直接复制下面的代码运行即可,需要安装 mime 的依赖
const port = 3004; // 端口号
const http = require('http');
const url = require('url');
const fs = require('fs');
const path = require('path');
const mime = require('mime');
const STATIC_FOLDER = 'public'; // 默认读取 public 文件夹下的文件
const IS_OPEN_CACHE = true; // 是否开启缓存功能
const CACHE_TIME = 10;// 告诉浏览器多少时间内可以不用请求服务器,单位:秒
const server = http.createServer((req, res) => {const obj = url.parse(req.url); // 解析请求的 url
let pathname = obj.pathname; // 请求的路径
if (pathname === '/') {pathname = './index.html';}
const realPath = path.join(__dirname, STATIC_FOLDER, pathname); // 获取物理路径
// 获取文件基本信息,包括大小,创建时间修改时间等信息
fs.stat(realPath, (err, stats) => {
let endFilePath = '', contentType ='';
if (err || stats.isDirectory()) {
// 报错了或者请求的路径是文件夹,则返回 404
res.writeHead(404, 'not found', {'Content-Type': 'text/plain'});
res.write(`the request ${pathname} is not found`);
res.end();} else {let ext = path.extname(realPath).slice(1); // 获取文件拓展名
contentType = mime.getType(ext) || 'text/plain';
endFilePath = realPath;
if (!IS_OPEN_CACHE) {
// 未开启缓存
let raw = fs.createReadStream(endFilePath);
res.writeHead(200, 'ok');
raw.pipe(res);
} else {
// 获取文件最后修改时间,并把时间转换成世界时间字符串
let lastModified = stats.mtime.toUTCString();
const ifModifiedSince = 'if-modified-since';
// 告诉浏览器在规定的什么时间内可以不用请求服务器,直接使用浏览器缓存,不过貌似没有生效,需要再学习一下为什么
let expires = new Date();
expires.setTime(expires.getTime() + CACHE_TIME * 1000);
res.setHeader("Expires", expires.toUTCString());
res.setHeader('Cache-Control', 'max-age=' + CACHE_TIME);
if (req.headers[ifModifiedSince] && lastModified === req.headers[ifModifiedSince]) {
// 请求头里包含请求 ifModifiedSince 且文件没有修改,则返回 304
res.writeHead(304, 'Not Modified');
res.end();} else {
// 返回头 Last-Modified 为当前请求文件的最后修改时间
res.setHeader('Last-Modified', lastModified);
// 返回文件
let raw = fs.createReadStream(endFilePath);
res.writeHead(200, 'ok');
raw.pipe(res);
}
}
}
});
});
server.listen(port);
console.log(`server is running at http://localhost:${port}`)
不过目前还有一点问题,服务器缓存返回 304,还有修改文件后,再次请求会返回最新文件这个功能目前没有问题,不过设置的 Cache-Control 和 Expires 后,在规定的时间内还是会请求服务器,这个还需要再看一下怎么回事,要是有人了解的话可以告诉我一下,谢谢。
正文完
发表至: javascript
2019-09-12