Skip to content

Mutex

Mutex, for Mutually exclusive Flag is a flag that can be used to protect shared data from being simultaneously accessed by multiple threads.

Mutex in C++

cpp
#include <iostream>
#include <thread>
#include <mutex>

std::mutex m;

void f()
{
    m.lock();
    std::cout << "Hello" << std::endl;
    m.unlock();
}

int main()
{
    std::thread t1(f);
    std::thread t2(f);
    t1.join();
    t2.join();
}

Mutex in C

c
#include <stdio.h>
#include <pthread.h>

pthread_mutex_t m;

void *f(void *arg)
{
    pthread_mutex_lock(&m);
    printf("Hello\n");
    pthread_mutex_unlock(&m);
}

References