Issue
What is the basic difference between a pthread and fork w.r.t. linux in terms of implementation differences and how the scheduling varies (does it vary ?)
I ran strace on two similar programs , one using pthreads and another using fork, both in the end make clone() syscall with different arguments, so I am guessing the two are essentially the same on a linux system but with pthreads being easier to handle in code.
Can someone give a deep explanation?
EDIT : see also a related question
Solution
In C there are some differences however:
fork()
Purpose is to create a new process, which becomes the child process of the caller
Both processes will execute the next instruction following the fork() system call
Two identical copies of the computer's address space,code, and stack are created one for parent and child.
Thinking of the fork as it was a person; Forking causes a clone of your program (process), that is running the code it copied.
pthread_create()
Purpose is to create a new thread in the program which is given the same process of the caller
Threads within the same process can communicate using shared memory. (Be careful!)
The second thread will share data, open files, signal handlers and signal dispositions, current working directory, user and group ID's. The new thread will get its own stack, thread ID, and registers though.
Continuing the analogy; your program (process) grows a second arm when it creates a new thread, connected to the same brain.
Performance Differences
Forked processes do not share memory space and other resources (such as file handles) with the parent process by default, while threads within the same process share these resources. Sharing memory can be more efficient and faster in terms of inter-thread communication, but it requires careful synchronization to prevent race conditions.
Because threads within a process share memory space, they can be more memory efficient than forked processes, which each have their own memory space
Answered By - Gabriel Fair Answer Checked By - Pedro (WPSolving Volunteer)