public member function
<mutex>

std::mutex::unlock

void unlock();
解锁互斥量
解锁 mutex释放对其的所有权

如果其他线程当前被阻塞并尝试锁定此相同的 mutex,则其中一个线程获得所有权并继续执行。

mutex 的所有锁定解锁操作遵循单一的总顺序,所有可见效果都在锁定操作和同一对象的先前解锁操作之间同步。

如果 mutex 当前未被调用线程锁定,则会导致未定义行为

参数



返回值



示例

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
// mutex::lock/unlock
#include <iostream>       // std::cout
#include <thread>         // std::thread
#include <mutex>          // std::mutex

std::mutex mtx;           // mutex for critical section

void print_thread_id (int id) {
  // critical section (exclusive access to std::cout signaled by locking mtx):
  mtx.lock();
  std::cout << "thread #" << id << '\n';
  mtx.unlock();
}

int main ()
{
  std::thread threads[10];
  // spawn 10 threads:
  for (int i=0; i<10; ++i)
    threads[i] = std::thread(print_thread_id,i+1);

  for (auto& th : threads) th.join();

  return 0;
}

可能的输出(行的顺序可能不同,但它们绝不会交错)
thread #1
thread #2
thread #3
thread #4
thread #5
thread #6
thread #7
thread #8
thread #9
thread #10


数据竞争

mutex 对象的修改是原子操作(不引起数据竞争)。

异常安全

如果 mutex 当前被调用线程锁定,则此函数永远不会抛出异常(无异常保证)。
否则,将导致未定义行为

另见