Express的官网
https://www.expressjs.com.cn/
Express是目前最流行的基于Node.js的Web开发框架,可以快速地搭建一个完整功能的网站。
Express框架的核心特性如下:
- 通过中间件来响应http请求。
- 定义路由表来执行不同的HTTP请求动作。
- 通过向模板传递参数来动态渲染页面。
安装:
首先新建一个文件夹,然后在文件夹中shift加右键进入命令窗口输入 npm init, 生成package.json文件。
然后最好去安装一个淘宝镜像cnpm
npm install -g cnpm --registry=https://registry.npm.taobao.org
使用cnpm安装express,最好使用淘宝镜像安装(npm可能会报错)
cnpm install express --save
这个是npm的安装
npm install express --save
执行之后,我们就可以发现在当前目录下多了一个node_modules文件,其中包含了express的相关文件。
在package.json文件中,可以发现多了依赖项express,如下:
{
"name": "express",
"version": "1.0.0",
"description": "",
"main": "index.js",
"scripts": {
"test": "echo \"Error: no test specified\" && exit 1"
},
"author": "",
"license": "ISC",
"dependencies": {
"express": "^4.17.1"
}
}
安装下面这个模块
body-parser - nodejs中间件,用于处理JSON、txt、Raw和Url编码的数据。(获取post请求必要的)
cnpm install body-parser --save
此时,在package.json中我们就可以看到目前的依赖项已经包含了这个:
"dependencies": {
"body-parser": "^1.17.1",
"express": "^4.15.2",
}
下面来使用:
简单打印一个Hello World
var express = require('express');
var app = express();
app.get('/', function (req, res) {
res.send('Hello World');
})
app.listen(8080);
Express 中的get、post
var express = require('express');
var app = express();
//用于post请求
//1
var bodyParser = require("body-parser");
//2
app.use(bodyParser.urlencoded({ extended: false }));
//静态私服,把所有的静态文件放到public文件夹中
app.use(express.static("public"));
app.get('/get', function (req, res) {
//获取get请求传值
req.query.参数名;
res.send("get请求");
});
app.post('/post', function (req, res) {
//获取post请求传值,要先引用1,2才能获取
req.body.参数名;
res.send("post请求");
});