본문 바로가기
💻 programming/c++

[c++] std::mutex

by 연구원-A 2020. 12. 16.
반응형

en.cppreference.com/w/cpp/thread/mutex

 

std::mutex - cppreference.com

class mutex; (since C++11) The mutex class is a synchronization primitive that can be used to protect shared data from being simultaneously accessed by multiple threads. mutex offers exclusive, non-recursive ownership semantics: A calling thread owns a mut

en.cppreference.com

mutex는 여러 스레드의 공유 자원을 보호하기 위해 사용되는 클래스입니다.

std::mutex는 상호배타적이며 (exclusive), 바재귀적 (non-recursive)인 소유권을 가집니다.

  • 스레드에서 lock 또는 try_lock을 호출하면 unlock 될 떄까지 해당 mutex의 소유권을 가집니다
  • (lock 호출을 통해) 소유권을 가진 스레드가 존재하면 다른 스레드는 소유권을 가질 수 없습니다
    • lock을 호출하면 block 되고 try_lock을 호출하면 false를 반환받습니다
  • 이미 소유권을 가진 스레드는 절대 lock 또는 try_lock을 호출해서는 안됩니다

Notes

std::mutex는 보통 직접 접근할 수 없습니다. std::unique_lock, std::lock_guard, std::scoped_lock 등을 통해 예외에 안전한 방법으로 lock을 관리해야 합니다.

 

#include <iostream>
#include <map>
#include <string>
#include <chrono>
#include <thread>
#include <mutex>
 
std::map<std::string, std::string> g_pages;
std::mutex g_pages_mutex;
 
void save_page(const std::string &url)
{
    // simulate a long page fetch
    std::this_thread::sleep_for(std::chrono::seconds(2));
    std::string result = "fake content";
 
    std::lock_guard<std::mutex> guard(g_pages_mutex);
    g_pages[url] = result;
}
 
int main() 
{
    std::thread t1(save_page, "http://foo");
    std::thread t2(save_page, "http://bar");
    t1.join();
    t2.join();
 
    // safe to access g_pages without lock now, as the threads are joined
    for (const auto &pair : g_pages) {
        std::cout << pair.first << " => " << pair.second << '\n';
    }
}

 

mutex와 lock_guard에 대해 알고싶으시면 아래 글을 참조바랍니다.

2020/12/16 - [c++ language/library] - [c++] mutex, lock guard, unique lock, shared mutex

반응형

댓글