pthread_mutex_lock函数的使用实例
时间: 2024-12-24 18:31:25 浏览: 21
`pthread_mutex_lock`是POSIX线程库中的一个函数,用于锁定一个互斥锁(mutex),确保在同一时刻只有一个线程能访问共享资源。这个函数常用于保护数据的一致性和并发控制。
下面是一个简单的使用实例:
```c
#include <pthread.h>
#include <stdio.h>
// 共享资源,这里假设它是个全局整型变量
int shared_resource = 0;
// 创建互斥锁
pthread_mutex_t mutex;
int init_lock() {
if (pthread_mutex_init(&mutex, NULL) != 0) {
perror("Mutex initialization failed");
return -1;
}
return 0;
}
void* worker_function(void* arg) {
int my_id = *(int*)arg;
pthread_mutex_lock(&mutex); // 获取锁
printf("Worker %d is accessing the resource: %d\n", my_id, shared_resource);
// 对共享资源进行操作...
pthread_mutex_unlock(&mutex); // 释放锁
return NULL;
}
int main() {
if (init_lock() != 0) {
return -1;
}
// 创建两个工作线程
pthread_t thread1, thread2;
int args[] = {0, 1}; // 线程ID作为参数传递
if (pthread_create(&thread1, NULL, worker_function, &args[0]) != 0) {
perror("Thread creation failed");
return -1;
}
if (pthread_create(&thread2, NULL, worker_function, &args[1]) != 0) {
perror("Thread creation failed");
return -1;
}
// 等待线程完成
pthread_join(thread1, NULL);
pthread_join(thread2, NULL);
pthread_mutex_destroy(&mutex); // 销毁互斥锁
return 0;
}
```
在这个例子中,主线程初始化了互斥锁并创建了两个子线程。每个子线程在访问`shared_resource`前都会尝试获取锁,确保同一时间只有一个线程可以修改它。当完成操作后,线程会释放锁,允许其他线程继续执行。
阅读全文