我正在尝试在nodejs中创建一个静态文件服务器,作为理解节点而不是完美服务器的练习。我非常了解Connect和node-static等项目,并且完全打算将这些库用于更多生产就绪的代码,但我也想了解我正在使用的基础知识。考虑到这一点,我编写了一个小型server.js:
var http = require('http'),
url = require('url'),
path = require('path'),
fs = require('fs');
var mimeTypes = {
"html": "text/html",
"jpeg": "image/jpeg",
"jpg": "image/jpeg",
"png": "image/png",
"js": "text/javascript",
"css": "text/css"};
http.createServer(function(req, res) {
var uri = url.parse(req.url).pathname;
var filename = path.join(process.cwd(), uri);
path.exists(filename, function(exists) {
if(!exists) {
console.log("not exists: " + filename);
res.writeHead(200, {'Content-Type': 'text/plain'});
res.write('404 Not Found\n');
res.end();
}
var mimeType = mimeTypes[path.extname(filename).split(".")[1]];
res.writeHead(200, mimeType);
var fileStream = fs.createReadStream(filename);
fileStream.pipe(res);
}); //end path.exists
}).listen(1337);
我的问题是双重的
这是在节点中创建和流式传输基本html等的“正确”方式还是有更好/更优雅/更健壮的方法?
节点中的.pipe()基本上只是执行以下操作吗?
var fileStream = fs.createReadStream(filename);
fileStream.on('data', function (data) {
res.write(data);
});
fileStream.on('end', function() {
res.end();
});
谢谢大家!
答案 0 :(得分:56)
首先在项目中输入命令提示符并使用
$ npm install express
然后编写你的app.js代码:
var express = require('express'),
app = express(),
port = process.env.PORT || 4000;
app.use(express.static(__dirname + '/public'));
app.listen(port);
然后,您将创建一个放置文件的“公共”文件夹。我首先尝试了更难的方法,但你必须担心mime类型,这只是需要映射耗时的东西,然后担心响应类型等等等等....不,谢谢。
答案 1 :(得分:44)
您的基本服务器看起来不错,除了:
缺少return
语句。
res.write('404 Not Found\n');
res.end();
return; // <- Don't forget to return here !!
和
res.writeHead(200, mimeType);
应该是:
res.writeHead(200, {'Content-Type':mimeType});
是pipe()
基本上是这样,它还会暂停/恢复源流(如果接收器速度较慢)。
以下是pipe()
函数的源代码:https://github.com/joyent/node/blob/master/lib/stream.js
答案 2 :(得分:19)
我也喜欢了解幕后发生的事情。
我注意到你的代码中有一些你可能想要清理的东西:
当文件名指向目录时崩溃,因为exists为true并且它尝试读取文件流。我使用fs.lstatSync来确定目录的存在。
没有正确使用HTTP响应代码(200,404等)
在确定MimeType时(从文件扩展名),它在res.writeHead中没有正确设置(如stewe指出的那样)
要处理特殊字符,您可能想要浏览uri
盲目跟随符号链接(可能是安全问题)
鉴于此,一些apache选项(FollowSymLinks,ShowIndexes等)开始变得更有意义。我更新了简单文件服务器的代码,如下所示:
var http = require('http'),
url = require('url'),
path = require('path'),
fs = require('fs');
var mimeTypes = {
"html": "text/html",
"jpeg": "image/jpeg",
"jpg": "image/jpeg",
"png": "image/png",
"js": "text/javascript",
"css": "text/css"};
http.createServer(function(req, res) {
var uri = url.parse(req.url).pathname;
var filename = path.join(process.cwd(), unescape(uri));
var stats;
try {
stats = fs.lstatSync(filename); // throws if path doesn't exist
} catch (e) {
res.writeHead(404, {'Content-Type': 'text/plain'});
res.write('404 Not Found\n');
res.end();
return;
}
if (stats.isFile()) {
// path exists, is a file
var mimeType = mimeTypes[path.extname(filename).split(".").reverse()[0]];
res.writeHead(200, {'Content-Type': mimeType} );
var fileStream = fs.createReadStream(filename);
fileStream.pipe(res);
} else if (stats.isDirectory()) {
// path exists, is a directory
res.writeHead(200, {'Content-Type': 'text/plain'});
res.write('Index of '+uri+'\n');
res.write('TODO, show index?\n');
res.end();
} else {
// Symbolic link, other?
// TODO: follow symlinks? security?
res.writeHead(500, {'Content-Type': 'text/plain'});
res.write('500 Internal server error\n');
res.end();
}
}).listen(1337);
答案 3 :(得分:3)
这种模式如何避免单独检查文件是否存在
var fileStream = fs.createReadStream(filename);
fileStream.on('error', function (error) {
response.writeHead(404, { "Content-Type": "text/plain"});
response.end("file not found");
});
fileStream.on('open', function() {
var mimeType = mimeTypes[path.extname(filename).split(".")[1]];
response.writeHead(200, {'Content-Type': mimeType});
});
fileStream.on('end', function() {
console.log('sent file ' + filename);
});
fileStream.pipe(response);
答案 4 :(得分:2)
我根据@Jeff Ward回答
制作了一个具有额外功能的httpServer功能<强>用法:强>
httpServer(dir).listen(port);
https://github.com/kenokabe/ConciseStaticHttpServer
感谢。
答案 5 :(得分:2)
var http = require('http')
var fs = require('fs')
var server = http.createServer(function (req, res) {
res.writeHead(200, { 'content-type': 'text/plain' })
fs.createReadStream(process.argv[3]).pipe(res)
})
server.listen(Number(process.argv[2]))
答案 6 :(得分:0)
st module使提供静态文件变得容易。以下是README.md的摘录:
var mount = st({ path: __dirname + '/static', url: '/static' })
http.createServer(function(req, res) {
var stHandled = mount(req, res);
if (stHandled)
return
else
res.end('this is not a static file')
}).listen(1338)
答案 7 :(得分:0)
connect
版本的方法。
var connect = require('connect'),
serveStatic = require('serve-static'),
serveIndex = require('serve-index');
var app = connect()
.use(serveStatic('public'))
.use(serveIndex('public', {'icons': true, 'view': 'details'}))
.listen(3000);
在connect
GitHub Repository中,您可以使用其他中间件。