本文翻譯自David Gilbertson的[19-things-i-learnt-reading-the-nodejs-docs](
https://hackernoon.com/19-thi...
本文從屬於筆者的Web開發入門與最佳實踐中NodeJS入門與最佳實踐系列文章。html
雖然我已經用了三年多的NodeJS,也曾經覺得本身對其無所不知。可是我好像從未有安靜的坐下來仔細地閱讀NodeJS的完整文檔。若是有熟悉個人朋友應該知道,我以前已經看了HTML,DOM,Web APIs,CSS,SVG以及ECMAScript的文檔,NodeJS是我這個系列的最後一個待翻閱的山峯。在閱讀文檔的過程當中我也發現了不少原本不知道的知識,我以爲我有必要分享給你們。不過文檔更多的是平鋪直敘,所以我也以閱讀的順序列舉出我以爲須要瞭解的點。node
不少時候咱們會從數據庫或其餘地方獲得這種奇怪格式的字符串:name:Sophie;shape:fox;condition:new
,通常來講咱們會利用字符串切割的方式來說字符串劃分到JavaScript Object。不過querystring
也是個不錯的現成的工具:git
const weirdoString = `name:Sophie;shape:fox;condition:new`; const result = querystring.parse(weirdoString, `;`, `:`); // result: // { // name: `Sophie`, // shape: `fox`, // condition: `new`, // };
以--inspect
參數運行你的Node應用程序,它會反饋你某個URL。將該URL複製到Chrome中並打開,你就可使用Chrome DevTools來調試你的Node應用程序啦。詳細的實驗能夠參考這篇文章。不過須要注意的是,該參數仍然屬於實驗性質。
github
這兩貨的區別可能光從名字上還看不出來,我以爲應該給它們取個別名:正則表達式
process.nextTick()
應該爲process.sendThisToTheStartOfTheQueue()
chrome
setImmediate
應該爲sendThisToTheEndOfTheQueue()
數據庫
再說句不相關的,React中的Props應該爲stuffThatShouldStayTheSameIfTheUserRefreshes
,而State應該爲stuffThatShouldBeForgottenIfTheUserRefreshes
。json
我更喜歡命名參數的方式調用函數,這樣相較於僅按照順序的無命名參數法會更直觀。別忘了Server.listen也可使用某個Object做爲參數:api
require(`http`) .createServer() .listen({ port: 8080, host: `localhost`, }) .on(`request`, (req, res) => { res.end(`Hello World!`); });
不過這個特性不是表述在http.Server這個API中,而是在其父級net.Server的文檔中。緩存
你傳入fs
模塊的距離能夠是相對地址,即相對於process.cwd()
。估計有些人早就知道了,不過我以前一直覺得是隻能使用絕對地址:
const fs = require(`fs`); const path = require(`path`); // why have I always done this... fs.readFile(path.join(__dirname, `myFile.txt`), (err, data) => { // do something }); // when I could just do this? fs.readFile(`./path/to/myFile.txt`, (err, data) => { // do something });
以前我一直不知道的某個功能就是從某個文件名中解析出路徑,文件名,文件擴展等等:
myFilePath = `/someDir/someFile.json`; path.parse(myFilePath).base === `someFile.json`; // true path.parse(myFilePath).name === `someFile`; // true path.parse(myFilePath).ext === `.json`; // true
別忘了console.dir(obj,{colors:true})
可以以不一樣的色彩打印出鍵與值,這一點會大大增長日誌的可讀性。
我喜歡使用setInterval
來按期執行數據庫清理任務,不過默認狀況下在存在setInterval
的時候NodeJS並不會退出,你可使用以下的方法讓Node沉睡:
const dailyCleanup = setInterval(() => { cleanup(); }, 1000 * 60 * 60 * 24); dailyCleanup.unref();
若是你嘗試在NodeJS中殺死某個進程,估計你用過以下語法:
process.kill(process.pid, `SIGTERM`);
這個沒啥問題,不過既然第二個參數同時可以使用字符串與整形變量,那麼還不如使用全局變量呢:
process.kill(process.pid, os.constants.signals.SIGTERM);
NodeJS中含有內置的IP地址校驗工具,這一點能夠省得你寫額外的正則表達式:
require(`net`).isIP(`10.0.0.1`) 返回 4 require(`net`).isIP(`cats`) 返回 0
不知道你有沒有手寫過行結束符,看上去可不漂亮啊。NodeJS內置了os.EOF
,其在Windows下是rn
,其餘地方是n
,使用os.EOL可以讓你的代碼在不一樣的操做系統上保證一致性:
const fs = require(`fs`); // bad fs.readFile(`./myFile.txt`, `utf8`, (err, data) => { data.split(`\r\n`).forEach(line => { // do something }); }); // good const os = require(`os`); fs.readFile(`./myFile.txt`, `utf8`, (err, data) => { data.split(os.EOL).forEach(line => { // do something }); });
NodeJS幫咱們內置了HTTP狀態碼及其描述,也就是http.STATUS_CODES
,鍵爲狀態值,值爲描述:
你能夠按照以下方法使用:
someResponse.code === 301; // true require(`http`).STATUS_CODES[someResponse.code] === `Moved Permanently`; // true
有時候碰到以下這種致使服務端崩潰的狀況仍是挺無奈的:
const jsonData = getDataFromSomeApi(); // But oh no, bad data! const data = JSON.parse(jsonData); // Loud crashing noise.
我爲了不這種狀況,在全局加上了一個:
process.on(`uncaughtException`, console.error);
固然,這種辦法毫不是最佳實踐,若是是在大型項目中我仍是會使用PM2,而後將全部可能崩潰的代碼加入到try...catch
中。
除了on
方法,once
方法也適用於全部的EventEmitters,但願我不是最後才知道這個的:
server.once(`request`, (req, res) => res.end(`No more from me.`));
你可使用new console.Console(standardOut,errorOut)
,而後設置自定義的輸出流。你能夠選擇建立console將數據輸出到文件或者Socket或者第三方中。
某個年輕人告訴我,Node並不會緩存DNS查詢信息,所以你在使用URL以後要等個幾毫秒才能獲取到數據。不過其實你可使用dns.lookup()
來緩存數據:
dns.lookup(`www.myApi.com`, 4, (err, address) => { cacheThisForLater(address); });
fs.stats()
返回的對象中的mode
屬性在Windows與其餘操做系統中存在差別。
fs.lchmod()
僅在macOS中有效。
僅在Windows中支持調用fs.symlink()
時使用type
參數。
僅僅在macOS與Windows中調用fs.watch()
時傳入recursive
選項。
在Linux與Windows中fs.watch()
的回調能夠傳入某個文件名
使用fs.open()
以及a+
屬性打開某個目錄時僅僅在FreeBSD以及Windows上起做用,在macOS以及Linux上則存在問題。
在Linux下以追加模式打開某個文件時,傳入到fs.write()
的position
參數會被忽略。
筆者在文檔中看到一些關於兩者性能的討論,還特意運行了兩個服務器來進行真實比較。結果來看http.Server
大概每秒能夠接入3400個請求,而net.Server
能夠接入大概5500個請求。
// This makes two connections, one to a tcp server, one to an http server (both in server.js) // It fires off a bunch of connections and times the response // Both send strings. const net = require(`net`); const http = require(`http`); function parseIncomingMessage(res) { return new Promise((resolve) => { let data = ``; res.on(`data`, (chunk) => { data += chunk; }); res.on(`end`, () => resolve(data)); }); } const testLimit = 5000; /* ------------------ */ /* -- NET client -- */ /* ------------------ */ function testNetClient() { const netTest = { startTime: process.hrtime(), responseCount: 0, testCount: 0, payloadData: { type: `millipede`, feet: 100, test: 0, }, }; function handleSocketConnect() { netTest.payloadData.test++; netTest.payloadData.feet++; const payload = JSON.stringify(netTest.payloadData); this.end(payload, `utf8`); } function handleSocketData() { netTest.responseCount++; if (netTest.responseCount === testLimit) { const hrDiff = process.hrtime(netTest.startTime); const elapsedTime = hrDiff[0] * 1e3 + hrDiff[1] / 1e6; const requestsPerSecond = (testLimit / (elapsedTime / 1000)).toLocaleString(); console.info(`net.Server handled an average of ${requestsPerSecond} requests per second.`); } } while (netTest.testCount < testLimit) { netTest.testCount++; const socket = net.connect(8888, handleSocketConnect); socket.on(`data`, handleSocketData); } } /* ------------------- */ /* -- HTTP client -- */ /* ------------------- */ function testHttpClient() { const httpTest = { startTime: process.hrtime(), responseCount: 0, testCount: 0, }; const payloadData = { type: `centipede`, feet: 100, test: 0, }; const options = { hostname: `localhost`, port: 8080, method: `POST`, headers: { 'Content-Type': `application/x-www-form-urlencoded`, }, }; function handleResponse(res) { parseIncomingMessage(res).then(() => { httpTest.responseCount++; if (httpTest.responseCount === testLimit) { const hrDiff = process.hrtime(httpTest.startTime); const elapsedTime = hrDiff[0] * 1e3 + hrDiff[1] / 1e6; const requestsPerSecond = (testLimit / (elapsedTime / 1000)).toLocaleString(); console.info(`http.Server handled an average of ${requestsPerSecond} requests per second.`); } }); } while (httpTest.testCount < testLimit) { httpTest.testCount++; payloadData.test = httpTest.testCount; payloadData.feet++; const payload = JSON.stringify(payloadData); options[`Content-Length`] = Buffer.byteLength(payload); const req = http.request(options, handleResponse); req.end(payload); } } /* -- Start tests -- */ // flip these occasionally to ensure there's no bias based on order setTimeout(() => { console.info(`Starting testNetClient()`); testNetClient(); }, 50); setTimeout(() => { console.info(`Starting testHttpClient()`); testHttpClient(); }, 2000);
// This sets up two servers. A TCP and an HTTP one. // For each response, it parses the received string as JSON, converts that object and returns a string const net = require(`net`); const http = require(`http`); function renderAnimalString(jsonString) { const data = JSON.parse(jsonString); return `${data.test}: your are a ${data.type} and you have ${data.feet} feet.`; } /* ------------------ */ /* -- NET server -- */ /* ------------------ */ net .createServer((socket) => { socket.on(`data`, (jsonString) => { socket.end(renderAnimalString(jsonString)); }); }) .listen(8888); /* ------------------- */ /* -- HTTP server -- */ /* ------------------- */ function parseIncomingMessage(res) { return new Promise((resolve) => { let data = ``; res.on(`data`, (chunk) => { data += chunk; }); res.on(`end`, () => resolve(data)); }); } http .createServer() .listen(8080) .on(`request`, (req, res) => { parseIncomingMessage(req).then((jsonString) => { res.end(renderAnimalString(jsonString)); }); });
若是你是在REPL模式下,就是直接輸入node而後進入交互狀態的模式。你能夠直接輸入.load someFile.js
而後能夠載入包含自定義常量的文件。
能夠經過設置NODE_REPL_HISTORY=""
來避免將日誌寫入到文件中。
_
用來記錄最後一個計算值。
在REPL啓動以後,全部的模塊都已經直接加載成功。可使用os.arch()
而不是require(
os).arch()
來使用。