我想到了。我犯了一个愚蠢的错误,我实际上并没有从队列中删除元素,我只是在读取第一个元素。我修改了代码,下面的代码不起作用。谢谢大家的帮助。
我正在尝试使用 boost 来实现生产者消费者问题,这实际上是一个更大项目的一部分。我已经从互联网上的示例中实现了一个程序,甚至还有一些我在这里找到的帮助。但是目前我的代码只是挂起。基于一些好的建议,我决定使用 boost ciruclar 缓冲区在生产者和消费者之间保存我的数据。那里有很多类似的代码,我能够从中汇集想法并自己编写一些东西。但是,我似乎仍然遇到与以前相同的问题(这是我的程序只是挂起)。我以为我没有像以前那样犯同样的错误..
我的代码在下面给出,我已经取出了我之前的代码,我只是我自己的单链接列表。
缓冲区头:
#ifndef PCDBUFFER_H
#define PCDBUFFER_H
#include <pcl/io/pcd_io.h>
#include <boost/thread/mutex.hpp>
#include <boost/thread/condition.hpp>
#include <boost/circular_buffer.hpp>
class pcdBuffer
{
    public:
        pcdBuffer(int buffSize);
        void put(int data);
        int get();
        bool isFull();
        bool isEmpty();
        int getSize();
        int getCapacity();
    private:
        boost::mutex bmutex;
        boost::condition_variable buffEmpty;
        boost::condition_variable buffFull;
        boost::circular_buffer<int> buffer;
};
#endif
缓冲源(仅相关部分):
#include "pcdBuffer.h"
#include <iostream>
//boost::mutex io_mutex;
pcdBuffer::pcdBuffer(int buffSize)
{
    buffer.set_capacity(buffSize);
}
void pcdBuffer::put(int data)
{
    {
        boost::mutex::scoped_lock buffLock(bmutex);
        while(buffer.full())
        {
            std::cout << "Buffer is full" << std::endl;
            buffFull.wait(buffLock);
        }
        buffer.push_back(data);
    }
    buffEmpty.notify_one();
}
int pcdBuffer::get()
{
    int data;
    {
        boost::mutex::scoped_lock buffLock(bmutex);
        while(buffer.empty())
        {
            std::cout << "Buffer is empty" << std::endl;
            buffEmpty.wait(buffLock);
        }
        data = buffer.front();
            buffer.pop_front();
    }
    buffFull.notify_one();
    return data;
}
代码的主要驱动程序:
#include <iostream>
#include <boost/thread/mutex.hpp>
#include <boost/thread/thread.hpp>
#include <unistd.h>
#include "pcdBuffer.h"
pcdBuffer buff(100);
void producer()
{
    int i = 10;
    while (true)
    {
        buff.put(i);
        i++;
    }
}
void consumer()
{
    int i;
    while(true)
    {
        i = buff.get();
        std::cout << "Data: " << i << std::endl;
    }
}
int main(int argc, char** argv)
{
    std::cout << "Starting main...." << std::endl;
    std::cout << "Buffer Details: " << std::endl;
    std::cout << "Capacity: " << buff.getCapacity() << ", isEmpty: " << buff.isEmpty() << ", isFull: " << buff.isFull() << std::endl;
    boost::thread cons(consumer);
    sleep(5);
    boost::thread prod(producer);
    prod.join();
    cons.join();
    return 0;
}
我的缓冲区容量已正确初始化为 100。消费者线程等待并报告“缓冲区为空”5 秒,但之后我从 put 方法和“数据:10”中获取“缓冲区已满”消费者函数在标准输出上交替。如您所见,10 是我放入的第一个元素。似乎缓冲区已满,并没有通知消费者,但我检查了我的锁,并认为它们是正确的。非常感谢您对此的任何帮助。
这是我编写此代码的参考链接:
http://www.drdobbs.com/article/print?articleId=184401518&siteSectionName=cpp