Linux多线程4-2_读写锁

老子叫甜甜 提交于 2019-12-26 23:12:26

一、读写锁的概念
1、读写锁与互斥量类似,不过读写锁有更高的并行性。互斥量要么加锁要么不加锁,而且同一时刻只允许一个线程对其加锁。对于一个变量的读取,
完全可以让多个线程同时进行操作
2、pthread_rwlock_t rwlock
读写锁有三种状态,读模式下加锁,写模式下加锁,不加锁。一次只有一个线程可以占有写模式下的读写锁,但是多个线程可以同时占有读模式的
读写锁
3、读写锁在写加锁状态时,在它被解锁之前,所有试图对这个锁加锁的线程都会阻塞。读写锁在读加锁状态时,所有试图以读模式对其加锁的线程
都会获得访问权,但是如果线程希望以写模式对其加锁,它必须阻塞直到所有的线程释放锁。当读写锁一读模式加锁时,如果有线程试图以写模式对
其加锁,那么读写锁会阻塞随后的读模式锁请求。这样可以避免读锁长期占用,而写锁达不到请求。
4、读写锁非常适合对数据结构读次数大于写次数的程序,当它以读模式锁住时,是以共享的方式锁住的;当它以写模式锁住时,是以独占的模式锁 住的。

二、读写锁的初始化
1、读写锁在使用之前必须初始化
int pthread_rwlock_init(pthread_rwlock_t *restrict rwlock, const pthread_rwlockattr_t *restrict attr);
2、 使用完需要销毁
int pthread_rwlock_destroy(pthread_rwlock_t *rwlock);
成功返回0 ,失败返回错误码

三、加锁和解锁
1、读模式加锁
int pthread_rwlock_rdlock(pthread_rwlock_t *rwlock);
int pthread_rwlock_tryrdlock(pthread_rwlock_t *rwlock);
2、写模式加锁
int pthread_rwlock_wrlock(pthread_rwlock_t *rwlock);
int pthread_rwlock_trywrlock(pthread_rwlock_t *rwlock);
3、解锁
int pthread_rwlock_unlock(pthread_rwlock_t *rwlock);
成功返回0

五、实例
1、程序架构

2、源代码

/*
 *DESCRIPTION: 验证可以有多个线程同时拥有读模式下到读写锁
 *    读写锁在使用之前必须初始化
 *    int pthread_rwlock_init(pthread_rwlock_t *restrict rwlock,
 *     const pthread_rwlockattr_t *restrict attr);
 *    成功返回0 ,失败返回错误码
 *    
 *    使用完需要销毁
 *    int pthread_rwlock_destroy(pthread_rwlock_t *rwlock);
 *    成功返回0 ,失败返回错误码
 *
 *    读模式加锁 
 *    int pthread_rwlock_rdlock(pthread_rwlock_t *rwlock);
 *    int pthread_rwlock_tryrdlock(pthread_rwlock_t *rwlock);
 *    写模式加锁
 *    int pthread_rwlock_wrlock(pthread_rwlock_t *rwlock);
 *    int pthread_rwlock_trywrlock(pthread_rwlock_t *rwlock);
 *    解锁
 *    int pthread_rwlock_unlock(pthread_rwlock_t *rwlock);
 */

#include "apue.h"

pthread_rwlock_t rwlock;
int num=0;

void *thread_fun1(void *arg)
{
    int err;

    pthread_rwlock_rdlock(&rwlock);
    printf("thread 1 print num %d\n", num);
    sleep(5);
    printf("thread 1 over\n");

    pthread_rwlock_unlock(&rwlock);
    
    return (void *)1;
}

void *thread_fun2(void *arg)
{
    int err;
    
    pthread_rwlock_wrlock(&rwlock);
    printf("thread 2 print num %d\n", num);
    sleep(5);
    printf("thread 2 is over\n");
    pthread_rwlock_unlock(&rwlock);
    
    return (void *)1;
}

int main()
{
    pthread_t tid1, tid2;
    int err;
    
    err = pthread_rwlock_init(&rwlock, NULL);
    if(err)
    {
        printf("init rwlock failed\n");
        return ;
    }

    err = pthread_create(&tid1, NULL, thread_fun1, NULL);
    if(err)
    {
        printf("create new thread 1 failed\n");
        return ;
    }
    err = pthread_create(&tid2, NULL, thread_fun2, NULL);
    if(err)
    {
        printf("create new thread 2 failed\n");
        return ;
    }

    pthread_join(tid1, NULL);
    pthread_join(tid2, NULL);

    pthread_rwlock_destroy(&rwlock);

    return 0;
}

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!