当前位置:网站首页>Frequently asked interview questions - 3 (operating system)
Frequently asked interview questions - 3 (operating system)
2022-04-23 05:30:00 【Mikawa】
operating system
Sync 、 asynchronous 、 Blocking 、 The concept of non blocking
- Sync : When a synchronous call is made , The caller has to wait for the result to be returned . Upon receipt of the notice , Then we can carry out the follow-up execution .
- asynchronous : When an asynchronous procedure call is issued , The caller cannot get the return result immediately . The part that actually handles this call is done , Passing state 、 Notifications and callbacks to notify callers .
- Blocking : Before the call result is returned , The current thread will be suspended , Or block .
- Non blocking : It means that even if the call result is not returned , It will not block the current thread .
What is? IO Multiplexing ? How to achieve ?
IO Multiplexing (IO Multiplexing) Single process / Threads can handle multiple at the same time IO request .
Realization principle : The file descriptor that the user will want to monitor (File Descriptor) Add to select/poll/epoll Function , Monitored by the kernel , Function blocking . Once a file descriptor is ready ( Read ready or write ready ), Or a timeout ( Set up timeout), The function will return , The process can then read accordingly / Write operations .
Process control block (process control block,PCB)?
Content
Process description information :
- Process identifier : Identify processes , Each process has a unique identifier ;
- User identifier : The user to which the process belongs , User identifier is mainly for sharing and protection services ;
Process control and management information :
- The current state of the process , Such as new、ready、running、waiting or blocked etc. ;
- Process priority : Process preemption CPU Priority of ;
Resource allocation list :
- Information about memory address space or virtual address space , List of open files and used I/O Equipment information .
CPU Related information :
- CPU The value of each register in the , When the process is switched ,CPU The status information of will be saved in the corresponding PCB in , So that when the process is executed again , Can continue execution from a breakpoint .
structure
adopt Linked list The way to organize , To have Processes in the same state are chained together , Form a variety of queues . such as :
- Chain all the processes in the ready state together , be called Ready queue ;
- All processes that are waiting for an event are chained together to form a variety of Blocking queues ;
- in addition , For running queues in a single core CPU There is only one running pointer in the system , Because single core CPU At some point , You can only run one program .
Difference between process and thread ?
- process (Process) Is the system resource allocation and scheduling of the basic unit , Threads (Thread) yes CPU Basic unit of dispatch and dispatch ;
- Threads depend on the process , A process has at least one thread ;
- Process has its own independent address space , Threads share the address space of the process they belong to ;
- A process is an independent unit with system resources , The thread itself basically does not own system resources , Have only a few essential resources in operation ( Such as program counter , A set of registers and stacks ), Share resources related to this process with other threads, such as memory 、I/O、cpu etc. ;
- When the process switches , It's all about the current process CPU Environment saving, environment setting and newly scheduled operation CPU Environment settings , Thread switching only needs to save and set the contents of a small number of registers , It doesn't involve memory management , so , The cost of process switching is much greater than that of thread switching ;
- Easier communication between threads , Threads in the same process share data such as global variables , The communication between processes needs to be based on inter process communication (IPC) By ;
- A multithreaded program needs only one thread to crash , The whole program crashed , But in a multiprocess program, the crash of one process will not affect other processes , Because the process has its own independent address space , Therefore, multi process is more robust
State transition process
Three states : The ready state 、 Running state and blocking state .
- Ready state : The process has obtained the required resources other than the processor , Waiting to allocate processor resources
- Running state : Occupy processor resources to run , The number of processes in this state is less than or equal to CPU Count
- Blocked state : The process waits for some condition , Cannot execute... Until the conditions are met
What are the scenarios in which process context switching occurs ?
- It's time to : To ensure that all processes can be scheduled fairly ,CPU Time is divided into time slices , These time slices are then allocated to each process in turn . such , When a process runs out of time , The process changes from running state to ready state , The system selects another process from the ready queue to run ;
- Waiting for resources : The process is running out of resources in the system ( For example, there is not enough memory ) when , You can't run until the resources are satisfied , At this point, the process will also be suspended , And other processes are scheduled by the system ;
- Actively suspend : When the process passes the sleep function sleep When you suspend yourself in this way , It's natural to reschedule ;
- Priority preemption : When a higher priority process is running , In order to ensure the operation of high priority processes , The current process will be suspended , Run by a high priority process ;
- interrupt : In the event of a hardware outage ,CPU Processes on will be suspended by interrupts , Instead, execute the interrupt service program in the kernel ;
What are the modes of communication between processes ?
The Conduit
- Half duplex , It has fixed read end and write end ;
- Only the communication between parent-child processes or brother processes ;
- It can be regarded as a special file , For its reading and writing, you can also use ordinary read、write Such as function . But it's not a normal document , It doesn't belong to any other file system , And it only exists in memory .
name pipes
- FIFO Data can be exchanged between unrelated processes , It's different from anonymous pipes ;
- FIFO There is a pathname associated with it , It exists in the file system as a special device file .
Message queue
- Message queue , It's a linked list of messages , Stored in the kernel . A message queue consists of an identifier ID To mark ;
- Message queuing is record oriented , The message has a specific format and a specific priority ;
- Message queuing is independent of the sending and receiving processes . When the process terminates , Message queues and their contents are not deleted ;
- Message queue can realize random query of messages , Messages don't have to be read in first in first out order , It can also be read by the type of message .
Shared memory
- Shared memory (Shared Memory), Refers to two or more processes sharing a given store ;
- Shared memory is the fastest IPC, Because processes access memory directly .
Semaphore
- Semaphore (semaphore) It's a counter . It is used to realize mutual exclusion and synchronization between processes , Instead of storing interprocess communication data ;
- Semaphores are used for inter process synchronization , To transfer data between processes, you need to combine shared memory ;
- Semaphores are based on the PV operation , The operation of the program on semaphores is atomic operation ;
- Every time the semaphore is PV The operation is not limited to adding... To the semaphore value 1 Or minus 1, And you can add and subtract any positive integer ;
- Support semaphore group .
The signal (signal/kill)
- In the inter process communication mechanism The only asynchronous communication mechanism
- Processing mode : Perform the default action 、 Capture the signal 、 Ignore the signal
- Used for abnormal situation communication
Socket (Socket)
-  Process communication between different hosts , It can also communicate with processes in the same host 
-  system call int socket(int domain, int type, int protocal)- domain Parameter is used to specify the protocol family , such as AF_INET be used for IPV4、AF_INET6 be used for IPV6、AF_LOCAL/AF_UNIX For this machine ;
- type Parameters are used to specify communication characteristics , such as SOCK_STREAM Represents a byte stream , Corresponding TCP、SOCK_DGRAM Represents a datagram , Corresponding UDP、SOCK_RAW Represents the original socket ;
- protocal Parameters were originally used to specify the communication protocol , But now it's basically abandoned . Because the protocol has been specified by the first two parameters ,protocol At present, it is generally written as 0 that will do ;
 
-  communication mode - Realization TCP Byte stream communication : socket The type is AF_INET and SOCK_STREAM;
- Realization UDP Datagram communication :socket The type is AF_INET and SOCK_DGRAM;
- Realize local interprocess communication : 「 Local byte stream socket 」 The type is AF_LOCAL and SOCK_STREAM,「 Local datagram socket 」 The type is AF_LOCAL and SOCK_DGRAM.
 
Process scheduling
Batch system
- First come, first served
- The shortest work is preferred
- The shortest remaining time is preferred
- Highest response ratio
Interactive system
- Time slice rotation
- Priority scheduling algorithm
- Multi level feedback queue scheduling
What is a deadlock ?
Each process in a process collection is waiting for events that can only be raised by other processes in the process collection , that , The process set is deadlock . Resource deadlock is a competitive synchronization problem , The problem of cooperative synchronization is communication deadlock .
Necessary conditions for resource deadlock ?
- Mutually exclusive : Processes require exclusive control of allocated resources , That is, in a period of time, a resource is occupied by only one process .
- Occupy and wait : When a process is blocked by a request for resources , Keep the acquired resources .
- Do not take : The resources obtained by the process are not used up , Can't deprive , It can only be released by itself after use .
- Loop waiting : In the life and death lock , There must be a process – Circular chain of resources .
How to solve deadlock ?
The prevention of
- Break request condition : Allocate all resources at once , So there will be no more requests ;
- Please keep the condition : As long as one resource is not allocated , No other resources are allocated to this process :
- The destruction of the inalienable conditions : When a process gets some resources , But there are no other resources , Then release the occupied resources ;
- Destroy the loop waiting condition : The system assigns a number to each type of resource , Each process requests resources in ascending order , Release is the opposite .
avoid
Banker Algorithm
relieve
- Resource deprivation : Suspend some deadlock processes , And seize its resources , Allocate these resources to other deadlock processes ( But you should prevent suspended processes from losing access to resources for a long time );
- Undo process : Compulsory revocation part 、 Even deadlocks all processes and deprives them of resources ( The principle of revocation can be based on the priority of the process and the cost of the revocation process );
- Process fallback : Let one or more processes fall back enough to avoid deadlock . Voluntary release of resources rather than deprivation when the process goes back . Ask the system to keep the historical information of the process , Set restore point .
Multithreading competition and cooperation
producer - Consumer issues
producer - Consumer problem description :
- producer After generating the data , Put it in a buffer ;
- consumer Take data out of the buffer and process ;
- Any time , There can only be one The producer or consumer can access the buffer ;
Three semaphores , Namely :
-  Mutex semaphore  mutex: For mutex access buffers , The initialization value is 1;
-  Resource semaphores  fullBuffers: Used by consumers to ask if there is data in the buffer , Read data when there is data , The initialization value is 0( Indicates that the buffer is initially empty );
-  Resource semaphores  emptyBuffers: Used by the producer to ask if the buffer has empty space , If there is a space, data will be generated , The initialization value is n ( Buffer size );
#define N 100
semaphore mutex=1;			// Mutex semaphore , Mutually exclusive access for critical areas 
semaphore emptyBuffers=N;	// Represents a buffer [ Empty slot l The number of 
semaphore fullBuffers=0;	// Represents a buffer [ Full slot ] The number of 
// Producer thread function 
void producer()
{
    
    while(TRUE)
    {
    
        P(emptyBuffers);	// Number of empty slots -1
        P(mutex);			// Enter the critical area 
		put();				// Put the generated data into the buffer 
        V(mutex);			// Get out of the critical area 
		V(fullBuffers);		// The number of slots will be full +1
    }
}
// Consumer thread function 
void consumer()
{
    
    while(TRUE)
    {
    
        P(ful1Buffers);		// The number of slots will be full -1
		P(mutex);			// Enter the critical area 
		get();				// Read data from buffer 
		V(mutex);			// Get out of the critical area 
		V(emptyBuffers);	// Number of empty slots +1
    }
}
The dining problem of philosophers
-  An array state To record the three states of each philosopher , They are in the state of eating 、 Thinking state 、 Starvation ( Trying to get a fork ). 
-  A philosopher only when two neighbors have no dinner , Before you can enter the dining state . 
The dining problem of philosophers
readers - Write the questions
Fair strategy :
- Same priority ;
- Writer 、 Readers exclusive access ;
- Only one writer can access the critical area ;
- Multiple readers can access critical resources at the same time ;
The difference between pagination and segmentation ?
-  Paged storage : The user space is divided into equal parts called pages (page), The memory space is divided into areas of the same size, which is called page boxes , Allocation is in pages , Allocate according to the number of pages required by the process , Logically adjacent pages are not necessarily physically adjacent ; 
-  Segmented storage : The user process address space is divided into several segments according to its own logical relationship (segment)( Such as code snippet , Data segment , stack segment ), The memory space is dynamically divided into regions with different lengths , Allocation is in segments , Each segment occupies a continuous space in memory , Segments may not be adjacent ; 
-  Segment page storage : The user process is divided into segments first , The paragraph is divided by page , Memory is divided and allocated by page . 
difference :
- Purpose is different : The purpose of paging is to manage memory , Used for virtual memory for larger address space ; The purpose of segmentation is to meet the needs of users , So that programs and data can be divided into logically independent address spaces ;
- Different sizes : The size of the segment is not fixed , It's determined by what it does ; Fixed page size , It's up to the system ;
- Address space dimensions are different : Segmentation is a two-dimensional address space ( Segment number + Offset within segment ), Paging is a one-dimensional address space ( One page table per process / Multi level page table , The corresponding physical address can be found through a logical address );
- Segmentation facilitates the protection and sharing of information ; Paging sharing is restricted ;
- debris : There are no internal fragments in the segment , But it will produce external debris ( Idle space that does not belong to the current process ); There are no external fragments , But it produces internal debris ( One page is not filled in )
Detailed analysis : Why have virtual memory
Physical address 、 Logical address 、 The concept of virtual memory
- Physical address : It's the final address of the address translation , When a process executes instructions and accesses data at run time, it finally accesses it from main memory through a physical address , Is the real address of the memory unit .
- Logical address : It refers to the address seen by the computer user . for example : When creating a length of 100 When an integer array of , The operating system returns a logically contiguous space : Pointer to the memory address of the first element of the array . Because the size of the integer element is 4 Bytes , Therefore, the address of the second element is the starting address plus 4, And so on . in fact , The logical address is not necessarily the real address of the element store , The address of the physical element of the array ( In the memory module ), Not continuous , Just the operating system through address mapping , Map logical addresses into contiguous , This is more in line with people's intuitive thinking .
- Virtual memory : Is a computer system memory management technology . It makes the application think it has continuous available memory ( A continuous and complete address space ), But in fact , It is usually divided into multiple pieces of physical memory , Some are temporarily stored on external disk storage , Data exchange when needed .
How to map address space to physical memory ?
Memory management unit (MMU) Manage the conversion of logical address and physical address , The page table (Page table) Storing pages ( Logical address ) And page boxes ( Physical memory space ) Mapping table , The page table also contains significant bits ( Is it in memory or disk )、 Access to a ( Have you ever been interviewed )、 Modify bit ( Whether the memory has been modified )、 Protection position ( Read only or read-write ). Logical address : Page number + Page address ( The offset ); One page table per process , Put it in memory , The starting address of the page table is PCB/ In the register .
What are the page replacement algorithms ?
First in, first out permutation algorithm (FIFO)
fifo , That is to eliminate the first page transferred in .
Best permutation algorithm (OPT)
Choose the furthest page to use in the future , It's an optimal solution , It can be proved that the number of missing pages is the smallest .
Most recently unused (LRU) Algorithm
That is, select the most recently unused page to be eliminated
The clock (Clock) Permutation algorithm
Clock replacement algorithm is also called recently unused algorithm NRU(Not RecentlyUsed). The algorithm sets an access bit for each page , Chain all pages in memory into a circular queue through link pointers .
The least frequently used algorithm NFU
Replace the least visited page
Understanding of dynamic link library and static link library ?
-  Static links : When compiling links, you can directly copy the required execution code to the caller , The advantage is that you don't need a dependent library when the program is released , That is to say, you no longer need to publish with the library , Programs can be executed independently , But the volume may be relatively large . 
-  Dynamic links : Do not directly copy the executable code when compiling , But by recording a series of symbols and parameters , Pass this information to the operating system when the program is running or loading , The operating system is responsible for loading the required dynamic library into memory , Then when the program runs to the specified code , To share the dynamic library executable code that has been loaded in the execution memory , Finally, the goal of runtime connection is achieved . The advantage is that multiple programs can share the same code , Instead of storing multiple copies on disk , The disadvantage is that it is loaded at run time , It may affect the early execution performance of the program 
Abnormal control flow of the process : trap 、 interrupt 、 Anomalies and signals ?
-  The trap is  deliberately  Caused by the “ abnormal ”, Is the result of executing an instruction . Traps are synchronized . The main function of trap is to realize  system call . such as , The process can execute  syscall nInstruction requests service from the kernel . When the process executes this instruction , Will interrupt the current control flow , fall into To kernel state , Execute the corresponding system call . After the execution of the kernel handler , The result will be returned to the process , Return to user status at the same time . The process continues at this point Next order .
- The interrupt is controlled by the processor external Of Hardware produce , Not the result of executing an instruction , It's impossible to predict when it will happen . Because the interrupt is independent of the currently executing program , So interrupts are asynchronous events . Interruptions include I/O From the device I/O interrupt 、 Clock interruption caused by various timers 、 Debugging interruption caused by breakpoints set in the debugging program .
- An exception is an error condition , Is the result of executing the current instruction , May be fixed by the error handler , It is also possible to terminate the application directly . Exceptions are synchronous . This refers specifically to the result of executing the current instruction Wrong situation , Such as division exception 、 Page missing, etc . Some books are written to distinguish , This kind of “ abnormal ” be called **“ fault ”**.
- The signal is a kind of Higher up Exceptions in the form of software , It will also interrupt the control flow of the process , Can be handled by the process . A signal represents a message . The function of the signal is to Inform the process Some kind of system event happened .
What are user mode and kernel mode ?
User mode and kernel mode are the two running states of the operating system .
- Kernel mode : In the kernel state CPU You can access any data , Including peripherals , For example, network card 、 Hard disk, etc. , In the kernel state CPU You can switch from one program to another , And occupy CPU There will be no preemption , Generally at the privilege level 0 We call it kernel state .
- User mode : In user mode CPU Only limited access to memory , And access to peripherals is not allowed , In user mode CPU Monopoly is not allowed ,CPU Can be obtained by other programs .
User programs run in user mode , But sometimes you need to do some kernel operations , Such as reading data from hard disk or keyboard , Then you need to make a system call , Use Trap command ,CPU Switch to kernel state , Perform the corresponding services , Then switch to user mode and return the result of system call .
Daemon 、 Zombie process and orphan process
Daemon
Refers to running in the background , There is no process to which the control terminal is connected . It is independent of the control terminal , Perform a task periodically .Linux Most servers are implemented in the form of daemons , Such as web Server process http etc.
Zombie process
After a subprocess ends , Its parent process is not waiting for it ( call wait perhaps waitpid), Then this sub process will become a zombie process . The zombie process is a dead process , But it was not really destroyed . It has given up almost all of its memory space , There is no executable code , Can't be scheduled , Just keep a place in the process table , Record the progress of the process ID、 Termination status and resource utilization information (CPU Time , Memory usage, etc ) For the parent process to collect , besides , Zombie processes no longer occupy any memory space . The zombie process may remain in the system until the system restarts .
harm : Occupied process number , The process number that the system can use is limited ; Take up memory .
solve :
-  The parent process of the process ends first . At the end of each process , The system will scan whether there are sub processes , If so, use Init Process takeover , Become the parent of the process , And will call wait Wait for it to end . 
-  Parent process call wait perhaps waitpid Wait for the subprocess to finish ( You need to query whether the sub process ends at regular intervals ).wait The system call will cause the parent process to suspend execution , Until one of its child processes ends .waitpid You can join WNOHANG(wait-no-hang) Options , If no child processes are found to end , Will return immediately , Will not call waitpid The process is blocked . meanwhile ,waitpid You can also choose to wait for any child process ( Same as wait), Or wait for the designation pid Can be inherited by child processes. , Or wait for any child process under the same process group , Or wait group ID be equal to pid Any child process of ;
-  At the end of the subprocess , The system will produce SIGCHLD(signal-child) The signal , You can register a signal processing function , Call in the function waitpid, Wait for all child processes to end ( Be careful : Generally, you need to call in a loop waitpid, Because before the signal processing function starts executing , There may be more than one child process finished , The signal processing function only executes once , So we need to recycle all the finished subprocesses );
-  It can be used signal(SIGCLD, SIG_IGN)(signal-ignore) Notify the kernel , Indicates that the parent process ignoresSIGCHLDThe signal , So when the subprocess is over , The kernel will recycle .
Orphan process
A parent process has ended , But its child processes are still running , Then these subprocesses will be orphaned . The orphan process will be Init( process ID by 1) To take over , When these orphan processes are over, by Init Complete status collection .
Introduce several typical locks ?
Read-write lock
- Multiple readers can read at the same time
- Writers must be mutually exclusive ( Only one writer is allowed to write , It can't be done by readers and writers at the same time )
- The writer takes precedence over the reader ( Once there are writers , Then subsequent readers must wait , When waking up, priority should be given to the writer )
The mutex
Only one thread can have a mutex at a time , Other threads have to wait
Mutex lock is to give up actively in case of failure CPU Enter the sleep state until the lock state changes and then wake up , The operating system is responsible for thread scheduling , In order to wake up the blocked thread or process when the state of the lock changes , The lock needs to be managed by the operating system , Therefore, context switching is involved in lock operation of mutex .
Condition variables,
An obvious drawback of mutex is that it has only two states : Locked and unlocked . Condition variables make up for the lack of mutex by allowing threads to block and wait for another thread to send a signal , It is often used with mutexes , In order to avoid competitive conditions . When conditions are not met , Threads tend to unlock the mutex and block the thread, then wait for the condition to change . Once another thread changes the condition variable , It will notify the corresponding condition variable to wake up one or more threads that are being blocked by the condition variable . in general Mutex lock is the mechanism of mutual exclusion between threads , The conditional variable is the synchronization mechanism .
spinlocks
If the thread cannot acquire the lock , Threading does not give up immediately CPU Time slice , Instead, it loops all the time trying to get the lock , Until you get it . If another thread holds the lock for a long time , So spin is a waste CPU Do useless work , But spin lock is generally used in the scene of short lock time , It's more efficient at this time .
Reference material
Operating system interview questions
Graphic system introduction | Kobayashi coding
《 Modern operating system 》
版权声明 
                        本文为[Mikawa]所创,转载请带上原文链接,感谢
                        https://yzsam.com/2022/04/202204220543093902.html
                    
边栏推荐
- Getting started with varnish
- (11) Vscode code formatting configuration
- Various situations of data / component binding
- MFC implementation resources are implemented separately by DLL
- Solve the problem of JS calculation accuracy
- Tslint annotations ignore errors and restful understanding
- es6数组的使用
- Use pagoda + Xdebug + vscode to debug code remotely
- Differences between auto and decltype inference methods (learning notes)
- Generation of straightening body in 3D slicer
猜你喜欢
 - 如果我是pm之 演出电影vr购票展示 
 - Use of ES6 array 
 - 2021-10-08 
 - 弘玑|数字化时代下,HR如何进行自我变革和组织变革? 
 - 相机成像+单应性变换+相机标定+立体校正 
 - Create a tabbar component under the components folder, which is public 
- Basic knowledge of redis 
 - After NPM was upgraded, there was a lot of panic 
 - es6数组的使用 
 - Graphics. Fromimage reports an error "graphics object cannot be created from an image that has an indexed pixel..." 
随机推荐
- [untitled] 
- es6数组的使用 
- Create cells through JS (while loop) 
- SQL Server检索SQL和用户信息的需求 
- 2021-09-28 
- Arithmetic and logical operations 
- Branch and loop statements 
- CORS and proxy (づ  ̄ 3  ̄) in egg ~ the process of stepping on the pit and filling the pit ~ tot~ 
- [no title] Click the classification jump page to display the details 
- Use of ES6 array 
- open3d材质设置参数分析 
- Use pagoda + Xdebug + vscode to debug code remotely 
- uni使用的一些坑 
- 3d slicer中拉直体的生成 
- STL learning notes 0x0001 (container classification) 
- Formal parameters, local variables and local static variables 
- The annual transaction volume of the app store is US $1 million, and only 15% commission is paid. Small and medium-sized developers are very contradictory 
- Blender programmed terrain production 
- 世界与个人发展 
- egg测试的知识大全--mock、superTest、coffee