gpt4 book ai didi

C++ 无锁生产者/消费者队列

转载 作者:塔克拉玛干 更新时间:2023-11-03 06:57:20 24 4
gpt4 key购买 nike

我正在查看无锁队列的示例代码:

http://drdobbs.com/high-performance-computing/210604448?pgno=2

(在许多 SO 问题中也有引用,例如 Is there a production ready lock-free queue or hash implementation in C++ )

这看起来应该适用于单个生产者/消费者,尽管代码中有许多拼写错误。我已经将代码更新为如下所示,但它让我崩溃了。为什么有人有建议?

特别是,应该将 divider 和 last 声明为:

atomic<Node *> divider, last;    // shared

我在这台机器上没有支持 C++0x 的编译器,所以也许这就是我所需要的...

// Implementation from http://drdobbs.com/high-performance-computing/210604448
// Note that the code in that article (10/26/11) is broken.
// The attempted fixed version is below.

template <typename T>
class LockFreeQueue {
private:
struct Node {
Node( T val ) : value(val), next(0) { }
T value;
Node* next;
};
Node *first, // for producer only
*divider, *last; // shared
public:
LockFreeQueue()
{
first = divider = last = new Node(T()); // add dummy separator
}
~LockFreeQueue()
{
while( first != 0 ) // release the list
{
Node* tmp = first;
first = tmp->next;
delete tmp;
}
}
void Produce( const T& t )
{
last->next = new Node(t); // add the new item
last = last->next; // publish it

while (first != divider) // trim unused nodes
{
Node* tmp = first;
first = first->next;
delete tmp;
}
}
bool Consume( T& result )
{
if (divider != last) // if queue is nonempty
{
result = divider->next->value; // C: copy it back
divider = divider->next; // D: publish that we took it
return true; // and report success
}
return false; // else report empty
}
};

我写了下面的代码来测试这个。 Main(未显示)仅调用 TestQ()。

#include "LockFreeQueue.h"

const int numThreads = 1;
std::vector<LockFreeQueue<int> > q(numThreads);

void *Solver(void *whichID)
{
int id = (long)whichID;
printf("Thread %d initialized\n", id);
int result = 0;
do {
if (q[id].Consume(result))
{
int y = 0;
for (int x = 0; x < result; x++)
{ y++; }
y = 0;
}
} while (result != -1);
return 0;
}


void TestQ()
{
std::vector<pthread_t> threads;
for (int x = 0; x < numThreads; x++)
{
pthread_t thread;
pthread_create(&thread, NULL, Solver, (void *)x);
threads.push_back(thread);
}
for (int y = 0; y < 1000000; y++)
{
for (unsigned int x = 0; x < threads.size(); x++)
{
q[x].Produce(y);
}
}
for (unsigned int x = 0; x < threads.size(); x++)
{
q[x].Produce(-1);
}
for (unsigned int x = 0; x < threads.size(); x++)
pthread_join(threads[x], 0);
}

更新:最终崩溃是由队列声明引起的:

std::vector<LockFreeQueue<int> > q(numThreads);

当我将其更改为简单数组时,它运行良好。 (我实现了一个带锁的版本,它也崩溃了。)我看到析构函数在构造函数之后立即被调用,导致双重释放内存。但是,有谁知道为什么会立即使用 std::vector 调用析构函数?

最佳答案

正如您所注意到的,您需要将几个指针设为 std::atomic,并且您需要在循环中使用 compare_exchange_weak 以原子方式更新它们。否则,多个消费者可能会消费同一个节点,多个生产者可能会破坏列表。

关于C++ 无锁生产者/消费者队列,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/7909937/

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