gpt4 book ai didi

c - 安全删除并发链表中的节点

转载 作者:行者123 更新时间:2023-12-02 15:26:11 24 4
gpt4 key购买 nike

我目前正在阅读《APUE》这本书。当我读到关于pthread reader/writer-lock的章节时,我有一个关于它使用reader/writer-lock实现并发队列的问题。

struct queue {
struct job *q_head;
struct job *q_tail;
pthread_rwlock_t q_lock;
};

/*
* Remove the given job from a queue.
*/
void
job_remove(struct queue *qp, struct job *jp)
{
pthread_rwlock_wrlock(&qp->q_lock);
if (jp == qp->q_head) {
qp->q_head = jp->j_next;
if (qp->q_tail == jp)
qp->q_tail = NULL;
else
jp->j_next->j_prev = jp->j_prev;
} else if (jp == qp->q_tail) {
qp->q_tail = jp->j_prev;
jp->j_prev->j_next = jp->j_next;
} else {
jp->j_prev->j_next = jp->j_next;
jp->j_next->j_prev = jp->j_prev;
}
pthread_rwlock_unlock(&qp->q_lock);
}

我的问题是,这个实现如何确保struct job仅从链表中删除一次。根据我的理解,可以安排两个线程,使它们位于 pthread_rwlock_wrlock 行之前。那么struct job *jp 可能会被释放两次。如果 struct job * 是动态分配的数据结构,则可能会导致双重释放错误。有什么建议吗?

最佳答案

您的代码中存在竞争条件。两个线程之间的队列可能会发生其他更改,这些线程获取队列上的写锁,然后尝试删除同一节点。可以删除其他节点,也可以添加其他节点。因此,如果线程 A 删除一个节点,发生更改,然后线程 B 尝试再次删除同一节点,则您的队列可能会损坏。

代码需要信息来让它知道该节点已被删除。

查看添加的注释以及修复竞争条件的代码:

struct queue {
struct job *q_head;
struct job *q_tail;
pthread_rwlock_t q_lock;
};

/*
* Remove the given job from a queue.
*/
void
job_remove(struct queue *qp, struct job *jp)
{
// we assume here that jp is actually in the queue
pthread_rwlock_wrlock(&qp->q_lock);

// at this point, jp may no longer be in the queue,
// and in fact, the queue may be completely different.
// thus, any modification to the queue based on the
// assumption that jp is still part of the queue
// can lead to corruption of the queue

// so check if jp has been removed - we'll later set
// both j_next and j_prev to NULL after jp is
// removed from the queue - and if they're both
// NULL here that means another thread already
// removed jp from the queue
if ( !(jp->j_next) && !(jp->j_prev) ) {
// empty statement - jp is already removed
;
}
else if (jp == qp->q_head) {
qp->q_head = jp->j_next;
if (qp->q_tail == jp)
qp->q_tail = NULL;
else
jp->j_next->j_prev = jp->j_prev;
} // and this brace was missing in your posted code...
else if (jp == qp->q_tail) {
qp->q_tail = jp->j_prev;
jp->j_prev->j_next = jp->j_next;
} else {
jp->j_prev->j_next = jp->j_next;
jp->j_next->j_prev = jp->j_prev;
}

// make sure data in jp no longer refers to
// the queue - this will also tell any other
// thread that accesses jp that it's already
// been removed
jp->j_next = NULL;
jp->j_prev = NULL;

pthread_rwlock_unlock(&qp->q_lock);
}

您还需要检查 jp 如何获取 free()d 或 deleted。不能允许多个线程执行此操作。

关于c - 安全删除并发链表中的节点,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/51763058/

24 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com