First, the coroutine
1.1 Concept of coroutine
Coroutine, also known as micro-threading, fiber. English name Coroutine. One sentence shows what a thread is: a coroutine is a lightweight thread of user mode. (In fact, it does not explain white ~) So it is easier to understand the coroutine:
Threads are system-level, they are scheduled by the operating system; coroutines are program-level and are scheduled by the programmer themselves. We call a function in a thread a subroutine, then the subroutine can interrupt the execution of other subroutines during execution; other subroutines can also be interrupted and continue to execute the previous subroutine. This is the coroutine. That is to say, if a piece of code under the same thread executes execution, it can be interrupted, and then jump to execute another piece of code. When it comes back to execute the code block, it will start execution from where it was previously interrupted.
A more professional understanding is that coroutines have their own register context and stack. When the coroutine schedules switching, the register context and stack are saved to other places, and when the switch back, the previously saved register context and stack are restored. Therefore: the coroutine can retain the state of the last call (ie a specific combination of all local states), each time the process reenters, it is equivalent to the state of the last call, in other words: the last time you left The location of the logic flow.
1.2 Advantages and disadvantages of coroutines
Advantages of the coroutine: (1) no need for thread context switching overhead, coroutine avoids meaningless scheduling, which can improve performance (but therefore, the programmer must bear the responsibility of scheduling, and the coroutine also lost Standard thread uses multi-CPU capability) (2) No need for atomic operation locking and synchronization overhead (3) Easy to switch control flow, simplify programming model (4) High concurrency + High scalability + Low cost: One CPU supports tens of thousands of associations Cheng is not a problem. So it is very suitable for high concurrent processing.
The shortcomings of coroutine: (1) can not use multi-core resources: the essence of coroutine is a single thread, it can not use multiple cores of a single CPU at the same time, coroutine needs to cooperate with the process to run on multiple CPUs. Of course we daily Most applications written are not necessary, except for cpu-intensive applications. (2) Blocking operation (such as IO) will block the entire program
Second, how to implement coroutines in Python
2.1 yield implementation coroutine
As mentioned above, "subprograms (functions) can be interrupted to execute other subroutines during execution; other subroutines can also be interrupted to continue execution of the previous subroutines", so it is easy to think of Python's yield, obviously yield is OK Implement this kind of switching.
Def eater(name): print("%s eat food" %name) while True: food = yield print("done")g = eater("gangdan")print(g)
Results of the:
It can be proved by the execution result that g is now a generator function.
2.2 Coroutine function assignment process
Use the expression form of yield. Run next() first, let the function initialize and stop at yield, and then send(). send will assign value to yield when the next code is executed.
Both next() and send() let the function continue to run where it left off:
Def creater(name): print('%s start to eat food' %name) food_list = [] while True: food = yield food_list print('%s get %s ,to start eat' %(name,food)) Food_list.append(food)# Get generator builder = creater('tom')# Now it's the run function, let the function initialize next(builder)print(builder.send('包包')) print(builder.send('骨头'))print(builder.send('èœæ±¤'))
operation result:
Tom start to eat foodtom get buns, to start eat['包å']tom get bones, to start eat['包å', '骨头']tom get èœæ±¤,to start eat['包å', '骨头', ' Vegetable soup']
It is important to note that each time you need to run the next() function, let the program stay in the yield position.
If there are multiple such functions, you need to execute the next() function to let the program stay in the yield position. In order to prevent forgetting to initialize the next operation, a decorator is needed to solve this problem.
Def init(func): def wrapper(*args,**kwargs): builder = func(*args,**kwargs) next(builder) # This place is the key to using builder.send("None"), first Must pass in None. Return builder return wrapper@initdef creater(name): print('%s start to eat food' %name) food_list = [] while True: food = yield food_list print('%s get %s ,to start eat' %( Name,food)) food_list.append(food)# Get generator builder = creater("tom")# Now it's a direct run function, no need to initialize the print(builder.send('包包')) print(builder.send ('Bone')) print(builder.send('èœæ±¤'))
Results of the:
Tom start to eat foodtom get buns, to start eat['包å']tom get bones, to start eat['包å', '骨头']tom get èœæ±¤,to start eat['包å', '骨头', ' Vegetable soup']
2.3 Simple application of coroutine function
Please feed Tom:
Def init(func): def wrapper(*args,**kwargs): builder = func(*args,**kwargs) next(builder) return builder return wrapper@initdef creater(name): print('%s start to Eat food' %name) food_list = [] while True: food = yield food_list print('%s get %s ,to start eat' %(name,food)) food_list.append(food)def food(): builder = Creater("Tom") while True: food = input("Please feed Tom:").strip() if food == "q": print("feed back") return 0 else: builder.send (food)if __name__ == '__main__': food()
Results of the:
Tom start to eat food, please feed Tom: bones Tom get bones, to start eat, please feed Tom: soup Tom get soup, to start eat, please feed Tom: q feed end
2.4 Application of coroutine function
A function program that implements the "grep -rl error <directory>" command in linux to filter the contents of the subfiles and word folders under a file.
First understand the walk method in an OS module, you can open the folder under the path in the parameter and return a tuple.
>>> import os # Import module >>> os.walk(r"E:Pythonscript") #Use r to make the symbols in the string have no special meaning, for the purpose of escaping
The return is a tuple, the first element is the path to the file, the second is the folder, and the third is the file under the path.
Here you need to use the idea of ​​writing a program: process-oriented programming.
Third, process-oriented programming
Process-oriented: The core is the process word, the process and the step of solving the problem. The process-oriented design process is an industrial assembly line, which is a mechanical way of thinking. Pipelined programming ideas, the entire process needs to be designed when designing the program.
Advantages: 1: The architecture is more clear 2: Simplify the complexity of the program
Disadvantages: Scalability is extremely poor, so the process-oriented application scenario is: software that does not need to change frequently, such as: linux kernel, httpd, git, etc. The following functions are implemented in the coroutine function application according to the process-oriented idea. .
Directory Structure:
Test├── aa│ ├── bb1│ │ └── file2.txt│ └── bb2│ └── file3.txt└─ file1.txt file contents: file1.txt: error123file2.txt:123file3.txt: 123error
Program flow: the first stage: find the absolute path of all files. The second stage: open the file. The third stage: cyclically read each line. The fourth stage: filter the "error" fifth stage: print the first stage of the file name to which the line belongs. : Find the absolute path of all files
g is a generator, you can use next() to execute, each time next is run once, the result of this run is the path to open the file in turn:
>>> import os>>> g = os.walk(r"E:Pythonscript function est")>>> next(g)('E:\Python\script\function est', ['aa'], [ ])>>> next(g)('E:\Python\script\function est\aa', ['bb1', 'bb2'], ['file1.txt'])>>> next(g)( 'E:\Python\script\function est\aa\bb1', [], ['file2.txt'])>>> next(g)('E:\Python\script\function est\aa\bb2' , [], ['file3.txt'])>>> next(g)Traceback (most recent call last): File " ", line 1, in
We need to find the absolute path of the file when we open the file. Now we can splicing the first part and the third part by string splicing.
Open with a loop:
Import osdir_g = os.walk(r"E:Pythonscript function est")for dir_path in dir_g: print(dir_path)
result:
('E:\Python\script\function est', ['aa'], [])('E:\Python\script\function est\aa', ['bb1', 'bb2'], ['file1 .txt'])('E:\Python\script\function est\aa\bb1', [], ['file2.txt'])('E:\Python\script\function est\aa\bb2', [], ['file3.txt'])
Splicing the queried file and path into an absolute path
Import osdir_g = os.walk(r"E:Pythonscript function est")for dir_path in dir_g: for file in dir_path[2]: file = "%s\%s" %(dir_path[0],file) print(file )
Results of the:
E: Pythonscript function testaaile1.txtE: Pythonscript function testaab1ile2.txtE: Pythonscript function testaab2ile3.txt
Implemented with a function:
Import osdef search(): while True: dir_name = yield dir_g = os.walk(dir_name) for dir_path in dir_g: for file in dir_path[2]: file = "%s\%s" %(dir_path[0],file ) print(file)g = search()next(g)g.send(r"E:Pythonscript function est")
In order to return the results to the next process
@init # Initializer def search(target): while True: dir_name = yield dir_g = os.walk(dir_name) for pardir,_,files in dir_g: for file in files: abspath = r"%s%s" % (pardir,file) target.send(abspath)
Second stage: open the file
@initdef opener(target): while True: abspath=yield with open(abspath,'rb') as f: target.send((abspath,f))
The third stage: cyclically read each line of content
@initdef cat(target): while True: abspath,f=yield #(abspath,f) for line in f: res=target.send((abspath,line)) if res:break
Fourth stage: filtering
@initdef grep(pattern,target): tag=False while True: abspath,line=yield tag tag=False if pattern in line: target.send(abspath) tag=True
The fifth stage: print the file name to which the line belongs
@initdef printer(): while True: abspath=yield print(abspath)g = search(opener(cat(grep('error'.encode('utf-8'), printer()))))g.send( r'E: Pythonscript function est')
Results of the:
E: Pythonscript function testaaile1.txtE: Pythonscript function testaab2ile3.txt
The main function of the safety barrier is to restrict the dangerous energy in the safe place from entering the dangerous place, that is, to limit the voltage and current sent to the dangerous place.
1. Due to the tripartite isolation mode, there is no need for system grounding line, which brings great convenience to the design and on-site construction. The requirements for instruments in hazardous areas are greatly reduced, and isolated instruments are not required on site.
2. Since the signal line does not need to be grounded together, the stability and anti-interference ability of the detection and control circuit signal are greatly enhanced, so as to improve the reliability of the whole system.
3. The isolated safety barrier has stronger input signal processing ability and can accept and process thermocouple, thermal resistance, frequency and other signals, which is impossible for Zener safety barrier.
4. The isolated safety barrier [2] can output two mutually isolated signals to be used by two equipment using the same signal source, ensure that the signals of the two equipment do not interfere with each other, and improve the electrical safety insulation performance between the connected equipment.
Isolated Safety Barrier,Output Intrinsic Isolated Safety Barrier,Explosion-Proof Relay Isolated Barrier,Switch Explosion-Proof Relay Barrier
Taizhou Jiabo Instrument Technology Co., Ltd. , https://www.taizhoujiabo.com