Skip to content

Instantly share code, notes, and snippets.

@hectorcorrea
Last active June 29, 2024 12:51
Show Gist options
  • Save hectorcorrea/2573391 to your computer and use it in GitHub Desktop.
Save hectorcorrea/2573391 to your computer and use it in GitHub Desktop.
web server in node.js
// A very basic web server in node.js
// Stolen from: Node.js for Front-End Developers by Garann Means (p. 9-10)
var port = 8000;
var serverUrl = "127.0.0.1";
var http = require("http");
var path = require("path");
var fs = require("fs");
var checkMimeType = true;
console.log("Starting web server at " + serverUrl + ":" + port);
http.createServer( function(req, res) {
var now = new Date();
var filename = req.url || "index.html";
var ext = path.extname(filename);
var localPath = __dirname;
var validExtensions = {
".html" : "text/html",
".js": "application/javascript",
".css": "text/css",
".txt": "text/plain",
".jpg": "image/jpeg",
".gif": "image/gif",
".png": "image/png",
".woff": "application/font-woff",
".woff2": "application/font-woff2"
};
var validMimeType = true;
var mimeType = validExtensions[ext];
if (checkMimeType) {
validMimeType = validExtensions[ext] != undefined;
}
if (validMimeType) {
localPath += filename;
fs.exists(localPath, function(exists) {
if(exists) {
console.log("Serving file: " + localPath);
getFile(localPath, res, mimeType);
} else {
console.log("File not found: " + localPath);
res.writeHead(404);
res.end();
}
});
} else {
console.log("Invalid file extension detected: " + ext + " (" + filename + ")")
}
}).listen(port, serverUrl);
function getFile(localPath, res, mimeType) {
fs.readFile(localPath, function(err, contents) {
if(!err) {
res.setHeader("Content-Length", contents.length);
if (mimeType != undefined) {
res.setHeader("Content-Type", mimeType);
}
res.statusCode = 200;
res.end(contents);
} else {
res.writeHead(500);
res.end();
}
});
}
@willemavjc
Copy link

willemavjc commented Apr 25, 2019

Line 61: res.setHeader("Content-Length", contents.length); is incorrect.

It can mislead the actual length computation which depends on the data encoding.
Use Buffer.byteLength(string, [encoding]) to solve this.

Ref: Documentation
Ref: Stackoverflow

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment