nodejs常用知识点
nodejs中require方法的过程
// Check the cache for the requested file.
// 1. If a module already exists in the cache: return its exports object.
// 2. If the module is native: call `NativeModule.require()` with the filename and return the result.
// 3. Otherwise, create a new module for the file and save it to the cache.Then have it load the file contents before returning its exports object.
在module.js中会先调用_load方法
,当该模块既不在cache中,也不是nativeModule,需要创建Module的实例(调用_compile
方法),并加入缓存中,同时返回exports方法。
而在es6中引入了Module,提供了require方法,那么它和commonJs的require方法有什么区别呢?
- 非运行时
可以做静态代码分析,在运行前分析模块之间的依赖关系,运行代码检查。 - 更好支持依赖循环
在Nodejs中如果模块之间存在相互引用,可能会引发意想不到的结果。而在es6中,是不会关心是否发生了"循环加载",生成的是指向被加载模块的引用。
什么是error-first回调模式?
应用error-first回调模式是为了更好的进行错误和数据的传递。第一个参数保留给一个错误error对象,一旦出错,错误将通过第一个参数error返回。其余的参数将用作数据的传递。
fs.readFile(filePath, function(err, data) {
if (err) {
// handle the error, the return is important here
// so execution stops here
return console.log(err)
}
// use the data object
console.log(data)
})
require方法加载顺序源码
当 Node 遇到 require(X) 时,会依次按下面的顺序处理。
- 如果 X 是内置模块(比如 require('http'))
- 返回该模块。
- 不再继续执行。
- 如果 X 以 "./" 或者 "/" 或者 "../" 开头
- 根据 X 所在的父模块,确定 X 的绝对路径。
- 将 X 当成文件,依次查找下面文件,只要其中有一个存在,就返回该文件,不再继续执行。
X
X.js
X.json
X.node
3. 将 X 当成目录,依次查找下面文件,只要其中有一个存在,就返回该文件,不再继续执行。
X/package.json
X/index.js
X/index.json
X/index.node
- 如果 X 不带路径
- 根据 X 所在的父模块,确定 X 可能的安装目录。
- 依次在每个目录中,将 X 当成文件名或目录名加载。
- 抛出 "not found"
process.nextTick
先通过一段代码看看process.nextTick
干了什么
function foo() {
console.error('foo');
}
process.nextTick(foo);
console.error('bar');
-------------
bar
foo
通过上述代码,可以看到程序先输出Bar,再输出foo。在js中我们可以通过setTimeout(function(){},0)
来实现这个功能。
但是在内部处理机制上,process.nextTick
和setTimeout(fn,0)
是有明显区别的。
process.nextTick时间复杂度o(1),而setTimeout(fn,0)的时间复杂度o(log(n))[红黑树]。
process.nextTick中传入的函数,都是在当前执行栈的尾部触发。最大嵌套层级是1000。
注:
nextTick传入的callback执行先于任何IO事件。(It runs before any additional I/O events (including timers) fire in subsequent ticks of the event loop..)
nodejs处理cpu密集型
let http = require('http');
let server = http.createServer((req,res)=>{
let url = req.url;
if(url.indexOf('test')>=0){
while(1){
console.log('a');
}
}else{
console.log('b');
}
});
server.listen(3000,()=>{
console.log("监听3000端口");
});
运行上述代码,控制台无法输出b
;
mysql包
pool.query
方法是流程pool.getConnection -> connection.query -> connection.release
的缩写
该npm包默认使用sqlstring
包对sql语句进行生成