aca-tasks/BarlasChpt3Ex12/main.cpp
2023-12-02 11:44:17 +01:00

87 lines
1.9 KiB
C++

#include <iostream>
#include <QSemaphore>
#include <QThread>
/*
* Barlas Chpt 3 Ex 12:
Create three threads, each printing out the letters A, B, and C.
The printing must adhere to these rules:
• The total number of Bs and Cs that have been output at any
point in the output string cannot exceed the total number
of As that have been output at that point.
• After a C has been output, another C cannot be output until
one or more Bs have been output.
Use semaphores to solve the problem.
*/
class printer{
private:
QSemaphore* lockBC;
QSemaphore* lockC;
public:
printer(QSemaphore* lockBC, QSemaphore* lockC){
this->lockBC = lockBC;
this->lockC = lockC;
}
void printA(){
this->lockBC->release(1);
std::cout << "A\n";
}
void printB(){
if(this->lockBC->tryAcquire(1)){
if(this->lockC->available() == 0){
this->lockC->release(1);
}
std::cout << "B\n";
}
}
void printC(){
if(this->lockBC->tryAcquire(1)){
if(this->lockC->tryAcquire(1)){
std::cout << "C\n";
}else{
this->lockBC->release(1);
}
}
}
};
class worker : public QThread{
private:
QSemaphore* lockBC;
QSemaphore* lockC;
public:
worker(QSemaphore* lockBC, QSemaphore* lockC){
this->lockBC = lockBC;
this->lockC = lockC;
}
void run(){
printer print = printer(this->lockBC, this->lockC);
print.printA();
print.printB();
print.printC();
}
};
int main(int argc, char *argv[])
{
QSemaphore lockC(1);
QSemaphore lockBC(0);
int N = 3;
worker *workers[N];
for(int i = 0; i < N; i++){
workers[i] = new worker(&lockBC, &lockC);
workers[i]->run();
}
return 0;
}