So I have a class CStack using the LIFO(Last in First out) method. Using standard variables bottom/top/size
and methods like push/pop/full/empty/print
. This is a char
stack.
My question is, if I am adding something to this stack, when it is full, how can I automatically adjust the size? I have thought of the memcpy()
method but I don't really understand how it works (yet).
Any help will be appreciated.
Here is my code:
class CStack {
private:
char *bottom_;
char *top_;
int size_;
public:
CStack(int n = 20) {
bottom_ = new char[n];
top_ = bottom_;
size_ = n;
}
void push(char c) {
*top_ = c;
top_++;
}
int num_items() {
return (top_ - bottom_);
}
char pop() {
top_--;
return *top_;
}
int full() {
return (num_items() >= size_);
}
int empty() {
return (num_items() <= 0);
}
void print() {
cout << "Stack currently holds " << num_items() << " items: ";
for (char *element = bottom_; element < top_; element++) {
cout << " " << *element;
}
cout << "\n";
}
~CStack() { // stacks when exiting functions
delete [] bottom_;
}
};
This should do what you want. It doesn't handle exceptions but I guess you haven't got that far in your course yet?