用node创建一个最简单的服务器
程序员文章站
2022-03-16 11:13:39
...
前言:
我们在编辑器中写好代码之后,有时候是目录直接打开,这种方式的url是类似于file:///C:/Users/Vera/Desktop//index.html
这样的路径。这样的打开方式,对于静态页面还好,但在实际发请求时有很多的限制,比如在用百度echarts时,会出现错误。
也可以用vscode插件来打开。这时地址就是http://127.0.0.1:5500/index.html
这样的http协议地址了。
还有就是工程化项目,比如vue,来一个yarn run serve
打开也是http协议的地址。
今天学习node,那么就用node来实现一个简单的服务器。参考地址
实现一个文件服务器file_server.js:
'use strict';
var
fs = require('fs'),
url = require('url'),
path = require('path'),
http = require('http');
// 从命令行参数获取root目录,默认是当前目录:
var root = path.resolve(process.argv[2] || '.');
console.log('Static root dir: ' + root);
// 创建服务器:
var server = http.createServer(function (request, response) {
// 获得URL的path,类似 '/css/bootstrap.css':
var pathname = url.parse(request.url).pathname;
// 获得对应的本地文件路径,类似 '/srv/www/css/bootstrap.css':
var filepath = path.join(root, pathname);
// 获取文件状态:
fs.stat(filepath, function (err, stats) {
if (!err && stats.isFile()) {
// 没有出错并且文件存在:
console.log('200 ' + request.url);
// 发送200响应:
response.writeHead(200);
// 将文件流导向response:
fs.createReadStream(filepath).pipe(response);
} else {
// 出错了或者文件不存在:
console.log('404 ' + request.url);
// 发送404响应:
response.writeHead(404);
response.end('404 Not Found');
}
});
});
server.listen(8080);
console.log('Server is running at http://127.0.0.1:8080/');
在命令行运行node file_server.js /path/to/dir
,把/path/to/dir
改成你本地的一个有效的目录,然后在浏览器中输入http://localhost:8080/index.html
即可看到页面。
记得一定要写上index.html
,不然啥都读不到,页面显示404 Not Found
上一篇: (DP)百练1088:滑雪