一、同步/异步&阻塞/非阻塞
(参考链接:https://www.zhihu.com/question/19732473/answer/20851256,来源知乎,作者严肃)
1、同步与异步同步和异步关注的是消息通信机制。
所谓同步,就是在发出一个调用时,由调用者主动等待这个调用的结果。而异步则是相反,调用在发出之后,调用者不会立刻得到结果。而是在调用发出后,被调用者通过状态、通知来通知调用者,或通过回调函数处理这个调用。
(同步异步是针对被调用者)
2、和非阻塞关注的是程序在等待调用结果的状态。
阻塞调用是指调用结果返回之前,当前线程会被挂起。调用线程只有在得到结果之后才会返回。
非阻塞调用指在不能立刻得到结果之前,该调用不会阻塞当前线程。
1.1、同步
var fs = require('fs');
fs.unlinkSync('/tmp/shiyanlou'); // 函数名最后的Sync 表示是同步方法
console.log('成功删除了 /tmp/shiyanlou');
1.2、异步
var fs = require('fs'); // 载入fs模块
fs.unlink('/tmp/shiyanlou', function(err) {
if (err) {
throw err;
}
console.log('成功删除了 /tmp/shiyanlou');
});
异步方法中回调函数的第一个参数总是留给异常参数(exception)
,如果方法成功完成,那么这个参数为null或者undefined。
二、函数
//-----------------用函数名的字符串调用------------------
var http = require('http');
var otherfun = require("./models/otherfuns.js");
http.createServer(function (request, response) {
response.writeHead(200, {'Content-Type': 'text/html; charset=utf-8'});
if(request.url!=="/favicon.ico"){ //清除第2此访问
//fun1(response);
//-------用字符串调用对应的函数---
funname = 'fun2;
otherfun[funname](response);
//otherfun['fun3'](response);
response.end('');
}
}).listen(8000);
console.log('Server running at http://127.0.0.1:8000/');
//-------------------models/otherfuns.js--------------------------
function controller(req,res){
//res.write("发送");
call('hello',req,res);
res.end("");
}
function call(res){
console.log('call');
}
//支持多个函数
module.exports={
fun2:function(res){
res.write("this is fun2");
} ,
fun3:function(res){
res.write("this is fun3");
}
}
总结:
1、通常使用module.exports={ , ,};
来申明多个函数
2、调用其他js文件里面的函数时,需要用require先引入,然后采用funname方式来调用,更加灵活。
三、模块的调用
/----------------------n3_modalcall.js-------------
var http = require('http');
//var User = require('./models/User');
var Teacher = require('./models/Teacher');
http.createServer(function (request, response) {
response.writeHead(200, {'Content-Type': 'text/html; charset=utf-8'});
if(request.url!=="/favicon.ico"){ //清除第2此访问
teacher = new Teacher(1,'李四',30);
teacher.teach(response);
response.end('');
}
}).listen(8000);
console.log('Server running at http://127.0.0.1:8000/');
//--------------User.js--------------
function User(id,name,age){
this.id=id;
this.name=name;
this.age=age;
this.enter=function(){
console.log("进入图书馆");
}
}
module.exports = User;
//-------------------models/Teacher.js---------
var User = require('./User');
function Teacher(id,name,age){
User.apply(this,[id,name,age]);
this.teach=function(res){
res.write(this.name+"老师讲课");
}
}
module.exports = Teacher;
总结:
1、function相当于java的类,写完要用module.exports
申明一下,在其他的类中才能用require("路径")来引入,实例化对象之后即可使用。
2、子类继承父类的方法时apply
方法,如User.apply(this,[id,name,age]);