Write in front
The python grammar is simple and easy to use, and there is also a large amount of library support. This field of tool script reflects its value, and its status is unshakable. I originally wrote some scripts in python, but due to some coincidences and opportunities, I came across Nodejs. For some personal reasons, I prefer to use Nodejs to write the usual tool scripts, including data acquisition and storage, but Because of the features of js itself, which makes Nodejs as a script, the difficulty curve is relatively steep. In this article, I will introduce and explain some of the most critical and difficult asynchronous programming in Nodejs.
The readers of this article are definitely not classmates who haven't used Nodejs completely. Readers need to have a simple understanding of Nodejs.
Asynchronous Nodejs
Nodejs itself is single-threaded, the underlying core library is Google's V8 engine, and the main responsibility for implementing Nodejs's asynchronous functionality is an open source library called libuv, which can be found on github.
First look at a few lines of python code
File_obj = open('./test.txt')
Print(file_obj.read())
This line of code logic is quite simple, print the contents of a txt file named test under the root directory
The same operation is written in Nodejs like this:
Const fs = require('fs')
Fs.read('./test.txt',(err,doc)=>{
If(err){
// throw an err
}else{
Console.log(doc)
}
)
It looks quite troublesome.
Why should I write this? The root cause is the characteristics of Node, the asynchronous mechanism. Deeper understanding of the asynchronous mechanism I may write another article
Fs.read() itself is an asynchronous function, so the return value is asynchronous and must be captured in the callback function, so write it like this.
One or two asynchronous operations may be fine, but if a considerable number of asynchronous operations require serial execution, the following code will appear:
//callbackHell.js
Fs.read('./test1.txt',(err,doc)=>{
//do something
Let input = someFunc(doc)
Fs.read('./test2.txt',(err,doc2)=>{
//do something
Let input2 = someFunc2(doc2)
Fs.write('./output.txt',input+input2,(err)=>{
// err capture
// some other async operations
})
})
})
The nesting of successive callback functions can make the code lengthy, greatly reduced in readability and difficult to maintain. This situation is also known as callback hell. To solve this problem, the ES standard introduced a set of Asynchronous programming solution
Promise
People's quick understanding of new things is generally based on the similarity between this new thing and a certain thing or law in life, but this promise does not have this kind of characteristic. In my opinion, there are quite a few things that can be used to analogize the concept of promise. And the analogy is quite reluctant, but this does not mean that the promise is difficult to understand.
The promise itself is an object, but it can be seen as a tool, a tool that has never been seen, that solves the problem of the callback hell caused by the serial execution of the asynchronous interface of Nodejs, and it has no influence on the code logic itself.
Do not talk nonsense, directly on the code:
Function promisifyAsyncFunc(){
returnnewPromise((resolve,reject)=>{
Fs.read('./test1.txt'.(err.doc)=>{
If(err)reject(err)
Else resolve(doc)
})
})
}
promisifyAsyncFunc()
.then(res=>{
Console.log(`read file success ${res}`)
})
.catch(rej=>{
Console.log()
})
Different from the previous asynchronous code, we wrap a layer of function that returns the promise object in the outer layer of the asynchronous function. The promise object passes two function parameters resolve and reject to the function wrapped by itself, and is called inside the asynchronous function. Resolve to pass the operation success data, and call reject to pass the error message.
The syntax for using the promise object involves the latest specification and functional programming of es6. It is not described in detail here.
Then we call this function, the chain calls the interface function provided by the promise object. Then (function(res){//TODO}) takes the value passed from the asynchronous function and uses .catch() to catch the internally passed error.
The basic promise usage is roughly like this, but this still doesn't understand how it avoids the callback hell. Here we use the promise to rewrite the callbackHell.js file.
//promisifY.js
Function promisifyAsyncFunc(){
returnnewPromise((resolve,reject)=>{
Fs.read('./test1.txt'.(err.doc)=>{
If(err)reject(err)
Else resolve(doc)
})
})
}
Function promisifyAsyncFunc2(input){
returnnewPromise((resolve,reject)=>{
Let output1 = someFunc(input)
Fs.read('./test2.txt'.(err.doc)=>{
If(err)reject(err)
Else resolve({
Output1,
Doc
})
})
})
}
Function promisifyAsyncFunc3({output1,doc}){
returnnewPromise((resolve,reject)=>{
Let outpu2 = someFunc2(doc)
Fs.write('./output.txt',output1+output2,(err)=>{
// err capture
})
})
}
// some other prmisify function
promisifyAsyncFunc()
.then(promisifyAsyncFunc2)
.then(promisifyAsyncFunc3)
//.then()
The code should look very clear. We encapsulate each asynchronous function inside a promise object, and then pass the data through the chained calls of the promise, thus avoiding the callback hell.
This kind of code readability and maintainability is better, but it is clear that the amount of code increases, is the encapsulation process of each function, but the promises function in the util library in node provides functions that will satisfy the node callback rules Functions that are automatically converted to promise objects. If there is no complex ordering of asynchronous operations, you can use this function to reduce the amount of code
Although the promise is a relatively good programming experience with respect to the native callback, it is still not beautiful enough for programmers who are pursuing perfection, so the es specification has introduced a new asynchronous programming method in the process of evolution.
Generator
Generator is not the ultimate asynchronous solution. It is an intermediate product of Promise evolution to the final solution, but the iterator design pattern used in it is worthy of our study and reference. This method is not introduced here, because with async, the generator is no longer used.
Async/await
Async/Await is actually Synergy's syntactic sugar, but because it makes asynchronous programming appear to be completely synchronous programming, it's good to experience exceptions, and this is the latest official specification, so it is widely respected. Here's how to use it. It gives some introduction instructions.
Looking at the syntax of Async first, it is really quite simple to use.
Async function main(){
Const ret = await someAsynFunc();
Const ret2 = await otherAsyncFunc(ret)
Return someSyncFunc(ret,ret2)
}
Define a function. The function declares an async keyword, indicating that the function has an asynchronous function that needs to be executed synchronously.
The asynchronous function that this function needs to perform synchronously must return the promise object, which is the form we wrapped in with the promise.
Add the await keyword before the asynchronous function call expression to be executed synchronously. At this time, the function will execute synchronously and pass the data of the promise object resolve to the variable before the equal sign.
We use async/await to rewrite the promisify.js file
//async/await.js
Const promisify = require('util').promisify //Introduce the promisify function to simplify the promise code
Const read = promisify(fs.read)
Const write = promisify(fs.write)
Async function callAsyncSync(){
Const res1 = await read('./test1.txt')
Const res2 = await read('./test2.txt')
Const output1 = someFunc(res1)
Const output2 = someFunc(res2)
Write('./output.txt',output1+output2)
Return
}
Looking at the code like this is synchronous, it is much faster than Python, but it's a pity that the learning curve is steeper than Python.
The maintainability of the readability of code written in this way can be said to be very strong, without the side effects of the previous callback hell or native promise.
Advanced
Imagine such a scenario:
We need to read data from multiple databases, and the order of read completion does not matter.
We need to filter out some of the same properties from each data after multiple data reads are all completed
Then perform some custom operations on these properties to get the result data
Finally insert the result data into a database
Assuming that each step of the concrete implementation of the function has been written and completed, all asynchronous functions have been packaged into a promise, then the use of native js assembly above four steps of code need to write?
I roughly estimate that may require about twenty lines, and the readability of the code will not be very good, here I briefly introduce a library: RxJS, Chinese name is responsive JS.
Responsive programming has been developed for a long time. Many languages ​​have implemented corresponding libraries. The corresponding names also begin with Rx, such as RxJava.
Not to mention the design principle of RxJS, its use involves a variety of design patterns and technologies, including observer mode, pipeline mode, functional programming, etc. It can be said that this is a difficult technology to get started, but it brings The programming experience is quite good, here I give the code to use RxJS to achieve the above four steps
constOb= require('rxjs/Rx').Observerble //Core observer object of Rxjs
Const promiseArray = require('./readDatabase')// encapsulated array of read database functions
Const myfilter = require('./filter')//data property filter function
Const operation = require('./operation') // custom logic operation
Const insert = require('./insert')//database insert function
Ob.forkJoin(...promiseArray.map(v=>Ob.fromPromise(v)))
.filter(myfilter)
.switchMap(operations)
.subscribe(insert)
Remove the introduction of custom functions, four-step operation corresponds to only one line of code per step, this is really very simple.
We usually use common, even infrequent, operations on data. Basically, we can find packaged APIs on the RxJS website. Interested students can pay more attention to this library, based on my usual development experience. This library is quite easy to use, but there must be some psychological preparation because there are indeed some difficulties.
Power 30W ,output voltage 3-12V, output current Max 1.2A , USB output 5v 2a, 6 dc tips. We can meet your specific requirement of the products, like label design. The material of this product is PC+ABS. All condition of our product is 100% brand new.
Our products built with input/output overvoltage protection, input/output overcurrent protection, over temperature protection, over power protection and short circuit protection. You can send more details of this product, so that we can offer best service to you!
30W Wall Adapter ,30W Wall Power Supply,30W Power Cord In Wall, 30W Wall Power Adapter
Shenzhen Waweis Technology Co., Ltd. , https://www.waweis.com