This project simulates a classic problem in computer science, the dining philosophers problem. It involves philosophers sitting at a table, doing one of three things: eating, thinking, or sleeping. While eating, they need two forks, which are shared with neighbors.
The Dining Philosophers problem is a classic puzzle in computer science, often used to illustrate the challenges of resource allocation and synchronization in concurrent programming. At first glance, it might seem like a quirky thought experiment, but it mirrors real-world scenarios in computing quite closely
Imagine five philosophers who spend their lives just thinking and eating. They sit around a round table with a bowl of spaghetti in front of each of them. Here’s the catch: there are only five forks available, placed between each pair of adjacent philosophers. To eat, a philosopher needs to use two forks – one on their left and one on their right.
The issue arises when every philosopher picks up the fork on their left at the same time. Each of them is left waiting for the fork on their right to become available. Since everyone is holding one fork, no one has two forks to start eating. This results in a deadlock where all philosophers are stuck waiting indefinitely – a situation we want to avoid in real-world systems.
Imagine a round table with several philosophers (threads) sitting around it. Each philosopher wants to eat (access a critical resource like a fork), but there are only a limited number of forks (resources) available.
- Five Philosophers: They alternate between thinking and eating.
- Five Forks: One between each philosopher.
- The Problem: To eat, a philosopher needs both forks on either side.
The catch is simple yet complex. If every philosopher simultaneously picks up the left fork, they all wait for the right fork indefinitely – a deadlock. This situation perfectly mimics real-world scenarios in computing where processes wait indefinitely for resources, leading to system freezes.
Understanding the Dining Philosophers' problem is crucial in computer science because it teaches us about managing resources in multi-threaded or multi-process environments. It's not just about preventing deadlock but also ensuring fair access to resources and preventing starvation (where a process never gets the resources it needs).
The simulation is done using threads and mutexes. Each philosopher is a thread and forks are represented as mutexes.
- Define a philosopher thread: Each philosopher should be a separate thread with its own loop. Each loop iteration should involve several activities:
- Thinking: Simulate thinking time using a sleep function.
- Trying to eat:
- Check if both its left and right forks are available.
- If both are available, acquire them (using mutexes or semaphores) and start eating.
- If not, wait for a while and try again later.
- Eating: Simulate eating time using a sleep function.
- Releasing forks: Release both forks once finished eating.
- Sleeping: Simulate a rest period before thinking again.
- Mutexes: This is a common approach. Each fork has a mutex associated with it. A philosopher can only acquire both fork mutexes if both are free, preventing another philosopher from grabbing a single fork and causing a deadlock.
- Semaphores: You can use semaphores to limit the number of philosophers that can be eating at the same time, ensuring there are always enough forks available.
- Implement logging statements to track each philosopher's actions (thinking, eating, sleeping).
- Test your program with different numbers of philosophers and ensure there are no deadlocks or starvation situations.
Mandatory Part:
usleep()
A function is used to introduce a delay in the program for a specified number of microseconds (1 microsecond = 1 millionth of a second).
#include <stdio.h>
#include <unistd.h>
int main() {
printf("This is before usleep()\n");
// Introducing a delay of 2 seconds (2000000 microseconds)
usleep(2000000);
printf("This is after usleep()\n");
return 0;
}
gettimeofday()
A function is commonly used to get the current time, including microseconds. It takes a pointer to a struct timeval as an argument, and this structure holds the seconds and microseconds components of the current time.
#include <stdio.h>
#include <sys/time.h>
int main() {
// Declare a struct timeval to store the result
struct timeval current_time;
// Get the current time
gettimeofday(¤t_time, NULL);
// Display the current time in seconds and microseconds
printf("Seconds: %ld\n", current_time.tv_sec);
printf("Microseconds: %ld\n", current_time.tv_usec);
return 0;
}
pthread_create()
A function is used to create a new thread. Threads allow a program to execute multiple tasks concurrently, providing a way to improve performance by parallelizing operations.
#include <pthread.h>
int pthread_create(pthread_t *restrict thread, const pthread_attr_t *restrict attr, void *(*start_routine)(void *), void *restrict arg);
- A pointer to a pthread_t variable, which will be used to identify the newly created thread.
- A pointer to a pthread_attr_t structure specifying thread attributes. You can typically set it to NULL for default attributes.
- A pointer to the function that will be executed by the new thread.
- A void pointer that is passed as an argument to the function specified in parameter 3.
#include <stdio.h>
#include <pthread.h>
// Function to be executed by the new thread
void *threadFunction(void *arg) {
printf("This is the new thread.\n");
return NULL;
}
int main() {
pthread_t newThread; // Thread identifier
int threadCreationStatus;
// Create a new thread
threadCreationStatus = pthread_create(&newThread, NULL, threadFunction, NULL);
if (threadCreationStatus != 0) {
fprintf(stderr, "Error creating thread: %d\n", threadCreationStatus);
return 1;
}
printf("This is the main thread.\n");
// Wait for the new thread to finish (optional)
pthread_join(newThread, NULL);
return 0;
}
pthread_join()
A function used to make a calling thread wait until the specified thread terminates. It allows the calling thread to synchronize its execution with the completion of another thread.
- The
pthread_t
variable representing the thread to be joined. - A pointer to a location where the exit status of the joined thread will be stored.
#include <stdio.h>
#include <pthread.h>
void *threadFunction(void *arg) {
printf("This is the new thread.\n");
return (void *)42;
}
int main() {
pthread_t newThread; // Thread identifier
int threadCreationStatus;
// Create a new thread
threadCreationStatus = pthread_create(&newThread, NULL, threadFunction, NULL);
if (threadCreationStatus != 0) {
fprintf(stderr, "Error creating thread: %d\n", threadCreationStatus);
return 1;
}
printf("This is the main thread.\n");
// Wait for the new thread to finish and retrieve its exit status
void *threadExitStatus;
pthread_join(newThread, &threadExitStatus);
printf("The new thread has finished with exit status: %ld\n", (long)threadExitStatus);
return 0;
}
pthread_detach()
A function used to mark a thread as detached. A detached thread automatically releases its resources when it exits, without requiring the main thread to join and wait for its completion.
#include <stdio.h>
#include <pthread.h>
#include <unistd.h>
void *threadFunction(void *arg) {
printf("This is the detached thread.\n");
// Simulate some work in the thread
sleep(2);
printf("The detached thread is done.\n");
// No need to explicitly call pthread_exit() in a detached thread
return NULL;
}
int main() {
pthread_t detachedThread; // Thread identifier
int threadCreationStatus;
// Create a detached thread
threadCreationStatus = pthread_create(&detachedThread, NULL, threadFunction, NULL);
if (threadCreationStatus != 0) {
fprintf(stderr, "Error creating thread: %d\n", threadCreationStatus);
return 1;
}
// Detach the thread
threadCreationStatus = pthread_detach(detachedThread);
if (threadCreationStatus != 0) {
fprintf(stderr, "Error detaching thread: %d\n", threadCreationStatus);
return 1;
}
printf("This is the main thread.\n");
// Main thread continues its execution without waiting for the detached thread
// Note: The detached thread cleans up its resources automatically upon termination
return 0;
}
pthread_mutex_init()
A function used to initialize a mutex, which is a synchronization primitive used to protect shared resources from concurrent access by multiple threads.
#include <stdio.h>
#include <pthread.h>
// Shared data protected by the mutex
int sharedData = 0;
// Mutex declaration
pthread_mutex_t myMutex;
void *threadFunction(void *arg) {
// Lock the mutex before accessing the shared data
pthread_mutex_lock(&myMutex);
// Critical section: Access and modify the shared data
printf("Thread %ld is modifying the shared data.\n", (long)arg);
sharedData++;
printf("Thread %ld has finished modifying the shared data.\n", (long)arg);
// Unlock the mutex after finishing the critical section
pthread_mutex_unlock(&myMutex);
return NULL;
}
int main() {
// Initialize the mutex
if (pthread_mutex_init(&myMutex, NULL) != 0) {
fprintf(stderr, "Error initializing mutex.\n");
return 1;
}
pthread_t thread1, thread2;
// Create two threads
pthread_create(&thread1, NULL, threadFunction, (void *)1);
pthread_create(&thread2, NULL, threadFunction, (void *)2);
// Wait for the threads to finish
pthread_join(thread1, NULL);
pthread_join(thread2, NULL);
// Destroy the mutex after its use is done
pthread_mutex_destroy(&myMutex);
printf("Final value of sharedData: %d\n", sharedData);
return 0;
}
pthread_mutex_destroy()
function used to destroy a previously initialized mutex. After a mutex has been successfully destroyed, it cannot be used again unless it is reinitialized using pthread_mutex_init()
#include <stdio.h>
#include <pthread.h>
// Shared data protected by the mutex
int sharedData = 0;
// Mutex declaration
pthread_mutex_t myMutex;
void *threadFunction(void *arg) {
// Lock the mutex before accessing the shared data
pthread_mutex_lock(&myMutex);
// Critical section: Access and modify the shared data
printf("Thread %ld is modifying the shared data.\n", (long)arg);
sharedData++;
printf("Thread %ld has finished modifying the shared data.\n", (long)arg);
// Unlock the mutex after finishing the critical section
pthread_mutex_unlock(&myMutex);
return NULL;
}
int main() {
// Initialize the mutex
if (pthread_mutex_init(&myMutex, NULL) != 0) {
fprintf(stderr, "Error initializing mutex.\n");
return 1;
}
pthread_t thread1, thread2;
// Create two threads
pthread_create(&thread1, NULL, threadFunction, (void *)1);
pthread_create(&thread2, NULL, threadFunction, (void *)2);
// Wait for the threads to finish
pthread_join(thread1, NULL);
pthread_join(thread2, NULL);
// Destroy the mutex after its use is done
if (pthread_mutex_destroy(&myMutex) != 0) {
fprintf(stderr, "Error destroying mutex.\n");
return 1;
}
printf("Final value of sharedData: %d\n", sharedData);
return 0;
}
pthread_mutex_lock()
function used to lock a mutex, providing exclusive access to a critical section of code for the calling thread. If the mutex is already locked by another thread, the calling thread will block until the mutex becomes available
#include <stdio.h>
#include <pthread.h>
// Shared data protected by the mutex
int sharedData = 0;
// Mutex declaration
pthread_mutex_t myMutex;
void *threadFunction(void *arg) {
// Lock the mutex before accessing the shared data
pthread_mutex_lock(&myMutex);
// Critical section: Access and modify the shared data
printf("Thread %ld is modifying the shared data.\n", (long)arg);
sharedData++;
printf("Thread %ld has finished modifying the shared data.\n", (long)arg);
// Unlock the mutex after finishing the critical section
pthread_mutex_unlock(&myMutex);
return NULL;
}
int main() {
// Initialize the mutex
if (pthread_mutex_init(&myMutex, NULL) != 0) {
fprintf(stderr, "Error initializing mutex.\n");
return 1;
}
pthread_t thread1, thread2;
// Create two threads
pthread_create(&thread1, NULL, threadFunction, (void *)1);
pthread_create(&thread2, NULL, threadFunction, (void *)2);
// Wait for the threads to finish
pthread_join(thread1, NULL);
pthread_join(thread2, NULL);
// Destroy the mutex after its use is done
if (pthread_mutex_destroy(&myMutex) != 0) {
fprintf(stderr, "Error destroying mutex.\n");
return 1;
}
printf("Final value of sharedData: %d\n", sharedData);
return 0;
}
pthread_mutex_unlock()
function in C is used to release the lock on a mutex that was previously acquired using pthread_mutex_lock(). It allows other threads to acquire the mutex and enter the critical section protected by that mutex.
#include <stdio.h>
#include <pthread.h>
// Shared data protected by the mutex
int sharedData = 0;
// Mutex declaration
pthread_mutex_t myMutex;
void *threadFunction(void *arg) {
// Lock the mutex before accessing the shared data
pthread_mutex_lock(&myMutex);
// Critical section: Access and modify the shared data
printf("Thread %ld is modifying the shared data.\n", (long)arg);
sharedData++;
printf("Thread %ld has finished modifying the shared data.\n", (long)arg);
// Unlock the mutex after finishing the critical section
pthread_mutex_unlock(&myMutex);
return NULL;
}
int main() {
// Initialize the mutex
if (pthread_mutex_init(&myMutex, NULL) != 0) {
fprintf(stderr, "Error initializing mutex.\n");
return 1;
}
pthread_t thread1, thread2;
// Create two threads
pthread_create(&thread1, NULL, threadFunction, (void *)1);
pthread_create(&thread2, NULL, threadFunction, (void *)2);
// Wait for the threads to finish
pthread_join(thread1, NULL);
pthread_join(thread2, NULL);
// Destroy the mutex after its use is done
if (pthread_mutex_destroy(&myMutex) != 0) {
fprintf(stderr, "Error destroying mutex.\n");
return 1;
}
printf("Final value of sharedData: %d\n", sharedData);
return 0;
}
The concept of threads is fundamental to concurrent programming, allowing multiple tasks to execute concurrently within a single process
Note
Concurrent programming is an advanced programming technique that enables the execution of multiple tasks at the same time. It is a powerful approach for improving the performance and responsiveness of a program, particularly in systems with multiple processor units. In concurrent programming, individual tasks are known as threads or processes, which can run independently, share resources, and interact with each other.
When working with concurrent programming, you need to understand the basic principles and concepts behind this technique. Some key principles include:
- Parallelism: Concurrent programs can run multiple processes or threads simultaneously, utilizing multiple processing units available in today's computer systems.
- Non-determinism: Due to the unpredictable order of execution, concurrent programs can give different results on different runs, making debugging and testing more complex. Non-determinism arises from the uncertain order in which threads or processes access shared resources and interact with each other.
- Synchronization: Concurrent programs use synchronization mechanisms to coordinate access to shared resources and ensure mutually exclusive access or resource protection to prevent data inconsistency and race conditions.
- Processes and threads: Concurrency is achieved by running multiple tasks in parallel, either as processes or threads. Processes are independent units of execution with their own memory space, while threads belong to a single process and share memory with other threads in that process.
- Interprocess communication (IPC): In concurrent programming, processes may need to exchange data and signals. IPC mechanisms, such as pipes, file-based communication, shared memory, and message-passing systems, facilitate this data exchange between processes.
- Deadlocks and livelocks: In some cases, processes or threads become trapped in a state of waiting for access to resources or for other processes or threads to complete, leading to deadlocks and livelocks. These situations can cause the concurrent program to hang or slow down, so it is essential to detect and handle them effectively.
- What is the difference between multicore and concurrent programming
- Concurrency in Multicore systems
- Definition: A thread is the smallest unit of execution within a process. It represents an independent sequence of instructions that can be scheduled to run concurrently with other threads in the same process.
- Characteristics: Threads within the same process share the same resources, such as memory space and file descriptors.
Processes and threads are the basic building blocks of a computer program. They are the smallest units of execution in a program. A process is an instance of a program that is being executed. A thread is a sequence of instructions within a process that can be executed independently of other code.
-
Process:
- An independent program in execution with its own memory space.
- Processes do not share memory, necessitating inter-process communication mechanisms.
-
Thread:
- A lightweight, independent unit of a process with shared resources.
- Threads share memory, making communication and data sharing more efficient.
Whats the difference between Process and a Thread?
Example :
#include <pthread.h>
void* thread_function(void* arg) {
// Thread code
}
int main() {
pthread_t thread;
pthread_create(&thread, NULL, thread_function, NULL);
pthread_join(thread, NULL); // Wait for the thread to finish
return 0;
}
- Creation: A thread is created using the
pthread_create
function or an equivalent function in other threading libraries. - Running: The thread starts executing its designated function.
- Termination: The thread completes its execution or is explicitly terminated using.
- Joining: The main thread or another thread may wait for a thread to finish using
pthread_join
.
- Threads may need to synchronize their execution to avoid race conditions and conflicts.
- Synchronization mechanisms include mutexes, semaphores, and condition variables.
Example :
#include <pthread.h>
pthread_mutex_t mutex = PTHREAD_MUTEX_INITIALIZER;
int shared_data = 0;
void* thread_function(void* arg) {
pthread_mutex_lock(&mutex);
// Critical section
shared_data++;
pthread_mutex_unlock(&mutex);
pthread_exit(NULL);
}
When working with threads, several common issues and pitfalls should be aware of and strive to avoid
- Race conditions: Concurrent data access without sync leads to unpredictable behavior. (mutex, locks, semaphores)
- Deadlocks: Threads stuck waiting for each other's resources, forever blocked. (lock order, deadlock detection)
- Priority inversion: Low-pri thread delays high-pri by holding needed resource. (priority inheritance, ceiling)
- Data races: Unprotected shared data access causing unpredictable results. (sync mechanisms, atomic operations)
- Thread leaks: Unreleased threads wasting resources and hurting performance. (join/detach properly)
- Thread starvation: Some threads never run due to others hogging resources. (fair allocation, avoid long tasks)
The Dining Philosophers Problem is more than just a puzzle; it's a fundamental concept that helps in understanding complex scenarios in multi-threading and resource sharing in computing. By learning about this problem, one can gain insights into solving real-world issues in system design and process management.
Compile with make
and run the program as follows:
./philo [number_of_philosophers] [time_to_die] [time_to_eat] [time_to_sleep] [number_of_times_each_philosopher_must_eat (optional)]
- Argument validation
- Philosopher activities simulation
- Resource management to avoid deadlocks
- https://www.scaler.com/topics/cpp/concurrent-programming/
- https://www.studysmarter.co.uk/explanations/computer-science/computer-programming/concurrent-programming/
- Threads, Mutexes and Concurrent Programming in C
- Multithreaded Programming with ThreadMentor
- Introduction To Threads (pthreads)
- Philosophers: The dinning problem
- https://github.com/qingqingqingli/philosophers/wiki