1
0
Fork 0
This repository has been archived on 2021-11-03. You can view files and clone it, but cannot push or open issues or pull requests.
uni-m.cds-adv-prog/Stack/Stack.cc

58 lines
1.1 KiB
C++
Raw Normal View History

2019-11-14 20:45:16 +01:00
#include <iostream>
using namespace std ;
const int LEN = 80 ; // default stack length
struct Stack {
// Implementation
double s[LEN] ;
int count ;
// Interface
void init() { count = 0 ; }
int nitems() { return count ; }
bool full() { return (count==LEN) ; }
bool empty() { return (count==0) ; }
void push(double c) {
if (full()) {
cout << "Stack::push() Error: stack is full" << endl ;
return ;
}
s[count++] = c ;
}
double pop() {
if (empty()) {
cout << "Stack::pop() Error: stack is empty" << endl ;
return 0 ;
}
return s[--count] ;
}
} ;
int main() {
Stack s ;
s.init() ; // initialize Stack
// Write doubles into Stack
int i ;
for (i=0 ; i<10 ; i++) {
cout << "pushing value " << i*i << " in stack" << endl ;
s.push(i*i) ;
}
// Count doubles in fifo
cout << s.nitems() << " value in stack" << endl ;
// Read doubles back from fifo
while (!s.empty()) {
double val = s.pop() ;
cout << "popping value " << val << " from stack" << endl ;
}
return 0 ;
}