1057. Stack (30)
Stack is one of the most fundamental data structures, which is based on the principle of Last In First Out (LIFO). The basic operations include Push (inserting an element onto the top position) and Pop (deleting the top element). Now you are supposed to implement a stack with an extra operation: PeekMedian -- return the median value of all the elements in the stack. With N elements, the median value is defined to be the (N/2)-th smallest element if N is even, or ((N+1)/2)-th if N is odd.
Input Specification:
Each input file contains one test case. For each case, the first line contains a positive integer N (<= 105). Then N lines follow, each contains a command in one of the following 3 formats:
Push keyPop
PeekMedian
where key is a positive integer no more than 105.
Output Specification:
For each Push command, insert key into the stack and output nothing. For each Pop or PeekMedian command, print in a line the corresponding returned value. If the command is invalid, print "Invalid" instead.
Sample Input:17 Pop PeekMedian Push 3 PeekMedian Push 2 PeekMedian Push 1 PeekMedian Pop Pop Push 5 Push 4 PeekMedian Pop Pop Pop PopSample Output:
Invalid Invalid 3 2 2 1 2 4 4 5 3 Invalid
#include<iostream> #include<string> #include<cstdio> #include<stack> #include<string.h> #include<stdio.h> using namespace std; const int maxn = 100010; const int sqr = 316; int block[sqr] = { 0 }; int table[maxn] = { 0 }; stack<int> s; void Pop() { int num = s.top(); printf("%d\n", num); s.pop(); int bn = num / sqr; block[bn]--; table[num]--; } void Push(int num) { s.push(num); int bn = num / sqr; block[bn]++; table[num]++; } void peekmedian(int m) { int sum = 0; int bn = 0; while (sum + block[bn] < m) { sum += block[bn]; bn++; } int i = bn*sqr; while (sum + table[i] < m) { sum += table[i]; i++; } printf("%d\n", i); } int main() { char cmd[20]; int n, num; cin >> n; for (int i = 0; i < n; i++) { scanf("%s",cmd); if (strcmp(cmd,"Pop")==0) { if (s.empty()) printf("Invalid\n"); else Pop(); } else if (strcmp(cmd,"Push")==0) { scanf("%d", &num); Push(num); } else { if (s.empty()) printf("Invalid\n"); else { int m; int len = s.size(); if (len % 2 == 0) m = len / 2; else m = (len + 1) / 2; peekmedian(m); } } } system("pause"); return 0; }