Node.js 정적 파일 서버 개선 버전

5432 단어
우선 github에게 감사를 드리고 github에서 이 원본을 제공한 작가에게 감사를 드립니다.어젯밤과 비교하면 오늘의 정적 파일 서버보다 좀 복잡하고 새로운 것을 많이 배울 수 있다.
자세히 보면 이번 코드에 fs가 하나 더 생겼어요.stat 함수와 ReadStream 대상의 pipe 함수,stat 이 함수는 파일 정보를 얻는 데 사용됩니다.첫 번째 파라미터는 전송된 파일 경로이고, 두 번째는 리셋 함수이며, 리셋 함수의 두 번째 파라미터stats의 속성은 파일의 기본 정보입니다.pipe 함수는 이 읽을 수 있는 흐름과destination 목표 쓰기 흐름을 연결하는 데 사용되며, 이 흐름에 전송된 데이터는destination 흐름에 기록됩니다.필요할 때 흐름을 멈추고 복구함으로써 원본 흐름과 목적 흐름이 동기화됩니다.
이 정적 파일 서버의 개선점은 Last-Modified와 If-Modified-Since 메시지 헤더를 사용하여 브라우저에 이미 존재하는 파일을 되돌려 주지 않아도 된다는 것이다.브라우저에서 요청한 자원의 압축 방식에 따라 자원에 gzip이나 deflate 압축을 되돌려줄 수 있습니다.

var PORT = 8000;
var http = require("http");
var url = require("url");
var fs = require("fs");
var path = require("path");
var mime = require("./mime").types;
var config = require("./config");
var zlib = require("zlib");
var server = http.createServer(function(request, response) {
 response.setHeader("Server", "Node/V5");
 var pathname = url.parse(request.url).pathname;
 console.log("url = " + pathname);
 if (pathname.slice(-1) === "/") {
  pathname = pathname + config.Welcome.file;
 }
 var realPath = __dirname + "/" + path.join("assets", path.normalize(pathname.replace(/\.\./g, "")));
 console.log("realPath = " + realPath);
 var pathHandle = function (realPath) {
  fs.stat(realPath, function (err, stats) {
   if (err) {
    response.writeHead(404, "Not Found", {'Content-Type': 'text/plain'});
    response.write("stats = " + stats);
    response.write("This request URL " + pathname + " was not found on this server.");
    response.end();
   } else {
    if (stats.isDirectory()) {
     realPath = path.join(realPath, "/", config.Welcome.file);
     pathHandle(realPath);
    } else {
     var ext = path.extname(realPath);
     ext = ext ? ext.slice(1) : 'unknown';
     var contentType = mime[ext] || "text/plain";
     response.setHeader("Content-Type", contentType);
     //  
     var lastModified = stats.mtime.toUTCString();
     var ifModifiedSince = "If-Modified-Since".toLowerCase();
     // Last-Modified
     // Last-Modified
     response.setHeader("Last-Modified", lastModified);

     if (ext.match(config.Expires.fileMatch)) {
      var expires = new Date();
      expires.setTime(expires.getTime() + config.Expires.maxAge * 1000);
      response.setHeader("Expires", expires.toUTCString());
      response.setHeader("Cache-Control", "max-age=" + config.Expires.maxAge);
     }
     // If-Modified-Since 
     // 304
     // , 
     if (request.headers[ifModifiedSince] && lastModified == request.headers[ifModifiedSince]) {
      response.writeHead(304, "Not Modified");
      response.end();
     } else {
      var raw = fs.createReadStream(realPath);
      var acceptEncoding = request.headers['accept-encoding'] || "";
      var matched = ext.match(config.Compress.match); 
      if (matched && acceptEncoding.match(/\bgzip\b/)) {
       response.writeHead(200, "Ok", {'Content-Encoding': 'gzip'});
       raw.pipe(zlib.createGzip()).pipe(response);
      } else if (matched && acceptEncoding.match(/\bdeflate\b/)) {
       response.writeHead(200, "Ok", {'Content-Encoding': 'deflate'});
       raw.pipe(zlib.createDeflate()).pipe(response);
      } else {
       response.writeHead(200, "Ok");
       raw.pipe(response);
      }
     }
    }
   }
  });
 };

 pathHandle(realPath);
});
server.listen(PORT);
console.log("Server runing at port: " + PORT + ".");

Expires 필드는 웹 페이지나 URL 주소가 브라우저에 캐시되지 않는 시간을 설명합니다. 이 시간을 초과하면 브라우저는 원시 서버에 연락해야 합니다.이곳의 설치 실효 기간은 1년이다.

exports.Expires = {
 fileMatch: /^(gif|png|jpg|js|css)$/ig,
 maxAge: 60*60*24*365
};
exports.Compress = {
 match: /css|js|html/ig
};
exports.Welcome = {
 file: "index.html"
};

확장자에 따라 Content-Type을 설정할 수 있는 다양한 리소스 유형을 열거합니다.

exports.types = {
 "css": "text/css",
 "gif": "image/gif",
 "html": "text/html",
 "ico": "image/x-icon",
 "jpeg": "image/jpeg",
 "jpg": "image/jpeg",
 "js": "text/javascript",
 "json": "application/json",
 "pdf": "application/pdf",
 "png": "image/png",
 "svg": "image/svg+xml",
 "swf": "application/x-shockwave-flash",
 "tiff": "image/tiff",
 "txt": "text/plain",
 "wav": "audio/x-wav",
 "wma": "audio/x-ms-wma",
 "wmv": "video/x-ms-wmv",
 "xml": "text/xml"
};

좋은 웹페이지 즐겨찾기