从零开始学习Node.js例子九 设置HTTP头
server.js
//basic server的配置文件
var port = ;
var server = require('./basicserver').createServer();
server.useFavIcon("localhost", "./docroot/favicon.png");
server.addContainer(".*", "/l/(.*)$", require('./redirector'), {})
server.docroot("localhost", "/", "./docroot");
//server.useFavIcon("127.0.0.1", "./docroot/favicon.png");
//server.docroot("127.0.0.1", "/", "./docroot");
server.listen(port);
basicserver.js
Response Header 服务器发送到客户端 对于某些应用,特别是一些处理固定数据的小型应用,我们可以精准的知道该使用哪一种Content-Type头,因为应用发送的数据是特定已知的。然而staticHandler能发送任何文件,通常不知道该使用哪种Content-Type。通过匹配文件扩展名列表和Content-Type可以解决这个问题,但是这个方案不完美。最好的实践方案是使用一个外部的配置文件,它通常由操作系统提供。 MIME npm包使用了Apache项目的mime.types文件,该文件包含超过600个Content-Type的有关数据,如果有需要,mime模块也支持添加自定义的MIME类型。 npm install mime var mime = require('mime'); 一些相关的HTTP头: HTTP协议是无状态的,意味着web服务器不能辨认不同的请求发送端。现在普遍的做法是,服务器发送cookie到客户端浏览器,cookie中定义了登陆用户的身份,对于每一次请求,web浏览器都会发送对应所访问网站的cookie。 发送cookie时,我们应以如下方式为Set-Cookie或Set-Cookie2头设一个值: |
/*
Basic Server的核心模块会创建一个HTTP服务器对象,附加Basic Server上用于检查请求,然后给予适当响应的功能
Basic Server可以通过判断Host头部匹配的容器对象响应来自多个域名的请求
*/
var http = require('http');
var url = require('url'); exports.createServer = function(){
var htserver = http.createServer(function(req, res){
req.basicServer = {urlparsed: url.parse(req.url, true)};
processHeaders(req, res);
dispatchToContainer(htserver, req, res);
});
htserver.basicServer = {containers: []};
htserver.addContainer = function(host, path, module, options){
if (lookupContainer(htserver, host, path) != undefined){
throw new Error("Already mapped " + host + "/" + path);
}
htserver.basicServer.containers.push({host: host, path: path, module: module, options: options});
return this;
}
htserver.useFavIcon = function(host, path){
return this.addContainer(host, "/favicon.ico", require('./faviconHandler'), {iconPath: path});
}
htserver.docroot = function(host, path, rootPath){
return this.addContainer(host, path, require('./staticHandler'), {docroot: rootPath});
} return htserver;
} var lookupContainer = function(htserver, host, path){
for (var i = ; i < htserver.basicServer.containers.length; i++){
var container = htserver.basicServer.containers[i];
var hostMatches = host.toLowerCase().match(container.host);
var pathMatches = path.match(container.path);
if (hostMatches !== null && pathMatches !== null){
return {container: container, host: hostMatches, path: pathMatches};
}
}
return undefined;
} //用于搜索req.headers数组以查找cookie和host头部,因为这两个字段对请求的分派都很重要
//这个函数在每一个HTTP请求到达时都会被调用
//还有很多其他的HTTP头部字段(Accept Accept-Encoding Accept-Language User-Agent)
var processHeaders = function(req, res){
req.basicServer.cookies = [];
var keys = Object.keys(req.headers);
for (var i = ; i < keys.length; i++){
var hname = keys[i];
var hval = req.headers[hname];
if (hname.toLowerCase() === "host"){
req.basicServer.host = hval;
}
//提取浏览器发送的cookie
if (hname.toLowerCase() === "cookie"){
req.basicServer.cookies.push(hval);
}
}
} //查找匹配的容器,分派请求到对应的容器中
//这个函数在每一个HTTP请求到达时都会被调用
var dispatchToContainer = function(htserver, req, res){
var container = lookupContainer(htserver, req.basicServer.host, req.basicServer.urlparsed.pathname);
if (container !== undefined){
req.basicServer.hostMatches = container.host;
req.basicServer.pathMatches = container.path;
req.basicServer.container = container.container;
container.container.module.handle(req, res);
}else {
res.writeHead(, {'Content-Type': 'text/plain'});
res.end("no handler found for " + req.basicServer.host + "/" + req.basicServer.urlparsed);
}
}
staticHandler.js
//用于处理文件系统内的文件,docroot选项指被存放文件所在文件夹的路径,读取该目录下的指定文件
var fs = require('fs');
var mime = require('mime');
var sys = require('sys'); exports.handle = function(req, res){
if (req.method !== "GET"){
res.writeHead(, {'Content-Type': 'text/plain'});
res.end("invalid method " + req.method);
} else {
var fname = req.basicServer.container.options.docroot + req.basicServer.urlparsed.pathname;
if (fname.match(/\/$/)) fname += "index.html"; //如果URL以/结尾
fs.stat(fname, function(err, stats){
if (err){
res.writeHead(, {'Content-Type': 'text/plain'});
res.end("file " + fname + " not found " + err);
} else {
fs.readFile(fname, function(err, buf){
if (err){
res.writeHead(, {'Content-Type': 'text/plain'});
res.end("file " + fname + " not readable " + err);
} else {
res.writeHead(, {'Content-Type': mime.lookup(fname),
'Content-Length': buf.length});
res.end(buf);
}
});
}
});
}
}
faviconHandler.js
//这个处理函数处理对favicon.ico的请求
//MIME模块根据给出的图标文件确定正确的MIME类型,网站图标favicon可以是任何类型的图片,但是我们必须要告诉浏览器是哪个类型
//MIME模块,用于生成正确的Content-Type头
var fs = require('fs');
var mime = require('mime'); exports.handle = function(req, res){
if (req.method !== "GET"){
res.writeHead(, {'Content-Type': 'text/plain'});
res.end("invalid method " + req.method);
} else if (req.basicServer.container.options.iconPath !== undefined){
fs.readFile(req.basicServer.container.options.iconPath, function(err, buf){
if (err){
res.writeHead(, {'Content-Type': 'text/plain'});
res.end(req.basicServer.container.options.iconPath + "not found");
} else {
res.writeHead(, {'Content-Type': mime.lookup(req.basicServer.container.options.iconPath),
'Content-Length': buf.length});
res.end(buf);
}
});
} else {
res.writeHead(, {'Content-Type': 'text/plain'});
res.end("no favicon");
}
}
redirector.js
/*
把一个域的请求重定向到另一个上,例如将www.example.com重定向到example.com上,或者使用简短的URL跳转到较长的URL
实现这两种情况,我们需要在HTTP响应中发送301(永久移除)或者302(临时移除)状态码,并且指定location头信息。有了这个组合
信号,web浏览器就知道要跳转到另一个web位置了
*/
//地址http://localhost:3000/l/ex1 会跳转到http://example1.com
var util = require('util');
var code2url = {'ex1': 'http://example1.com', 'ex2': "http://example2.com"};
var notFound = function(req, res){
res.writeHead(, {'Content-Type': 'text/plain'});
res.end("no matching redirect code found for " + req.basicServer.host + "/" + req.basicServer.urlparsed.pathname);
} exports.handle = function(req, res){
if (req.basicServer.pathMatches[]){
var code = req.basicServer.pathMatches[];
if (code2url[code]){
var url = code2url[code];
res.writeHead(, {'Location': url});
res.end();
} else {
notFound(req, res);
}
} else {
notFound(req, res);
}
}
docroot目录下:有favicon.png
index.html
<html>
<head>
</head>
<body>
<h1>Index</h1>
<p>this is a index html.</p>
</body>
</html>
从零开始学习Node.js例子九 设置HTTP头的更多相关文章
- 从零开始学习Node.js例子三 图片上传和显示
index.js var server = require("./server"); var router = require("./router"); var ...
- 从零开始学习Node.js例子一 http get和post
httpserverrequestget.js /* 获取GET请求内容 由于GET请求直接被嵌入在路径中,URL是完整的请求路径,包括了?后面的部分,因此你可以手动解析后面的内容作为GET请求的参数 ...
- 从零开始学习Node.js例子七 发送HTTP客户端请求并显示响应结果
wget.js:发送HTTP客户端请求并显示响应的各种结果 options对象描述了将要发出的请求.data事件在数据到达时被触发,error事件在发生错误时被触发.HTTP请求中的数据格式通过MIM ...
- 从零开始学习Node.js例子八 使用SQLite3和MongoDB
setup.js:初始化数据库 var util = require('util'); var async = require('async'); //npm install async var no ...
- 从零开始学习Node.js例子六 EventEmitter发送和接收事件
pulser.js /* EventEmitter发送和接收事件 HTTPServer和HTTPClient类,它们都继承自EventEmitter EventEmitter被定义在Node的事件(e ...
- 从零开始学习Node.js例子五 服务器监听
httpsnifferInvoke.js var http = require('http'); var sniffer = require('./httpsniffer'); var server ...
- 从零开始学习Node.js例子四 多页面实现数学运算 续二(client端和server端)
1.server端 支持数学运算的服务器,服务器的返回结果用json对象表示. math-server.js //通过监听3000端口使其作为Math Wizard的后台程序 var math = r ...
- 从零开始学习Node.js例子四 多页面实现数学运算 续一(使用connect和express框架)
1.使用connect框架 .use方法用于绑定中间件到connect服务器,它会配置一系列在接到请求时调用的中间件模块,此例中我们要配置的中间件有favicon logger static rout ...
- 从零开始学习Node.js例子四 多页面实现数学运算
app-node.js ; var http = require('http'); var htutil = require('./htutil'); var server = http.create ...
随机推荐
- 编辑美化图片,保存至本地,Adobe出品(支持IOS,android,web调用)免费插件
本例以web调用做为例子,本插件支持主流浏览器,IE要9以上,移动设备,触屏设备也支持,能自适应屏幕大小. 使用效果: 工具还是很丰富的,编辑完成之后,可以保存图片至本地目录. 使用说明: 1,需要在 ...
- Joomla软件功能介绍与开源程序大比拼Joomla,wordpress,Drupal哪个好?
Joomla 软件功能介绍: Joomla!是一套在国外相当知名的内容管理系统 (Content Management System, CMS),它属于Portal(企业入口网站)类型,顾名思义 ...
- 数据加密标准——DES
DES算法和DESede算法统称DES系列算法.DES算法是对称加密算法领域中的典型算法,为后续对称加密算法的发展奠定了坚实的基础.但是DES算法密钥偏短,仅有56位,迭代次数偏少,受到诸如查分密码分 ...
- JavaWeb AJAX
1. Asynchronized JavaScript And XML 异步JavaScript和XML,它并不是一门新的语言或技术,实际是几项技术按一定的方式组合在一起共同的协作中发挥各自的作用, ...
- sql 多行转换为一行
select 字段1, [val]=( select 字段2 +',' from 表名 as b where b.字段1 = a.字段1 for xml path('')) from 表名 as a ...
- sae评测报告-2013最新版
Author:MoonXue 上线时间:2009年9月,国内最早. 支持语言:PHP.JAVA.PYTHON 版本管理:SVN 可选数据库:MySQ.KVDB(非关系型) 特色服务:Web服务器配置工 ...
- html图片预览
<!DOCTYPE html> <html> <head> <meta charset="utf-8" /> <title&g ...
- 白皮 Chapter 2
7.2 做题一遍就过的感觉简直太美好啦~然而我并没有测试数据QAQ //program name digit #include<cstdio> #include<iostream&g ...
- HPL/SQL与CDH5.4.7集成
1.下载hplsql-0.3.13到本地并解压 2.修改plsql,为如下内容 #!/bin/bash export "HADOOP_CLASSPATH=/opt/cloudera/parc ...
- redis随笔集-使用
redis是一个开源的.使用C语言编写的.支持网络交互的.可基于内存也可持久化的Key-Value数据库 一数据集合: 1.list -- 链表 key-value形式,通过list ID 可以实 ...