HTTP請求都要經過TCP三次握手建立連線,四次分手斷開連,如果每個HTTP請求都要建立TCP連線的話是極其費時的,因此HTTP/1.1中瀏覽器預設開啟了Connection: keep-alive
。
data:image/s3,"s3://crabby-images/a44a2/a44a28aec9f6087641504c07861faedc25caa140" alt="長連線及在Node中的應用——HTTP/1.1 keep-alive"
let request = require('request');
router.get('/http1', (req, res, next) => {
request({
method: 'GET',
uri: 'http://xxx:8887/xxx'
}, (error, response, body) => {
console.log('response', response);
});
});
複製程式碼
在Node中我們經常使用是request模組來傳送HTTP請求,那麼就做一個實驗,先向這個8887埠傳送請求,結束後再看下這個連線是否還在。
...
data:image/s3,"s3://crabby-images/1e896/1e896ec9ddbf856679a9b02c1afd197e2a37ab06" alt="長連線及在Node中的應用——HTTP/1.1 keep-alive"
Connection: keep-alive
。
request({
method: 'GET',
uri: 'http://xxx:8887/xxx',
headers: {
Connection: 'keep-alive'
}
}, (error, response, body) => {
console.log('response', response);
});
複製程式碼
結果還是和上面一樣,連線數還是0,翻看request的文件,原來並不是這麼設定,而是使用forever這個配置
data:image/s3,"s3://crabby-images/99633/9963393eca343ac4f0ef15091972f2fa4f9f8ce1" alt="長連線及在Node中的應用——HTTP/1.1 keep-alive"
request({
method: 'GET',
uri: 'http://xxx:8887/xxx',
forever: true // 這個很重要 開啟keep-alive
}, (error, response, body) => {
console.log('response', response);
});
複製程式碼
data:image/s3,"s3://crabby-images/7ff0d/7ff0d2946d343f95644525acbc741fd039e3bd5f" alt="長連線及在Node中的應用——HTTP/1.1 keep-alive"
keep-alive
已經生效了,這個連線會保持多久?一般在nginx中有設定,預設65s。接下來看下,使用長連線後,是否省去了TCP的時間。
序列上面的請求10次來實驗。
router.get('/http1', (req, res, next) => {
async function fn() {
for (let i = 0; i < 10; i ++) {
await new Promise((resolve, reject) => {
request({
method: 'GET',
uri: 'http://xxx:8887/xxx',
time: true, // 配置這個屬性可以看到時間資訊
forever: true
}, (error, response, body) => {
console.log('timingPhases', response.timingPhases);
resolve();
});
});
}
return 'success';
}
fn().then(()=>{
res.json({
msg: 'end'
});
});
});
複製程式碼
data:image/s3,"s3://crabby-images/aa442/aa442de0037019de8164d249a53165a682924682" alt="長連線及在Node中的應用——HTTP/1.1 keep-alive"
以上就是在Node中如何使用
keep-alive
及驗證。順便看下,如果是並行請求,會建立多少個TCP連線呢?
router.get('/http1con', (req, res, next) => {
let promiseArr = [];
for (let i = 0; i < 10; i ++) {
let newP = new Promise((resolve, reject) => {
request({
method: 'GET',
uri: 'http://xxx:8887/xxx',
time: true,
forever: true
}, (error, response, body) => {
resolve();
});
});
promiseArr.push(newP);
}
Promise.all(promiseArr).then(() => {
res.json({
'msg': 'end'
});
});
});
複製程式碼
data:image/s3,"s3://crabby-images/685f3/685f3d3dd3e6305699933bf9b0d52aa7fe6f5077" alt="長連線及在Node中的應用——HTTP/1.1 keep-alive"