像 NodeJS 寫的 TCP 服務可以監聽在某個 sock 檔案(Domain Socket) 上,它的 HTTP 服務也能這麼幹。雖然作為 HTTP 服務連接某個 sock 檔案的意義不大,所以這裡只算是純粹的嘗試。
TCP 服務是這樣寫
var net = require('net');
net.createServer(function (socket) {
socket.on('data', function (data) {
socket.write('received: ' data);
});
}).listen('/tmp/node_tcp.sock');
連接上面那個 '/tmp/node_tcp.sock'
telnet /tmp/node_tcp.sock
Trying /tmp/node_tcp.sock...
Connected to (null).
Escape character is '^]'.
Hello World!
received: Hello World!
準確地說來本文應該是 NodeJS 的 TCP 和 HTTP 監聽 Domain Socket 檔案。
對於 TCP 監聽Domain Socket 還是很常用的,例如有時對本機的資料庫或快取的存取就會這麼做,像用'/tmp/mysql.sock' 來存取本機MySQL 服務,這樣就不需要啟動TCP 連接埠暴露出來,安全性有所提高,效能上也有一定的提升。
現在來看看 NodeJS 的 HTTP 監聽在 Domain Socket 上, 從經典的例子來改造下
var http = require('http');
http.createServer(function (req, res) {
res.writeHead(200, {'Content-Type': 'text/plain'});
res.end('Hello Worldn');
}).listen('/tmp/node_http.sock');
console.log('Server running at /tmp/node_http.sock');
尚不知如何在瀏覽器中存取以上的 HTTP 服務,所以用 telnet 測試
telnet /tmp/node_http.sock
Trying /tmp/node_http.sock...
Connected to (null).
Escape character is '^]'.
GET / HTTP/1.1
HTTP/1.1 200 OK
Content-Type: text/plain
Date: Mon, 26 Jan 2015 04:21:09 GMT
Connection: keep-alive
Transfer-Encoding: chunked
c
Hello World
0
能正確處理對 '/tmp/node_http.sock' 上的 HTTP 請求。
用 NodeJS HTTP Client 來存取
var http = require('http');
var options = {
socketPath: '/tmp/node_http.sock',
method: 'GET',
path: '/'
};
var req = http.request(options, function(res){
console.log('STATUS: ' res.statusCode);
console.log('HEADERS: ' JSON.stringify(res.headers));
res.on('data', function (chunk){
console.log(chunk.toString());
});
});
req.end();
執行上面的程式碼,假如檔名是 http_client.js,
node http_client.js
STATUS: 200
HEADERS: {"content-type":"text/plain","date":"Mon, 26 Jan 2015 04:25:49 GMT","connection":"close","transfer-encoding":"chunked" }
Hello World
本文只作記錄,現在還想不到讓 HTTP 服務監聽在 Domain Socket 上的實際用意,況且瀏覽器也無法對它進行存取。