I have a queue class where I implement the queue structure.
#include "queue.h"
Queue::Queue()
{
}
Queue::Queue(int size){
    front = rear = -1;
    this->size = size;
    Q = new int[size];
}
void Queue::enqueue(int x){
    if (rear == size -1 ){
        cout << " its full" << endl;
    }else{
        rear ++;
        Q[rear] = x;
    }
}
int Queue::dequeue(){
    int x= -1;
    if (rear == front){
        cout << " its empty"<<endl;
    }else{
        front ++;
        x = Q[front];
    }
    return x;
}
void Queue::Display(){
    for(int i= front+1; i<=rear; i++){
        cout << Q[i] << "  ";
    }
    cout << endl;
}
bool Queue::isEmpty(){
    return (size==0);
}
int Queue::peek()
{
    if (isEmpty())
    {
        cout << "UnderFlow\nProgram Terminated\n";
        exit(EXIT_FAILURE);
    }
    return Q[front];
}
In main.cpp, I create multiple queues. I am trying to implement a scheduling algorithm where I need to process each queue in order. The problem starts when I try to go through each queue. I would like to use only one for loop to access the element of each queue rather than for loop for each of them.
Example:
queue[1..N] where N is the number of queues. In for loop, I want to check if queue[i].empty().