node是基于chrome v8引擎的javascript代码运行环境
参考菜鸟教程:https://www.runoob.com/nodejs/nodejs-install-setup.html
clear:清除命令行
点击键盘上的shift键,再次点击鼠标,打开命令行工具,即可打开js文件
function fn() {
console.log('hello Node.js');
}
fn()
浏览器全局对象是window Node.js全局对象是global
global.console.log('hello Node.js');
global.setTimeout(() => {
console.log('hello Node');
}, 2000);
js在使用的时候存在两大问题:文件依赖及命名冲突,而Node模块化开发恰恰解决这个问题,文件之间处于半封闭的状态,把需要的模块暴露出来,不需要的模块则不需要暴露出来
一个功能就是一个模块,多个模块组成一个完整的应用,抽取一个模块不会影响其它模块的运行
a模块
const add = (n1, n2) => n1 + n2;
// 导出a模块
exports.add = add;
b模块
// 导入a模块
const b = require('./a');
// 使用a模块的方法
console.log(b.add(20, 50));
使用module.exports导出模块
a模块
const Name = name => `hello ${name}`;
module.exports.Name = Name;
const x = 100;
// 导出模块
exports.x = x;
b模块
let b = require('./a');
console.log(b.Name('尧子陌'));
console.log(b.x)
当module.exports与exports指向不同的地址时,最后的结果以module.exports为准
a模块
module.exports = {
name: "尧子陌"
},
exports = {
name: "张三"
}
b模块
let b = require('./a.js');
console.log(b);
Node运行环境提供的API,便叫做系统模块
f:文件 s:系统 fs:文件系统
let fs = require('fs');
fs.readFile('./1.node初体验.js', 'utf8', (err, doc) => {
console.log(err);
console.log(doc);
})
写入文件后,会自动生成demo.text,内容为尧子陌
let fs = require('fs');
fs.writeFile('./demo.text', '尧子陌', err => {
if (err != null) {
console.log(err);
return;
}
console.log('文件写入成功');
})
path模块中join()方法可以判断我们使用的是哪种操作系统,从而可以实现符合当前的操作系统的路径拼接
// 引入path模块
let path = require('path');
// 开始拼接路径
let pathFile = path.join('path模块', 'path');
console.log(pathFile);
大多数的情况下,相对路径是相对于命令行所在的目录,而绝对路径是相对于当前的工作目录
const fs = require('fs');
const path = require('path')
console.log(__dirname);
console.log(path.join(__dirname, '1.node初体验.js'));
fs.readFile(path.join(__dirname, '1.node初体验.js'), 'utf8', (err, doc) => {
console.log(err);
console.log(doc);
})
别人写好的 具有特定的功能,我们可以直接使用的模块被称为第三方模块
第三方模块的存在形式
npm:node的第三方模块管理工具
使用方法
下载模块:npm install 模块名称
卸载模块:npm uninstall package 模块名称
nodemon:命令行工具,用来辅助项目开发,主要用来监视用户状态,代码发生改变时,命令行的结果同步改变
下载方式:npm install nodemon -g
nrm:npm下载切换工具
使用方法
1.使用npm install nrm –g 下载它
2.查询可用下载地址列表 nrm ls
3.切换npm下载地址 nrm use 下载地址名称
require('./find.js)
require('./find')
1.如果模块后缀省略,先找同名JS文件再找同名JS文件夹
2.require方法根据模块路径查找模块,如果是完整路径,直接引入模块。
3.如果找到了同名文件夹,找文件夹中的index.js
4.如果文件夹中没有index.js就会去当前文件夹中的package.json文件中查找main选项中的入口文件
5.如果找指定的入口文件不存在或者没有指定入口文件就会报错,模块没有被找到
require('find)
1.Node.js会假设它是系统模块
2.Node.js会去node_modules文件夹中
3.首先看是否有该名字的JS文件
4.再看是否有该名字的文件夹
5.如果是文件夹看里面是否有index.js
6.如果没有index.js查看该文件夹中的package.json中的main选项确定模块入口文件
7.否则找不到报错
URL:统一资源定位符,也就是我们常说的网页地址
在开发的过程中,客户端和服务端使用的是同一台电脑,即为开发人员电脑
//引进http模块
const http = require('http');
//创建服务器对象app
const app = http.createServer();
//当有服务器请求的时候,便会启动服务器
app.on('request', (req, res) => {
// 设置页面内容是html,编码格式是utf-8。
res.writeHead(200, { 'Content-Type': 'text/html; charset=utf-8' });
//返回服务器响应的内容
res.end("尧子陌")
})
//监听端口
app.listen(8080);
//附加说明
console.log('服务器启动成功');
//引进http模块
const http = require('http');
//创建服务器对象app
const app = http.createServer();
//当有服务器请求的时候,便会启动服务器
app.on('request', (req, res) => {
// 设置页面内容是html,编码格式是utf-8。
res.writeHead(200, { 'Content-Type': 'text/html; charset=utf-8' });
//获取请求报文的属性
console.log(req.headers['accept']);
//根据请求的网址响应不同的内容
if (req.url == '/index' || req.url == '/') {
res.end("welcome to home")
} else if (req.url = '/list') {
res.end("welcome to list")
} else {
res.end('not found')
}
//根据请求方式响应不同的内容
if (req.method == 'GET') {
res.end('get')
} else if (req.method == 'POST') {
res.end('post')
}
})
//监听端口
app.listen(3030);
//附加说明
console.log('服务器启动成功');
form.html
表单请求
HTTP状态吗
内容类型
客户端向服务器端发送请求时,有时需要携带一些客户信息,客户信息需要通过请求参数的形式传递到服务器端,比如登录操作。
参数被放置在浏览器地址栏中,例如:http://localhost:3000/?name=zhangsan&age=20
参数获取需要借助系统模块url,url模块用来处理url地址
//引进http模块
const http = require('http');
//创建服务器对象app
const app = http.createServer();
//引进系统模块
const url = require('url');
//当有服务器请求的时候,便会启动服务器
app.on('request', (req, res) => {
//HTTP响应报文的代码
res.writeHead(200, { 'Content-Type': 'text/html; charset=utf-8' });
console.log(url.parse(req.url));
//query是请求参数,第二个参数为true可以转换成对象序列
//pathname是路径
let {query,pathname} = url.parse(req.url,true);
console.log(query.name);
console.log(query.age)
if (pathname == '/index' || pathname == '/') {
res.end("欢迎来到首页
")
} else if (pathname == '/list') {
res.end("欢迎来到列表页
")
} else {
res.end("not find
")
}
// 设置页面内容是html,编码格式是utf-8。
//返回服务器响应的内容
res.end("尧子陌")
})
//监听端口
app.listen(3000);
//附加说明
console.log('服务器启动成功');
POST请求参数
//引进http模块
const http = require('http');
//创建服务器对象app
const app = http.createServer();
//处理请求参数模块
const querystring = require('querystring')
//当有服务器请求的时候,便会启动服务器
app.on('request', (req, res) => {
//HTTP响应报文的代码
res.writeHead(200, { 'Content-Type': 'text/html; charset=utf-8' });
//post参数是通过事件的方式接受的
//参数进行传递的过程中的触发data事件
//参数传递结束的时候触发end事件
let postParams ='';
req.on('data',params=>{
postParams +=params;
})
req.on('end',()=>{
console.log(querystring.parse(postParams))
})
//返回服务器响应的内容
res.end("ok")
})
//监听端口
app.listen(3000);
//附加说明
console.log('服务器启动成功');
表单请求
http://localhost:3000/index
http://localhost:3000/login
简单来说:客户端请求不同的内容,服务器端响应不同的内容
app.js
//1.引入系统模块
const http = require('http');
const url = require('url');
//2.创建服务器对象
const app = http.createServer();
//3.为服务器对象添加请求
//4.实现路由功能
app.on('request',(req,res)=>{
//获取客户端强求方式
const method = req.method.toLowerCase()
//获取客户端请求地址
let {query,pathname } = url.parse(req.url,true);
//设置报文响应的代码
res.writeHead(200, { 'Content-Type': 'text/html; charset=utf-8' });
if(method=='get'){
if(pathname=='/index'||pathname=='/'){
res.end('欢迎来到首页')
}else if(pathname=='/list'){
res.end('欢迎来到列表页')
}else {
res.end('not found')
}
} else if (method == 'post') {
if (pathname == '/main') {
res.end('欢迎来到主目录
')
} else if (pathname == '/detail') {
res.end('欢迎来到详情页
')
} else {
res.end('404')
}
}
})
//设置服务器端口
app.listen('3000');
console.log('服务器启动成功')
form.html
表单请求
服务器端不需要处理,可以直接响应给客户端的资源就是静态资源,例如CSS、JavaScript、image文件。
相同的请求地址不同的响应资源,这种资源就是动态资源。
//引进系统模块
const http = require('http');
const url = require('url');
const fs = require('fs');
const path = require('path');
const mime = require('mime');
//创建服务器对象
const app = http.createServer();
//为服务器对象添加请求
app.on('request',(req,res)=>{
//获取请求路径
let pathname = url.parse(req.url).pathname;
pathname = pathname =='/'?'default.html':pathname
//讲用户的路径转换成绝对路径
let realPath = path.join(__dirname,'public'+pathname);
let type = mime.getType('realPath')
console.log(realPath)
//读取文件
fs.readFile('realPath',(err,result)=>{
// 如果文件读取失败
if (err != null) {
res.writeHead(404, {
'content-type': 'text/html;charset=utf8'
})
res.end('文件读取失败');
return;
}else {
res.writeHead(200, {
'content-type': type
})
res.end(result);
}
})
})
//监听服务器端口
app.listen('8020');
console.log('服务器启动成功')
同步API:只有当前API执行完毕后,才会执行下一个API
console.log('before');
console.log('after')
异步API: 当前API的执行不会影响后续代码的执行
console.log('before');
setTimeout(()=>{
console.log('hello word')
},2000)
console.log('after')
同步API可以从返回值中拿到API执行的结果,而异步API是不可以的
同步API
function sum(num1, num2) {
return num1 + num2;
}
const result = sum(20, 50);
console.log(result);
异步API
function getSum() {
setTimeout(()=>{
return {
msg:'hello word'
}
},2000)
};
console.log(getSum())
回调函数可以作为另一个函数的参数使用,这种函数便叫做回调函数
function getMsg(callback){
callback('尧子陌')
};
getMsg(function(string){
console.log(string)
})
function getMsg(callback) {
setTimeout(() => {
callback({
msg: "hello word"
})
}, 2000);
};
getMsg(function(msg) {
console.log(msg);
})
同步API从上往下依次执行,前面代码会堵塞后面代码的执行
for (var i =0;i<10;i++){
console.log(i)
}
console.log('代码执行完毕')
异步API不会等待API执行完毕后,再去执行下面的代码
console.log('代码开始执行');
setTimeout(()=>{
console.log('2秒之后开始执行')
},2000)
setTimeout(()=>{
console.log('0秒之后开始执行')
})
console.log('代码结束执行')
Node.js中的异步API:读取文件 创建服务器对象,客户端发送请求均为异步API
回调函数嵌套着回调函数,被称为回调地狱,缺点:不易于维护。
需求如下
a.txt
Promise的出现,是为了解决Node.js中的回调地狱问题
里面有两个方法,resolve及reject,异步API执行成功后则调用resolve方法,异步API执行失败则调用reject方法,无论异步API执行成功或者失败,都会将异步API的结果传输到Promise的外面。
//引进系统模块
const fs = require('fs');
//调用promise对象
let promise = new Promise((resolve, reject) => {
fs.readFile('./a.txt','utf8',(err,doc)=>{
if(err !=null){
//读取失败的时候,调用reject方法
reject(err)
}else{
//读取成功的时候 ,调用resolve方法
resolve(doc)
}
})
})
//无论读取成功或者失败,都会将结果返回promise外面
promise.then((doc)=>{
console.log(doc)
}).catch((err)=>{
console.log(err)
})
//引进系统模块
const fs = require('fs');
function p1(){
//必须使用return才能使用then()方法
return new Promise((resolve, reject) =>{
fs.readFile('./a.txt','utf8',(err,doc)=>{
resolve(doc)
})
} )
}
function p2(){
//必须使用return才能使用then()方法
return new Promise((resolve, reject) =>{
fs.readFile('./b.txt','utf8',(err,doc)=>{
resolve(doc)
})
} )
}
function p3(){
//必须使用return才能使用then()方法
return new Promise((resolve, reject) =>{
fs.readFile('./c.txt','utf8',(err,doc)=>{
resolve(doc)
})
} )
}
p1().then((doc)=>{
console.log(doc);
return p2()
}).then((doc2)=>{
console.log(doc2);
return p3()
}).then((doc3)=>{
console.log(doc3)
})
async function fn(){
throw 'Error';
return 'hello async'
}
fn().then((data)=>{
console.log(data)
}).catch((err)=>[
console.log(err)
])
async function p1(){
return 'p1'
}
async function p2(){
return 'p2'
}
async function p3(){
return 'p3'
}
async function run(){
let r1 = await p1();
let r2 = await p2();
let r3 = await p3();
console.log(r1);
console.log(r2);
console.log(r3)
}
run()
const fs = require('fs');
//改造现有异步函数API,返回promise对象,从而支持异步函数语法
const promisify = require('util').promisify;
console.log(promisify)
//重新生成readFile方法
const readFile = promisify(fs.readFile);
async function run(){
let r1 = await readFile('./a.txt','utf8');
let r2= await readFile('./b.txt','utf8');
let r3 = await readFile('./c.txt','utf8');
console.log(r1);
console.log(r2);
console.log(r3)
}
run()