• Web模块


    一、Web模块

    本节介绍Node.js Web模块,首先,你应该先了解什么是 Web服务器。

    1、什么是Web服务器?

    web服务器一般指网站服务器,是指驻留于因特网上某种类型计算机的程序。 Web服务器的基本功能就是提供Web信息浏览服务。它只需支持HTTP协议、HTML文档格式及URL,与客户端的网络浏览器配合。大多数Web服务器都支持服务端的脚本语言(Java、C#、php、python)等,并通过脚本语言从数据库获取数据,将结果返回给客户端浏览器。 目前最主流的三个 Web服务器是Apache.Nginx、llS。

    2、 Web应用架构

    client-客户端 :一般指浏览器,浏览器可以通过HTTP协议向服务器请求数据。 Server-服务端:一般指Web服务器,可以接收客户端请求,并向客户端发送响应数据。 Business -业务层:通过Web服务器处理应用程序,如与数据库交互,逻辑运算,调用外部程序等。 Data -数据层:一般由数据库组成。

     

    3、使用Node创建Web服务器

    以下是演示一个最基本的HTTP服务器架构(使用8888端口),创建server.js文件,代码如下所示:

    1. const http = require('http');
    2. const fs = require('fs');
    3. const url = require('url');
    4. // 创建服务器
    5. http.createServer(function (req, res) {
    6.    // 解析请求,包括文件
    7.    let pathname = url.parse(req.url).pathname;
    8.    // 默认首页
    9.    if (!pathname || pathname == '/') {
    10.        pathname = '/index.html';
    11.   }
    12.    console.log(`接受到${pathname}请求`);
    13.    // 读取文件
    14.    fs.readFile(pathname.substr(1), function (err, data) {
    15.        if (err) {
    16.            console.log(err);
    17.            // HTTP状态码:404 :NOT FOUND
    18.            // content Type: text/plain
    19.            res.writeHead(404, { "Content-Type": "text/html" });
    20.       } else {
    21.            // HTTP状态码:200 :OK
    22.            // content Type: text/plain
    23.            res.writeHead(200, { "Content-Type": "text/html" });
    24.            // 响应式文件内容
    25.            res.write(data.toString());
    26.       }
    27.        // 发送响应请求
    28.        res.end();
    29.   });
    30. }).listen(8888);
    31. console.log('http://localhost:8888');

    4、使用Node创建Web客户端

    1. let http = require('http');
    2. // 用于请求的选项
    3. let options = {
    4.    host: 'localhost',
    5.    port: '8866',
    6.    path: '/index.html',
    7. };
    8. // 处理响应的回调函数
    9. function callback(res) {
    10.    // 不断更新数据
    11.    var body = '';
    12.    res.on('data', function (truck) {
    13.        body += truck
    14.   })
    15.    // 数据接收完成
    16.    res.on('end', function () {
    17.        console.log(body);
    18.   });
    19. }
    20. // 向服务器发送请求
    21. var req = http.request(options, callback);
    22. req.end();
  • 相关阅读:
    若依前后端分离版开源项目学习
    有人说,Linux 发行版激增不利于 Linux 生态系统?
    怎么修改linux的root@后面的名称
    C语言典范编程
    自动化测试工具Selenium & Appium
    MyBatis自定义映射resultMap,处理一对多,多对一
    三、性能分析工具的使用
    人工神经网络原理及应用,深度神经网络应用实例
    c#优雅高效的读取字节数组——不安全代码(1)
    成都瀚网科技有限公司:抖音商家怎么免费入驻?
  • 原文地址:https://blog.csdn.net/weixin_62115642/article/details/126878377