私は、複数のスレッドのアクセス、デポジット、バウンド バッファ コンテナからの撤回を処理するプログラムに取り組んでいます。スレッドに重大な問題がいくつかあることに気付き、バッファが部分的または根本的にどこかで間違っているのではないかと疑っています。
これで何をしているのかを確実に理解するために、バッファコードを調べていただければ幸いです。このクラスは、私が別の場所で実装したセマフォを使用していますが、これは今のところうまくいくと思います (うまくいかない場合は、すぐに解決します!) 理由を説明するコメントを追加しました。
まず、.h ファイル:
#ifndef BOUNDED_BUFFER_H
#define BOUNDED_BUFFER_H
#include "Semaphore.H"
#include <string>
#include <vector>
using namespace std;
class Item{ //supposed to eventually be more extensible...seems silly with just a string for now
public:
Item(string _content){content = _content;}
string GetContent() {return content;}
private:
};
class BoundedBuffer{
public:
BoundedBuffer();
void Deposit(Item* _item);
Item* Retrieve();
int GetNumItems() {return count;}
vector<Item*> GetBuffer() {return buffer;}
void SetSize(int _size){
capacity = _size;
buffer.reserve(_size); //or do I need to call "resize"
}
private:
int capacity;
vector<Item*> buffer; //I originally wanted to use an array but had trouble with
//initilization/sizing, etc.
int nextin;
int nextout;
int count;
Semaphore notfull; //wait on this one before depositing an item
Semaphore notempty; //wait on this one before retrieving an item
};
#endif
次に、.cpp:
#include "BoundedBuffer.H"
#include <iostream>
using namespace std;
BoundedBuffer::BoundedBuffer(){
notfull.SetValue(0);
notempty.SetValue(0);
nextin = 0;
nextout = 0;
count = 0;
}
void BoundedBuffer::Deposit(Item* _item){
if(count == capacity){
notfull.P(); //Cannot deposit into full buffer; wait
}
buffer[nextin] = _item;
nextin = (nextin + 1) % capacity; //wrap-around
count += 1;
notempty.V(); //Signal that retrieval is safe
}
Item* BoundedBuffer::Retrieve(){
if(count == 0){
notempty.P(); //cannot take from empty buffer; wait
}
Item* x = buffer[nextout];
nextout = (nextout + 1) % capacity;
buffer.pop_back(); //or a different erase methodology?
count -= 1;
notfull.V(); //Signal that deposit is safe
return x;
}
基礎となるコンテナーとしてのベクターの選択 (または、むしろ、ベクターの不適切な使用)、またはおそらく安全のためのより多くのブロッキング メカニズム (ミューテックス ロックなど?) の必要性から問題が発生する可能性があると思います。誰でもフィードバックを提供できますか?