Node.js的http模块:创建HTTP服务器、客户端示例

ops/2024/11/26 17:48:07/

新书速览|Vue.js+Node.js全栈开发实战-CSDN博客

《Vue.js+Node.js全栈开发实战(第2版)(Web前端技术丛书)》(王金柱)【摘要 书评 试读】- 京东图书 (jd.com)

要使用http模块,只需要在文件中通过require('http')引入即可。http模块是Node.js原生模块中最为亮眼的模块。传统的HTPP服务器会由Apache、Nginx、IIS之类的软件来担任,但是Node.js并不需要。Node.js的http模块本身就可以构建服务器,而且性能非常可靠。

1.Node.js服务器端

下面创建一个简单的Node.js服务器。

【代码4-4】
01  const http = require('http');
02  const server = http.createServer(function(req, res) {
03      res.writeHead(200,{
04          'content-type': 'text/plain'
05      });
06      res.end('Hello, Node.js!');
07  });
08  server.listen(3000, function() {
09      console.log('listening port 3000');
10  });

【代码说明】

  1. 运行这段代码,在浏览器中打开http://localhost:3000/或者http://127.0.0.1:3000/,页面中显示“Hello,Node.js!”文字。

http.createServer()方法返回的是http模块封装的一个基于事件的HTTP服务器。同样地,http.request是其封装的一个HTTP客户端工具,可以用来向HTTP服务器发起请求。上面的req和res分别是http.IncomingMessage和 http.ServerResponse的实例。

http.Server的事件主要有:

  1. request:最常用的事件,当客户端请求到来时,该事件被触发,提供req和res两个参数,表示请求和响应信息。
  2. connection:当TCP连接建立时,该事件被触发,提供一个socket参数,是net.Socket的实例。
  3. close:当服务器关闭时,触发事件(注意,不是在用户断开连接时)。

http.createServer()方法其实就是添加了一个request事件监听,利用下面的代码同样可以实现【代码4-4】的效果。

【代码4-5】
01  const http = require('http');
02  const server = new http.Server();
03  server.on('request', function(req, res) {
04      res.writeHead(200,{
05          'content-type': 'text/plain'
06      });
07      res.end('Hello, Node.js!');
08  });
09  server.listen(3000, function() {
10      console.log('listening port 3000');
11  });

http.IncomingMessage是HTTP请求的信息,提供了以下3个事件:
    data:当请求体数据到来时该事件被触发。该事件提供一个chunk参数,表示接收的数据。
    end:当请求体数据传输完毕时,该事件被触发,此后不会再有数据。
    close:用户当前请求结束时,该事件被触发。
http.IncomingMessage提供的主要属性有:
    method:HTTP请求的方法,如GET。
    headers:HTTP请求头。
    url:请求路径。
    httpVersion:HTTP协议的版本。
将上面提到的知识融合到【代码4-4】的服务器代码中。

【代码4-6】
01  const http = require('http');
02  const server = http.createServer(function(req, res) {
03      let data  = '';
04      req.on('data', function(chunk) {
05          data += chunk;
06      });
07      req.on('end', function() {
08          let method = req.method;
09          let url = req.url;
10          let headers = JSON.stringify(req.headers);
11          let httpVersion = req.httpVersion;
12          res.writeHead(200,{
13              'content-type': 'text/html'
14          });
15          let dataHtml = '<p>data:' + data + '</p>';
16          let methodHtml = '<p>method:' + method + '</p>';
17          let urlHtml = '<p>url:' + url + '</p>';
18          let headersHtml = '<p>headers:' + headers + '</p>';
19          let httpVersionHtml = '<p>httpVersion:' + httpVersion + '</p>';
20  let resData=dataHtml + methodHtml + urlHtml + headersHtml + httpVersionHtml;
21          res.end(resData);
22      });
23  });
24  server.listen(3000, function() {
25      console.log('listening port 3000');
26  });

打开浏览器输入地址后,可以在浏览器页面中看到如图4.9所示的信息。

图4.9  浏览器效果

http.ServerResponse是返回给客户端的信息,其常用的方法为:

  1. res.writeHead(statusCode,[heasers]):向请求的客户端发送响应头。
  2. res.write(data,[encoding]):向请求发送内容。
  3. res.end([data],[encoding]):结束请求。

这些方法在上面的代码中已经演示过了,这里就不再演示了。

2.客户端向HTTP服务器发起请求

客户端向HTTP服务器发起请求的方法有:

  1. http.request(option[,callback]):option为json对象,主要字段有host、port(默认为80)、method(默认为GET)、path(请求的相对于根的路径,默认是“/”)、headers等。该方法返回一个httpClientRequest实例。
  2. http.get(option[,callback]):http.request()使用HTTP请求方式GET的简便方法。

同时运行【代码4-4】和【代码4-7】中的代码,可以发现命令行中输出“Hello, Node.js!”字样,表明一个简单的GET请求发送成功了。

【代码4-7】

01  const http = require('http');
02  let reqData = '';
03  http.request({
04      'host': '127.0.0.1',
05      'port': '3000',
06      'method': 'get'
07  }, function(res) {
08      res.on('data', function(chunk) {
09          reqData += chunk;
10      });
11      res.on('end', function() {
12          console.log(reqData);
13      });
14  }).end();

利用http.get()方法也可以实现同样的效果。

【代码4-8】
01  const http = require('http');
02  let reqData = '';
03  http.get({
04      'host': '127.0.0.1',
05      'port': '3000'
06  }, function(res) {
07      res.on('data', function(chunk) {
08          reqData += chunk;
09      });
10      res.on('end', function() {
11          console.log(reqData);
12      });
13  }).end();

与服务端一样,http.request()和http.get()方法返回的是一个http.ClientRequest()实例。http.ClientRequest()类主要的事件和方法有:

  1. response:当接收到响应时触发。
  2. request.write(chunk[,encoding][,callback]):发送请求数据。
  3. res.end([data][,encoding][,callback]):发送请求完毕,应该始终指定这个方法。

同样可以改写【代码4-8】为【代码4-9】。

【代码4-9】
01  const http = require('http');
02  let reqData = '';
03  let option= {
04      'host': '127.0.0.1',
05      'port': '3000'
06  };
07  const req = http.request(option);
08  req.on('response', function(res) {
09      res.on('data', function(chunk) {
10          reqData += chunk;
11      });
12      res.on('end', function() {
13          console.log(reqData);
14      });
15  });


http://www.ppmy.cn/ops/136885.html

相关文章

实时数据开发 | 怎么通俗理解Flink容错机制,提到的checkpoint、barrier、Savepoint、sink都是什么

今天学Flink的关键技术–容错机制&#xff0c;用一些通俗的比喻来讲这个复杂的过程。参考自《离线和实时大数据开发实战》 需要先回顾昨天发的Flink关键概念 检查点&#xff08;checkpoint&#xff09; Flink容错机制的核心是分布式数据流和状态的快照&#xff0c;从而当分布…

【git】commit之后,想撤销commit

一、已经commit&#xff0c;想要回退到上一步 保留代码 git reset --soft HEAD^回退到具体的哪一步 HEAD^的意思是上一个版本&#xff0c;也可以写成HEAD~1如果你进行了2次commit&#xff0c;想都撤回&#xff0c;可以使用HEAD~2二、git reflog 查看 sha值 git reflog 回到…

LeetCode—704. 二分查找(简单)

仅供个人学习使用 题目描述&#xff1a; 给定一个 n 个元素有序的&#xff08;升序&#xff09;整型数组 nums 和一个目标值 target &#xff0c;写一个函数搜索 nums 中的 target&#xff0c;如果目标值存在返回下标&#xff0c;否则返回 -1。 示例 1: 输入: nums [-1,0,3…

【cocos creator】下拉框

https://download.csdn.net/download/K86338236/90038176 const { ccclass, property } cc._decorator;type DropDownOptionData {optionString?: string,optionSf?: cc.SpriteFrame } type DropDownItemData {label: cc.Label,sprite: cc.Sprite,toggle: cc.Toggle }cccl…

【Spring Boot】# 使用@Scheduled注解无法执行定时任务

1. 前言 在 Spring Boot中&#xff0c;使用Scheduled注解来定义定时任务时&#xff0c;定时任务不执行&#xff1b;或未在规定时间执行。 import org.springframework.scheduling.annotation.Scheduled; import org.springframework.stereotype.Component;Component public c…

Python 爬虫从入门到(不)入狱学习笔记

爬虫的流程&#xff1a;从入门到入狱 1 获取网页内容1.1 发送 HTTP 请求1.2 Python 的 Requests 库1.2 实战&#xff1a;豆瓣电影 scrape_douban.py 2 解析网页内容2.1 HTML 网页结构2.2 Python 的 Beautiful Soup 库 3 存储或分析数据&#xff08;略&#xff09; 一般爬虫的基…

【MATLAB源码-第223期】基于matlab的Massive-MIMO Vblast检测比较,对比ZF ZF-SIC MMSE MMSE-SIC四种算法。

操作环境&#xff1a; MATLAB 2022a 1、算法描述 无线通信系统的发展极大地推动了现代通信技术的进步&#xff0c;从移动通信到无线局域网&#xff0c;甚至是物联网&#xff0c;均依赖于无线通信系统的高效和可靠性。在无线通信系统中&#xff0c;核心目标是实现数据的可靠传…

2024年11月最新版Adobe PhotoShop(26.0)中文版下载

点击下载 Adobe PhotoShop 是一款功能强大的应用程序&#xff0c;已被各种公司、专业艺术家、设计和创作者广泛使用。该程序允许您创建、编辑和合成多层、蒙版和多种颜色模型&#xff08;包括 RGB、专色、CMYK 等&#xff09;的光栅图像。 Adobe Adobe PhotoShop 主要功能&…